wall142 is sorta correct.
When you use end)
instead of end
, it's because the former is actually the last line of a written-in function. That is, a method (or function) call that takes a function as an argument had that function written into the call, rather than assigned to a variable. These kind of functions are called anonymous functions.
For example, the connect
method of ROBLOX events (aka Touched) takes a function as a parameter - the function to be called when the event fires.
4 | Part.Touched:connect(Name) |
Since function Name(hit)
is syntactic sugar for Name = function(hit)
in Lua, you can put the definition of the function (the actual code) in where the variable that refers to it is placed.
Aka:
1 | Part.Touched:connect( function (hit) end ) |
Notice, there is a closing parenthesis on this end
, and not on the one in my first code block. This parenthesis matches up with the opening parenthesis of the connect
method, which has the function argument written in rather than passed in by a variable.
The reason it seems to stand out is because, usually, you have code to run inside the function, and having a lot of code run on a single line is ugly (although perfectly allowable in Lua).
1 | Part.Touched:connect( function (hit) |
2 | hit.Parent.DoSomething.Value = true |
This works because Lua ignores almost all whitespace when it is interpreting scripts. Technically, all scripts in Lua can be written on a single line, it's just easier to read when it's spread out.