History
Lua was created in 1993 by Roberto Ierusalimschy, Luiz Henrique de Figueiredo and Waldemar Celes, members of the Computer Graphics Technology Group ( Tecgraf) at the Pontifical Catholic University of Rio de Janeiro, inif
, while
, repeat
/until
), but also had taken influence from CLU (multiple assignments and multiple returns from function calls, as a simpler alternative to reference parameters or explicit pointers), C++ ("neat idea of allowing a local variable to be declared only where we need it"), SNOBOL and AWK (Features
Lua is commonly described as a "Syntax
The classic "Hello, World!" program can be written as follows, with or without parentheses:Control flow
Lua has one type of conditional test: if then end
with optional else
and elseif then
execution control constructs.
The generic if then end
statement requires all three keywords:
if
statement
else
keyword may be added with an accompanying statement block to control execution when the if
condition evaluates to false
:
if else
statement
elseif then
keywords:
if elseif else
statement
while
loop, the repeat
loop (similar to a do while
loop), the numeric for
loop and the generic for
loop.
for
loop would iterate over the table _G
using the standard iterator function pairs
, until it returns nil
:
Functions
Lua's treatment of functions as first-class values is shown in the following example, where the print function's behavior is modified:print
will now be routed through the new function, and because of Lua's lexical scoping, the old print function will only be accessible by the new, modified print.
Lua also supports closures, as demonstrated below:
x
is created every time addto
is called, so that each new anonymous function returned will always access its own x
parameter. The closure is managed by Lua's garbage collector, just like any other object.
Tables
Tables are the most important data structures (and, by design, the only built-in composite data type) in Lua and are the foundation of all user-created types. They are associative arrays with addition of automatic numeric key and special syntax. A table is a set of key and data pairs, where the data is referenced by key; in other words, it is a hashed heterogeneous associative array. Tables are created using the
constructor syntax.
nil
and NaN, including functions.
1
is distinct from a string key "1"
.
t
is defined to be any integer index n
such that t /code> is not nil
and t +1/code> is nil
; moreover, if t /code> is nil
, n
can be zero. For a regular array, with non-nil values from 1 to a given n
, its length is exactly that n
, the index of its last value. If the array has "holes" (that is, nil values between other non-nil values), then #t
can be any of the indices that directly precedes a nil
value (that is, it may consider any such nil value as the end of the array).
ExampleTable =
print(ExampleTable 3]) -- Prints "3"
print(ExampleTable 4]) -- Prints "8"
A table can be an array of objects.
function Point(x, y) -- "Point" object constructor
return -- Creates and returns a new object (table)
end
array = -- Creates array of points
-- array = ;
print(array y) -- Prints 40
Using a hash map to emulate an array is normally slower than using an actual array; however, Lua tables are optimized for use as arrays to help avoid this issue.
Metatables
Extensible semantics is a key feature of Lua, and the metatable concept allows powerful customization of tables. The following example demonstrates an "infinite" table. For any n
, fibs /code> will give the n
-th Fibonacci number
In mathematics, the Fibonacci sequence is a Integer sequence, sequence in which each element is the sum of the two elements that precede it. Numbers that are part of the Fibonacci sequence are known as Fibonacci numbers, commonly denoted . Many w ...
using dynamic programming and memoization.
fibs = -- Initial values for fibs and fibs
setmetatable(fibs, )
Object-oriented programming
Although Lua does not have a built-in concept of classes, object-oriented programming
Object-oriented programming (OOP) is a programming paradigm based on the concept of '' objects''. Objects can contain data (called fields, attributes or properties) and have actions they can perform (called procedures or methods and impl ...
can be emulated using functions and tables. An object is formed by putting methods and fields in a table. Inheritance
Inheritance is the practice of receiving private property, titles, debts, entitlements, privileges, rights, and obligations upon the death of an individual. The rules of inheritance differ among societies and have changed over time. Offi ...
(both single and multiple) can be implemented with metatables, delegating nonexistent methods and fields to a parent object.
There is no such concept as "class" with these techniques; rather, prototypes are used, similar to Self or JavaScript
JavaScript (), often abbreviated as JS, is a programming language and core technology of the World Wide Web, alongside HTML and CSS. Ninety-nine percent of websites use JavaScript on the client side for webpage behavior.
Web browsers have ...
. New objects are created either with a factory method (that constructs new objects from scratch) or by cloning an existing object.
Creating a basic vector object:
local Vector =
local VectorMeta =
function Vector.new(x, y, z) -- The constructor
return setmetatable(, VectorMeta)
end
function Vector.magnitude(self) -- Another method
return math.sqrt(self.x^2 + self.y^2 + self.z^2)
end
local vec = Vector.new(0, 1, 0) -- Create a vector
print(vec.magnitude(vec)) -- Call a method (output: 1)
print(vec.x) -- Access a member variable (output: 0)
Here, tells Lua to look for an element in the table if it is not present in the table. , which is equivalent to , first looks in the table for the element. The table does not have a element, but its metatable delegates to the table for the element when it's not found in the table.
Lua provides some syntactic sugar to facilitate object orientation. To declare member functions inside a prototype table, one can use , which is equivalent to . Calling class methods also makes use of the colon: is equivalent to .
That in mind, here is a corresponding class with syntactic sugar:
local Vector =
Vector.__index = Vector
function Vector:new(x, y, z) -- The constructor
-- Since the function definition uses a colon,
-- its first argument is "self" which refers
-- to "Vector"
return setmetatable(, self)
end
function Vector:magnitude() -- Another method
-- Reference the implicit object using self
return math.sqrt(self.x^2 + self.y^2 + self.z^2)
end
local vec = Vector:new(0, 1, 0) -- Create a vector
print(vec:magnitude()) -- Call a method (output: 1)
print(vec.x) -- Access a member variable (output: 0)
Inheritance
Lua supports using metatables to give Lua class inheritance. In this example, we allow vectors to have their values multiplied by a constant in a derived class.
local Vector =
Vector.__index = Vector
function Vector:new(x, y, z) -- The constructor
-- Here, self refers to whatever class's "new"
-- method we call. In a derived class, self will
-- be the derived class; in the Vector class, self
-- will be Vector
return setmetatable(, self)
end
function Vector:magnitude() -- Another method
-- Reference the implicit object using self
return math.sqrt(self.x^2 + self.y^2 + self.z^2)
end
-- Example of class inheritance
local VectorMult =
VectorMult.__index = VectorMult
setmetatable(VectorMult, Vector) -- Make VectorMult a child of Vector
function VectorMult:multiply(value)
self.x = self.x * value
self.y = self.y * value
self.z = self.z * value
return self
end
local vec = VectorMult:new(0, 1, 0) -- Create a vector
print(vec:magnitude()) -- Call a method (output: 1)
print(vec.y) -- Access a member variable (output: 1)
vec:multiply(2) -- Multiply all components of vector by 2
print(vec.y) -- Access member again (output: 2)
Lua also supports multiple inheritance; can either be a function or a table. Operator overloading can also be done; Lua metatables can have elements such as , and so on.
Implementation
Lua programs are not interpreted directly from the textual Lua file, but are compiled into bytecode, which is then run on the Lua virtual machine
In computing, a virtual machine (VM) is the virtualization or emulator, emulation of a computer system. Virtual machines are based on computer architectures and provide the functionality of a physical computer. Their implementations may involve ...
(VM). The compiling process is typically invisible to the user and is performed during run-time, especially when a just-in-time compilation (JIT) compiler is used, but it can be done offline to increase loading performance or reduce the memory footprint of the host environment by leaving out the compiler. Lua bytecode can also be produced and executed from within Lua, using the dump
function from the string library and the load/loadstring/loadfile
functions. Lua version 5.3.4 is implemented in approximately 24,000 lines of C code.
Like most CPUs, and unlike most virtual machines (which are stack-based), the Lua VM is register-based, and therefore more closely resembles most hardware design. The register architecture both avoids excessive copying of values, and reduces the total number of instructions per function. The virtual machine of Lua 5 is one of the first register-based pure VMs to have a wide use. Parrot
Parrots (Psittaciformes), also known as psittacines (), are birds with a strong curved beak, upright stance, and clawed feet. They are classified in four families that contain roughly 410 species in 101 genus (biology), genera, found mostly in ...
and Android's Dalvik are two other well-known register-based VMs. PCScheme's VM was also register-based.
This example is the bytecode listing of the factorial function defined above (as shown by the luac
5.1 compiler):
function (9 instructions, 36 bytes at 0x8063c60)
1 param, 6 slots, 0 upvalues, 6 locals, 2 constants, 0 functions
1 LOADK 1 -1 ; 1
2 LOADK 2 -2 ; 2
3 MOVE 3 0
4 LOADK 4 -1 ; 1
5 FORPREP 2 1 ; to 7
6 MUL 1 1 5
7 FORLOOP 2 -2 ; to 6
8 RETURN 1 2
9 RETURN 0 1
C API
Lua is intended to be embedded into other applications, and provides a C API for this purpose. The API is divided into two parts: the Lua core and the Lua auxiliary library. The Lua API's design eliminates the need for manual reference counting (management) in C code, unlike Python's API. The API, like the language, is minimalist. Advanced functions are provided by the auxiliary library, which consists largely of preprocessor
In computer science, a preprocessor (or precompiler) is a Computer program, program that processes its input data to produce output that is used as input in another program. The output is said to be a preprocessed form of the input data, which i ...
macros which assist with complex table operations.
The Lua C API is stack based. Lua provides functions to push and pop most simple C data types (integers, floats, etc.) to and from the stack, and functions to manipulate tables through the stack. The Lua stack is somewhat different from a traditional stack; the stack can be indexed directly, for example. Negative indices indicate offsets from the top of the stack. For example, −1 is the top (most recently pushed value), while positive indices indicate offsets from the bottom (oldest value). Marshalling data between C and Lua functions is also done using the stack. To call a Lua function, arguments are pushed onto the stack, and then the lua_call
is used to call the actual function. When writing a C function to be directly called from Lua, the arguments are read from the stack.
Here is an example of calling a Lua function from C:
#include
#include // Lua main library (lua_*)
#include // Lua auxiliary library (luaL_*)
int main(void)
Running this example gives:
$ cc -o example example.c -llua
$ ./example
Result: 8
The C API also provides some special tables, located at various "pseudo-indices" in the Lua stack. At LUA_GLOBALSINDEX
prior to Lua 5.2 is the globals table, _G
from within Lua, which is the main namespace
In computing, a namespace is a set of signs (''names'') that are used to identify and refer to objects of various kinds. A namespace ensures that all of a given set of objects have unique names so that they can be easily identified.
Namespaces ...
. There is also a registry located at LUA_REGISTRYINDEX
where C programs can store Lua values for later retrieval.
Modules
Besides standard library (core) modules it is possible to write extensions using the Lua API. Extension modules are shared objects which can be used to extend the functions of the interpreter by providing native facilities to Lua scripts. Lua scripts may load extension modules using require
, just like modules written in Lua itself, or with package.loadlib
. When a C library is loaded via Lua will look for the function luaopen_foo
and call it, which acts as any C function callable from Lua and generally returns a table filled with methods. A growing set of modules termed ''rocks'' are available through a package management system named LuaRocks, in the spirit of CPAN, RubyGems and Python eggs. Prewritten Lua bindings exist for most popular programming languages, including other scripting languages. For C++, there are a number of template-based approaches and some automatic binding generators.
Applications
In video game development
Video game development (sometimes shortened to gamedev) is the process of creating a video game. It is a multidisciplinary practice, involving programming, design, art, audio, user interface, and writing. Each of those may be made up of more speci ...
, Lua is widely used as a scripting language
In computing, a script is a relatively short and simple set of instructions that typically automation, automate an otherwise manual process. The act of writing a script is called scripting. A scripting language or script language is a programming ...
, mainly due to its perceived easiness to embed, fast execution, and short learning curve. Notable games which use Lua include '' Roblox'', '' Garry's Mod'', '' World of Warcraft
''World of Warcraft'' (''WoW'') is a 2004 massively multiplayer online role-playing (MMORPG) video game developed and published by Blizzard Entertainment for Windows and Mac OS X. Set in the '' Warcraft'' fantasy universe, ''World of War ...
'', ''Payday 2
''Payday 2'' is a Cooperative video game, cooperative first-person shooter video game developed by Overkill Software and published by 505 Games. The game is a sequel to 2011's ''Payday: The Heist''. It was released in August 2013 for Microsoft Wi ...
'', '' Phantasy Star Online 2'', ''Dota 2
''Dota 2'' is a 2013 multiplayer online battle arena (MOBA) video game by Valve Corporation, Valve. The game is a sequel to ''Defense of the Ancients'' (''DotA''), a community-created Mod (video gaming), mod for Blizzard Entertainment's ''War ...
'', '' Crysis'', and many others. Some games that do not natively support Lua programming or scripting, have this function added by mods, as ComputerCraft does for ''Minecraft
''Minecraft'' is a 2011 sandbox game developed and published by the Swedish video game developer Mojang Studios. Originally created by Markus Persson, Markus "Notch" Persson using the Java (programming language), Java programming language, the ...
''. Also, Lua is used in non-video game software, such as Adobe Lightroom, Moho, iClone, Aerospike, and some system software in FreeBSD and NetBSD, and used as a template scripting language on MediaWiki
MediaWiki is free and open-source wiki software originally developed by Magnus Manske for use on Wikipedia on January 25, 2002, and further improved by Lee Daniel Crocker,mailarchive:wikipedia-l/2001-August/000382.html, Magnus Manske's announc ...
using the Scribunto extension.
In 2003, a poll conducted by GameDev.net showed Lua was the most popular scripting language for game programming. On 12 January 2012, Lua was announced as a winner of the Front Line Award 2011 from the magazine '' Game Developer'' in the category Programming Tools.
Many non-game applications also use Lua for extensibility, such as LuaTeX
LuaTeX is a TeX-based computer typesetting system which started as a version of pdfTeX with a Lua (programming language), Lua scripting engine embedded. After some experiments it was adopted by the TeX Live distribution as a successor to pdfTeX (i ...
, an implementation of the TeX
Tex, TeX, TEX, may refer to:
People and fictional characters
* Tex (nickname), a list of people and fictional characters with the nickname
* Tex Earnhardt (1930–2020), U.S. businessman
* Joe Tex (1933–1982), stage name of American soul singer ...
type-setting language, Redis, a key-value database, ScyllaDB, a wide-column store, Neovim, a text editor, Nginx, a web server
A web server is computer software and underlying Computer hardware, hardware that accepts requests via Hypertext Transfer Protocol, HTTP (the network protocol created to distribute web content) or its secure variant HTTPS. A user agent, co ...
, Wireshark
Wireshark is a Free and open-source software, free and open-source packet analyzer. It is used for computer network, network troubleshooting, analysis, software and communications protocol development, and education. Originally named Ethereal, ...
, a network packet analyzer and Pure Data, a visual audio programming language (through the pdlua extension).
Derived languages
Languages that compile to Lua
* MoonScript is a dynamic, whitespace-sensitive scripting language
In computing, a script is a relatively short and simple set of instructions that typically automation, automate an otherwise manual process. The act of writing a script is called scripting. A scripting language or script language is a programming ...
inspired by CoffeeScript
CoffeeScript is a programming language that compiles to JavaScript. It adds syntactic sugar inspired by Ruby, Python, and Haskell in an effort to enhance JavaScript's brevity and readability. Some added features include list comprehension an ...
, which is compiled into Lua. This means that instead of using do
and end
(or
) to delimit sections of code it uses line breaks and indentation style. A notable use of MoonScript is the video game distribution website Itch.io.
* Haxe
Haxe is a high-level cross-platform programming language and compiler that can produce applications and source code for many different computing platforms from one code-base. It is free and open-source software, released under an MIT License. ...
supports compiling to some Lua targets, including Lua 5.1-5.3 and LuaJIT 2.0 and 2.1.
* Fennel, a Lisp dialect that targets Lua.
* Urn, a Lisp
Lisp (historically LISP, an abbreviation of "list processing") is a family of programming languages with a long history and a distinctive, fully parenthesized Polish notation#Explanation, prefix notation.
Originally specified in the late 1950s, ...
dialect built on Lua.
* Amulet, an ML-like functional programming
In computer science, functional programming is a programming paradigm where programs are constructed by Function application, applying and Function composition (computer science), composing Function (computer science), functions. It is a declarat ...
language, which compiler emits Lua files.
* LunarML, Standard ML compiler that produces Lua/JavaScript
Dialects
* LuaJIT, a just-in-time compiler of Lua 5.1.
* Luau developed by Roblox Corporation, a derivative of and backwards-compatible with Lua 5.1 with gradual typing, additional features and a focus on performance. Luau has improved sandboxing to allow for running untrusted code in embedded applications.
* Ravi, a JIT-enabled Lua 5.3 language with optional static typing. JIT is guided by type information.
* Shine, a fork of LuaJIT with many extensions, including a module system and a macro system.
* Glua, a modified version embedded into the game Garry's Mod as its scripting language.
* Teal, a statically typed
In computer programming, a type system is a logical system comprising a set of rules that assigns a property called a ''type'' (for example, integer, floating point, string) to every '' term'' (a word, phrase, or other set of symbols). Usu ...
Lua dialect written in Lua.
* PICO-8, a "fantasy video game console", uses a subset of Lua known as PICO-8 Lua.
In addition, the Lua users community provides some ''power patches'' on top of the reference C implementation.
See also
* Comparison of programming languages
Notes
References
Further reading
* (The 1st ed. is availabl
online
)
*
*
*
*
* Chapters 6 and 7 are dedicated to Lua, while others look at software in Brazil more broadly.
*
*
*
*
*
* Interview with Roberto Ierusalimschy.
* How the embeddability of Lua impacted its design.
*
External links
*
Lua Users
, Community
Lua Forum
LuaDist
Lua Rocks - Package manager
Projects in Lua
{{Portal bar, Free and open-source software, Computer programming
Articles with example C code
Brazilian inventions
Cross-platform free software
Cross-platform software
Dynamic programming languages
Dynamically typed programming languages
Embedded systems
Free and open source interpreters
Free computer libraries
Free software programmed in C
Object-oriented programming languages
Pontifical Catholic University of Rio de Janeiro
Programming languages
Programming languages created in 1993
Prototype-based programming languages
Register-based virtual machines
Scripting languages
Software using the MIT license