So, I know you can make custom methods that effect instances like so..
1 | function obj(o) |
2 | return { |
3 | Invisible = function () |
4 | o.Transparency = 1 |
5 | end |
6 | } |
7 | end |
8 |
9 | obj(workspace.Part):Invisible(); |
But is there any way that I can make a custom method to react directly off of the part instance so I could call the method like workspace.Part:Invisible() rather than obj(workspace.Part):Invisible()?
I know this question is kinda broad and vague but i'd appreciate any and all help.
If you wanted to, you could wrap all ROBLOX objects that you want to use in Lua "objects" using a ModuleScript like so:
01 | local PART = { } --name doesn't really matter here, this is just for clarity |
02 | PART.__index = PART --Allows inheritance |
03 |
04 | function PART.new() |
05 | local newpart = { } |
06 | setmetatable (newpart, PART) |
07 | newpart.obj = Instance.new( "Part" , workspace) |
08 |
09 | return newpart |
10 | end |
11 |
12 | function PART.Invisible(this) |
13 | if this.obj then |
14 | this.obj.Transparency = 1 |
15 | end |
16 | end |
17 |
18 | return PART |
And in another Script...
1 | local PART = require(game:GetService( "ServerScriptService" ).PART) |
2 |
3 | local part = PART.new() |
4 | wait( 1 ) |
5 | part:Invisible() |
6 |
7 | part.obj.BrickColor = BrickColor.new( "Bright green" ) |
If you didn't want to supply a reference to the Part itself (which you would do if you want to restrict access to it for whatever reason), you can define the methods in the new
function itself:
01 | local PART = { } |
02 |
03 | function PART.new() |
04 | local newpart = { } |
05 | local obj = Instance.new( "Part" , workspace) |
06 | function newpart.Invisible() |
07 | obj.Transparency = 1 |
08 | end |
09 | return newpart |
10 | end |
11 |
12 | return PART |
And in another Script...
1 | local PART = require(game:GetService( "ServerScriptService" ).PART) |
2 |
3 | local part = PART.new() |
4 | wait( 1 ) |
5 | part:Invisible() |
6 |
7 | part.obj.BrickColor = BrickColor.new( "Bright green" ) --ERROR |
As of now Roblox Studio doesn't allow you to manually create custom methods for instances, variables, etc... But in the near future, Roblox might be planning to implement this feature thus allowing more efficient scripts!!!
Locked by Goulstem
This question has been locked to preserve its current state and prevent spam and unwanted comments and answers.
Why was this question closed?