So this is a generic question. So let's suppose we have an active moduleScript
:
1 | local module = { } |
2 | function module.f() |
3 | print ( "mekool" ) |
4 | end |
5 | return module |
and a Script
requires it:
1 | require(game.ServerScriptService.ModuleScript) |
Is there a variable that represents the script that required the module, so we could make something like:
1 | local module = { } |
2 | local scriptthatrequiredthis = ? |
3 | function module.f() |
4 | print (scriptthatrequiredthis:GetFullName()) |
5 | end |
6 | return module |
(Since of course the keyword script
redirects to the module itself)
Anyways, thank you, your help is very appreciated!
No, ModuleScripts
have no in-built variables or information. This can be accomplished through two other ways.
Method 1: Parameters
You can call functions in ModuleScripts
and give them parameters. From this, we can simply just use the parameter;
ModuleScript
1 | local module = { } |
2 |
3 | function module.f(requirer) |
4 | print (requirer:GetFullName()) |
5 | end |
6 |
7 | return module |
Requirer
1 | local module = require(game.ServerScriptService.ModuleScript) |
2 | module.f(script) |
Method 2: Setup
An alternate, and slightly more advanced method is to perform a setup of sorts, using a function in the ModuleScript
. This method may cause errors, especially in terms of nil values, if the proper precautions are not performed.
ModuleScript
01 | local module = { } |
02 | local requirer |
03 |
04 | function module.setup(scriptThatRequired) |
05 | requirer = scriptThatRequired |
06 | end |
07 |
08 | -- Putting a repeat/while loop here would stop the code, including the script that required it, so therefore it would never get to the setup point |
09 |
10 | function module.f() |
11 | if not requirer then -- If the script has not been setup when the function is called |
12 | repeat wait() until requirer |
13 | end |
14 | print (requirer:GetFullName()) |
15 | end |
16 |
17 | return module |
Requirer
1 | local module = require(game.ServerScriptService.ModuleScript) |
2 | module.setup(script) |
3 | module.f() |
Hope I helped!
~TDP