Anonymous Functions: Difference between revisions
>JulienDethurens No edit summary |
>Legend26 link change |
||
Line 3: | Line 3: | ||
==Examples== | ==Examples== | ||
{{Example| An anonymous function used with [[connect]]: | {{Example| An anonymous function used with [[RBXScriptSignal#Methods|connect]]: | ||
<code lua> | <code lua> | ||
brick = script.Parent | brick = script.Parent |
Revision as of 02:16, 9 March 2012
An anonymous function is a function literal that has no direct identifier. They are used in shortening code. A downside to these functions are that you can only use them in the expression they're formed in.
Examples
The above code is shorter than defining a named function, like such:
Anonymous functions are most commonly used in chat scripts or compound event scripts. These are used so that the arguments from the current function are still accessible. Example:
game.Players.PlayerAdded:connect(function(player)
player.Chatted:connect(function (msg)
--if this anonymous function was instead a named function outside of the anonymous function in the PlayerAdded connection,
--it would not be able to access the `player` variable
end)
end)
If you wanted to have the function in the Chatted connection to have a name, you would still have to use an anonymous function. It wouldn't need to be nearly as long as the actual message-processing code though:
function onPlayerChatted(player, msg)
--thanks to the anonymous function below, this function has a `player` argument
end
game.Players.PlayerAdded:connect(function (player)
player.Chatted:connect(function(msg)
--message processing is in the onPlayerChatted function instead of here
onPlayerChatted(player, msg)
--this function is defined much faster than the possible long message processing code
end)
end)
This is useful for shortening code, however this should be avoided in code that runs more than once. This is because the function is being defined more than once, which is unneeded because it is a literal function that is unchanging. These functions should be semantically named and used as such.