A variable is a name that holds a value. Variable values can be numbers, strings, booleans, data types, and more.
Naming Variables
Variable names can be any non-reserved string of letters, digits, and underscores that don't start with a digit.
LETTERS -- valida1 -- validvar_name -- valid_test -- validif -- NOT valid25th -- NOT valid
Variable names are case-sensitive, so TestVar and TESTVAR are different names. Avoid naming variables with an underscore and all uppercase letters, such as _VERSION, because Luau may reserve them for internal global variables.
Best Practices
It's best practice to spell out words fully. Abbreviations generally make code easier to write, but harder to read. Following common naming practices when naming your variables can help you and others understand their meaning or purpose:
- Use PascalCase names for class and enum-like objects.
- Use PascalCase names for all Roblox APIs. camelCase APIs are mostly deprecated.
- Use camelCase names for local variables, member values, and functions.
- Use LOUD_SNAKE_CASE names for local constants (variables with values that you don't expect to change).
- Don't capitalize entire acronyms within names. For example, write aJsonVariable or MakeHttpCall.
Reserved Names
Luau reserves the following keywords, so you can't use them to name variables or functions:
- and
- for
- or
- break
- function
- repeat
- do
- if
- return
- else
- in
- then
- elseif
- local
- true
- end
- nil
- until
- false
- not
- while
Assigning Values
To create a variable and assign a value to it, use the = operator. Put the variable on the left of the = and the value on the right. If you don't put a value, the value is nil.
Variables can have global or local scopes. They have global scope by default, but it's almost always better to create them with local scope because Luau accesses local variables faster than global ones. To give a variable local scope, put the keyword local before a variable's name when you assign a value to it. For more information on Scope in Luau, see Scope.
local nilVarlocal x = 10local word = "Hello"local reference = workspace.Cameraprint(nilVar) -- nilprint(x) -- 10print(word) -- Helloprint(reference) -- Camera
Assigning Values to Multiple Variables
You can assign values to multiple variables in one line by separating each variable-value pair with a comma. If you have more variables than values, then Luau assigns nil to the extra variables. If you have more values than variables, Luau doesn't assign the extra values to any variables.
local a, b, c = 1, 2, 3local d, e, f = 4, 5 -- extra variablelocal g, h = 7, 8, 9 -- extra valueprint(a, b, c) -- 1, 2, 3print(d, e, f) -- 4, 5, nilprint(g, h) -- 7, 8
Changing Values
To change a value of a variable, assign another value to it.
local x, y = 10, 20print(x) -- 10print(y) -- 20local x = 1000local y = 2000print(x) -- 1000print(y) -- 2000