Lua (programming language)

Lua
Screenshot of Lua code from a Wikipedia Lua module using the MediaWiki Scribunto extension
ParadigmMulti-paradigm: scripting, imperative (procedural, prototype-based, object-oriented), functional, meta, reflective
Designed byRoberto Ierusalimschy
Waldemar Celes
Luiz Henrique de Figueiredo
First appeared1993; 31 years ago (1993)
Stable release
5.4.7[1] Edit this on Wikidata / 25 June 2024; 5 months ago (25 June 2024)
Typing disciplineDynamic, strong, duck
Implementation languageANSI C
OSCross-platform
LicenseMIT
Filename extensions.lua
Websitelua.org Edit this at Wikidata
Major implementations
Lua, LuaJIT, LuaVela, MoonSharp,
Dialects
GSL Shell, Luau
Influenced by
C++, CLU, Modula, Scheme, SNOBOL
Influenced
GameMonkey, Io, JavaScript[citation needed], Julia, Red, Ring,[2] Ruby,[citation needed] Squirrel, C--, Luau,

Lua (/ˈlə/ LOO; from Portuguese: lua [ˈlu(w)ɐ] meaning moon) is a lightweight, high-level, multi-paradigm programming language designed mainly for embedded use in applications.[3] Lua is cross-platform software, since the interpreter of compiled bytecode is written in ANSI C,[4] and Lua has a relatively simple C application programming interface (API) to embed it into applications.[5]

Lua originated in 1993 as a language for extending software applications to meet the increasing demand for customization at the time. It provided the basic facilities of most procedural programming languages, but more complicated or domain-specific features were not included; rather, it included mechanisms for extending the language, allowing programmers to implement such features. As Lua was intended to be a general embeddable extension language, the designers of Lua focused on improving its speed, portability, extensibility and ease-of-use in development.

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, in Brazil.

From 1977 until 1992, Brazil had a policy of strong trade barriers (called a market reserve) for computer hardware and software, believing that Brazil could and should produce its own hardware and software. In that climate, Tecgraf's clients could not afford, either politically or financially, to buy customized software from abroad; under the market reserve, clients would have to go through a complex bureaucratic process to prove their needs couldn't be met by Brazilian companies. Those reasons led Tecgraf to implement the basic tools it needed from scratch.[6]

Lua's predecessors were the data-description/configuration languages Simple Object Language (SOL) and data-entry language (DEL).[7] They had been independently developed at Tecgraf in 1992–1993 to add some flexibility into two different projects (both were interactive graphical programs for engineering applications at Petrobras company). There was a lack of any flow-control structures in SOL and DEL, and Petrobras felt a growing need to add full programming power to them.

In The Evolution of Lua, the language's authors wrote:[6]

In 1993, the only real contender was Tcl, which had been explicitly designed to be embedded into applications. However, Tcl had unfamiliar syntax, did not offer good support for data description, and ran only on Unix platforms. We did not consider LISP or Scheme because of their unfriendly syntax. Python was still in its infancy. In the free, do-it-yourself atmosphere that then reigned in Tecgraf, it was quite natural that we should try to develop our own scripting language ... Because many potential users of the language were not professional programmers, the language should avoid cryptic syntax and semantics. The implementation of the new language should be highly portable, because Tecgraf's clients had a very diverse collection of computer platforms. Finally, since we expected that other Tecgraf products would also need to embed a scripting language, the new language should follow the example of SOL and be provided as a library with a C API.

Lua 1.0 was designed in such a way that its object constructors, being then slightly different from the current light and flexible style, incorporated the data-description syntax of SOL (hence the name Lua: Sol meaning "Sun" in Portuguese, and Lua meaning "Moon"). Lua syntax for control structures was mostly borrowed from Modula (if, 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"[6]), SNOBOL and AWK (associative arrays). In an article published in Dr. Dobb's Journal, Lua's creators also state that LISP and Scheme with their single, ubiquitous data-structure mechanism (the list) were a major influence on their decision to develop the table as the primary data structure of Lua.[8]

Lua semantics have been increasingly influenced by Scheme over time,[6] especially with the introduction of anonymous functions and full lexical scoping. Several features were added in new Lua versions.

Versions of Lua prior to version 5.0 were released under a license similar to the BSD license. From version 5.0 onwards, Lua has been licensed under the MIT License. Both are permissive free software licences and are almost identical.

Features

Lua is commonly described as a "multi-paradigm" language, providing a small set of general features that can be extended to fit different problem types. Lua does not contain explicit support for inheritance, but allows it to be implemented with metatables. Similarly, Lua allows programmers to implement namespaces, classes and other related features using its single table implementation; first-class functions allow the employment of many techniques from functional programming and full lexical scoping allows fine-grained information hiding to enforce the principle of least privilege.

In general, Lua strives to provide simple, flexible meta-features that can be extended as needed, rather than supply a feature-set specific to one programming paradigm. As a result, the base language is light; the full reference interpreter is only about 247 kB compiled[4] and easily adaptable to a broad range of applications.

As a dynamically typed language intended for use as an extension language or scripting language, Lua is compact enough to fit on a variety of host platforms. It supports only a small number of atomic data structures such as Boolean values, numbers (double-precision floating point and 64-bit integers by default) and strings. Typical data structures such as arrays, sets, lists and records can be represented using Lua's single native data structure, the table, which is essentially a heterogeneous associative array.

Lua implements a small set of advanced features such as first-class functions, garbage collection, closures, proper tail calls, coercion (automatic conversion between string and number values at run time), coroutines (cooperative multitasking) and dynamic module loading.

Syntax

The classic "Hello, World!" program can be written as follows, with or without parentheses:[9][a]

print("Hello, World!")
print "Hello, World!"

A comment in Lua starts with a double-hyphen and runs to the end of the line, similar to Ada, Eiffel, Haskell, SQL and VHDL. Multi-line strings and comments are marked with double square brackets.

-- Single line comment
--[[
Multi-line comment
--]]

The factorial function is implemented in this example:

function factorial(n)
  local x = 1
  for i = 2, n do
    x = x * i
  end
  return x
end

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 condition then
	--statement body
end

The else keyword may be added with an accompanying statement block to control execution when the if condition evaluates to false:

if condition then
	--statement body
else
	--statement body
end

Execution may also be controlled according to multiple conditions using the elseif then keywords:

if condition then
	--statement body
elseif condition then
	--statement body
else -- optional
	--optional default statement body
end

Lua has four types of conditional loops: the while loop, the repeat loop (similar to a do while loop), the numeric for loop and the generic for loop.

--condition = true

while condition do
  --statements
end

repeat
  --statements
until condition

for i = first, last, delta do  --delta may be negative, allowing the for loop to count down or up
  --statements
  --example: print(i)
end

This generic for loop would iterate over the table _G using the standard iterator function pairs, until it returns nil:

for key, value in pairs(_G) do
  print(key, value)
end

Loops can also be nested (put inside of another loop).

local grid = {
  { 11, 12, 13 },
  { 21, 22, 23 },
  { 31, 32, 33 }
}

for y, row in pairs(grid) do
  for x, value in pairs(row) do
    print(x, y, value)
  end
end

Functions

Lua's treatment of functions as first-class values is shown in the following example, where the print function's behavior is modified:

do
  local oldprint = print
  -- Store current print function as oldprint
  function print(s)
    --[[ Redefine print function. The usual print function can still be used
      through oldprint. The new one has only one argument.]]
    oldprint(s == "foo" and "bar" or s)
  end
end

Any future calls to 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:

function addto(x)
  -- Return a new function that adds x to the argument
  return function(y)
    --[[ When we refer to the variable x, which is outside the current
      scope and whose lifetime would be shorter than that of this anonymous
      function, Lua creates a closure.]]
    return x + y
  end
end
fourplus = addto(4)
print(fourplus(3)) -- Prints 7

--This can also be achieved by calling the function in the following way:
print(addto(4)(3))
--[[ This is because we are calling the returned function from 'addto(4)' with the argument '3' directly.
  This also helps to reduce data cost and up performance if being called iteratively.]]

A new closure for the variable 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.

a_table = {} -- Creates a new, empty table

Tables are always passed by reference (see Call by sharing).

A key (index) can be any value except nil and NaN, including functions.

a_table = {x = 10}  -- Creates a new table, with one entry mapping "x" to the number 10.
print(a_table["x"]) -- Prints the value associated with the string key, in this case 10.
b_table = a_table
b_table["x"] = 20   -- The value in the table has been changed to 20.
print(b_table["x"]) -- Prints 20.
print(a_table["x"]) -- Also prints 20, because a_table and b_table both refer to the same table.

A table is often used as structure (or record) by using strings as keys. Because such use is very common, Lua features a special syntax for accessing such fields.[11]

point = { x = 10, y = 20 }   -- Create new table
print(point["x"])            -- Prints 10
print(point.x)               -- Has exactly the same meaning as line above. The easier-to-read dot notation is just syntactic sugar.

By using a table to store related functions, it can act as a namespace.

Point = {}

Point.new = function(x, y)
  return {x = x, y = y}  --  return {["x"] = x, ["y"] = y}
end

Point.set_x = function(point, x)
  point.x = x  --  point["x"] = x;
end

Tables are automatically assigned a numerical key, enabling them to be used as an array data type. The first automatic index is 1 rather than 0 as it is for many other programming languages (though an explicit index of 0 is allowed).

A numeric key 1 is distinct from a string key "1".

array = { "a", "b", "c", "d" }   -- Indices are assigned automatically.
print(array[2])                  -- Prints "b". Automatic indexing in Lua starts at 1.
print(#array)                    -- Prints 4.  # is the length operator for tables and strings.
array[0] = "z"                   -- Zero is a legal index.
print(#array)                    -- Still prints 4, as Lua arrays are 1-based.

The length of a table t is defined to be any integer index n such that t[n] is not nil and t[n+1] is nil; moreover, if t[1] 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).[12]

ExampleTable =
{
  {1, 2, 3, 4},
  {5, 6, 7, 8}
}
print(ExampleTable[1][3]) -- Prints "3"
print(ExampleTable[2][4]) -- Prints "8"

A table can be an array of objects.

function Point(x, y)        -- "Point" object constructor
  return { x = x, y = y }   -- Creates and returns a new object (table)
end
array = { Point(10, 20), Point(30, 40), Point(50, 60) }   -- Creates array of points
                        -- array = { { x = 10, y = 20 }, { x = 30, y = 40 }, { x = 50, y = 60 } };
print(array[2].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.[13]

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[n] will give the n-th Fibonacci number using dynamic programming and memoization.

fibs = { 1, 1 }                                -- Initial values for fibs[1] and fibs[2].
setmetatable(fibs, {
  __index = function(values, n)                --[[__index is a function predefined by Lua, 
                                                   it is called if key "n" does not exist.]]
    values[n] = values[n - 1] + values[n - 2]  -- Calculate and memoize fibs[n].
    return values[n]
  end
})

Object-oriented programming

Although Lua does not have a built-in concept of classes, object-oriented programming can be emulated using functions and tables. An object is formed by putting methods and fields in a table. Inheritance (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. 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 = { __index = Vector}

function Vector.new(x, y, z)    -- The constructor
  return setmetatable({x = x, y = y, z = z}, 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, setmetatable tells Lua to look for an element in the Vector table if it is not present in the vec table. vec.magnitude, which is equivalent to vec["magnitude"], first looks in the vec table for the magnitude element. The vec table does not have a magnitude element, but its metatable delegates to the Vector table for the magnitude element when it's not found in the vec table.

Lua provides some syntactic sugar to facilitate object orientation. To declare member functions inside a prototype table, one can use function table:func(args), which is equivalent to function table.func(self, args). Calling class methods also makes use of the colon: object:func(args) is equivalent to object.func(object, args).

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({x = x, y = y, z = z}, 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.[14] 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({x = x, y = y, z = z}, 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; __index can either be a function or a table.[15] Operator overloading can also be done; Lua metatables can have elements such as __add, __sub and so on.[16]

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 (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.[3][4]

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.[17] Parrot and Android's Dalvik are two other well-known register-based VMs. PCScheme's VM was also register-based.[18]

This example is the bytecode listing of the factorial function defined above (as shown by the luac 5.1 compiler):[19]

function <factorial.lua:1,7> (9 instructions, 36 bytes at 0x8063c60)
1 param, 6 slots, 0 upvalues, 6 locals, 2 constants, 0 functions
	1	[2]	LOADK    	1 -1	; 1
	2	[3]	LOADK    	2 -2	; 2
	3	[3]	MOVE     	3 0
	4	[3]	LOADK    	4 -1	; 1
	5	[3]	FORPREP  	2 1	; to 7
	6	[4]	MUL      	1 1 5
	7	[3]	FORLOOP  	2 -2	; to 6
	8	[6]	RETURN   	1 2
	9	[7]	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.[20] 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 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 <stdio.h>
#include <lua.h> // Lua main library (lua_*)
#include <lauxlib.h> // Lua auxiliary library (luaL_*)

int main(void)
{
    // create a Lua state
    lua_State *L = luaL_newstate();

    // load and execute a string
    if (luaL_dostring(L, "function foo (x,y) return x+y end")) {
        lua_close(L);
        return -1;
    }

    // push value of global "foo" (the function defined above)
    // to the stack, followed by integers 5 and 3
    lua_getglobal(L, "foo");
    lua_pushinteger(L, 5);
    lua_pushinteger(L, 3);
    lua_call(L, 2, 1); // call a function with two arguments and one return value
    printf("Result: %d\n", lua_tointeger(L, -1)); // print integer value of item at stack top
    lua_pop(L, 1); // return stack to original state
    lua_close(L); // close Lua state
    return 0;
}

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[21] is the globals table, _G from within Lua, which is the main namespace. 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,[20] just like modules written in Lua itself, or with package.loadlib.[22] When a C library is loaded via require('foo') 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,[23] in the spirit of CPAN, RubyGems and Python eggs. Prewritten Lua bindings exist for most popular programming languages, including other scripting languages.[24] For C++, there are a number of template-based approaches and some automatic binding generators.

Applications

In video game development, Lua is widely used as a scripting language, mainly due to its perceived easiness to embed, fast execution, and short learning curve.[25] Notable games which use Lua include Roblox,[26] Garry's Mod, World of Warcraft, Payday 2, Phantasy Star Online 2, Dota 2, Crysis,[27] 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. 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 using the Scribunto extension.[28]

In 2003, a poll conducted by GameDev.net showed Lua was the most popular scripting language for game programming.[29] 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.[30]

Many non-game applications also use Lua for extensibility, such as LuaTeX, an implementation of the TeX type-setting language, Redis, a key-value database, ScyllaDB, a wide-column store, Neovim, a text editor, Nginx, a web server, and Wireshark, a network packet analyzer.

Through the Scribunto extension, Lua is available as a server-side scripting language in the MediaWiki software that runs Wikipedia and other wikis.[31] Among its uses are allowing the integration of data from Wikidata into articles,[32] and powering the automated taxobox system.

Derived languages

Languages that compile to Lua

Dialects

  • LuaJIT, a just-in-time compiler of Lua 5.1.[38][39]
  • Luau developed by Roblox Corporation, a derivative of Lua 5.1 with gradual typing, additional features and a focus on performance.[40]
  • Ravi, a JIT-enabled Lua 5.3 language with optional static typing. JIT is guided by type information.[41]
  • Shine, a fork of LuaJIT with many extensions, including a module system and a macro system.[42]
  • Glua, a modified version embedded into the game Garry's Mod as its scripting language.[43]
  • Teal, a statically typed Lua dialect written in Lua.

In addition, the Lua users community provides some power patches on top of the reference C implementation.[44]

See also

Notes

  1. ^ Syntactic sugar, a table construct or literal string following an identifier is a valid function call.[10]

References

  1. ^ "[ANN] Lua 5.4.7 now available". 25 June 2024. Retrieved 27 June 2024.
  2. ^ Ring Team (5 December 2017). "The Ring programming language and other languages". ring-lang.net. Archived from the original on 25 December 2018. Retrieved 5 December 2017.
  3. ^ a b Ierusalimschy, Roberto; de Figueiredo, Luiz Henrique; Filho, Waldemar Celes (June 1996). "Lua—An Extensible Extension Language". Software: Practice and Experience. 26 (6): 635–652. doi:10.1002/(SICI)1097-024X(199606)26:6<635::AID-SPE26>3.0.CO;2-P. S2CID 61066194. Retrieved 24 October 2015.
  4. ^ a b c "About Lua". Lua.org. Retrieved 11 August 2011.
  5. ^ Takhteyev, Yuri (21 April 2013). "From Brazil to Wikipedia". Foreign Affairs. Retrieved 25 April 2013.
  6. ^ a b c d Ierusalimschy, R.; Figueiredo, L. H.; Celes, W. (2007). "The evolution of Lua" (PDF). Proceedings of the third ACM SIGPLAN conference on History of programming languages. pp. 2–1–2–26. doi:10.1145/1238844.1238846. ISBN 978-1-59593-766-7. S2CID 475143.
  7. ^ "The evolution of an extension language: a history of Lua". 2001. Retrieved 18 December 2008.
  8. ^ Figueiredo, L. H.; Ierusalimschy, R.; Celes, W. (December 1996). "Lua: an Extensible Embedded Language. A few metamechanisms replace a host of features". Dr. Dobb's Journal. Vol. 21, no. 12. pp. 26–33.
  9. ^ "Programming in Lua : 1".
  10. ^ "Lua 5.0 Reference Manual, 2.5.7, Function Calls".
  11. ^ "Lua 5.1 Reference Manual". 2014. Retrieved 27 February 2014.
  12. ^ "Lua 5.1 Reference Manual". 2012. Retrieved 16 October 2012.
  13. ^ "Lua 5.1 Source Code". 2006. Retrieved 24 March 2011.
  14. ^ Roberto Ierusalimschy. Programming in Lua, 4th Edition. p. 165.
  15. ^ "Programming in Lua : 16.3". Lua. Retrieved 16 September 2021.
  16. ^ "Metamethods Tutorial". lua-users wiki. Archived from the original on 16 September 2021. Retrieved 16 September 2021.
  17. ^ Ierusalimschy, R.; Figueiredo, L. H.; Celes, W. (2005). "The implementation of Lua 5.0". J. Of Universal Comp. Sci. 11 (7): 1159–1176. doi:10.3217/jucs-011-07-1159.
  18. ^ Texas Instruments (1990). PC Scheme: Users Guide and Language Reference Manual, Trade Edition. MIP Press. ISBN 0-262-70040-9.
  19. ^ Man, Kein-Hong (2006). "A No-Frills Introduction to Lua 5.1 VM Instructions" (PDF).
  20. ^ a b "Lua 5.2 Reference Manual". Lua.org. Retrieved 23 October 2012.
  21. ^ Ierusalimschy, Roberto; de Figueiredo, Luiz Henrique; Celes, Waldemar (2011–2013). Changes in the API. Lua.org. Retrieved 9 May 2014. {{cite book}}: |work= ignored (help)
  22. ^ Ierusalimschy, Roberto; de Figueiredo, Luiz Henrique; Celes, Waldemar. "Lua 5.4 Reference Manual". Lua. Retrieved 1 June 2022.
  23. ^ "LuaRocks". luarocks.org. Retrieved 24 May 2009.
  24. ^ "Binding Code To Lua". Lua-users wiki. Archived from the original on 27 July 2009. Retrieved 24 May 2009.
  25. ^ "Why is Lua considered a game language?". Stack Overflow. Archived from the original on 20 August 2013. Retrieved 22 April 2017.
  26. ^ "Why Luau?". Luau. Retrieved 23 March 2022.
  27. ^ "Introduction to Crysis server-side modding". Retrieved 23 March 2022.
  28. ^ "Lua Functions". wow.gamepedia.com. Retrieved 1 March 2021.
  29. ^ "Poll Results". Archived from the original on 7 December 2003. Retrieved 22 April 2017.{{cite web}}: CS1 maint: bot: original URL status unknown (link)
  30. ^ "Front Line Award Winners Announced". Archived from the original on 15 June 2013. Retrieved 22 April 2017.
  31. ^ "Extension:Scribunto - MediaWiki". MediaWiki.org. Retrieved 21 February 2019.
  32. ^ "Wikidata:Infobox Tutorial - Wikidata". www.wikidata.org. Retrieved 21 December 2018.
  33. ^ "Language Guide - MoonScript 0.5.0". moonscript.org. Retrieved 25 September 2020.
  34. ^ leaf (23 September 2020). "leafo/moonscript". GitHub. Retrieved 25 September 2020.
  35. ^ a b Garzia, Andre Alves. "Languages that compile to Lua". AndreGarzia.com. Retrieved 25 September 2020.
  36. ^ "Urn: A Lisp implementation for Lua | Urn". urn-lang.com. Retrieved 12 January 2021.
  37. ^ "Amulet ML". amulet.works. Retrieved 12 January 2021.
  38. ^ "LuaJIT". LuaJIT.
  39. ^ "Extensions". LuaJIT.
  40. ^ "Why Luau?". Luau. Retrieved 3 August 2024. All of these motivated us to start reshaping Lua 5.1 that we started from into a new, derivative language that we call Luau. Our focus is on making the language more performant and feature-rich, and make it easier to write robust code through a combination of linting and type checking using a gradual type system.
  41. ^ "Ravi Programming Language". GitHub.
  42. ^ Hundt, Richard (22 April 2021). "richardhundt/shine". GitHub.
  43. ^ "Garry's Mod Wiki". wiki.facepunch.com.
  44. ^ "Lua Power Patches". lua-users.org. Archived from the original on 18 May 2021. Retrieved 18 May 2021.

Further reading

Read other articles:

اللجنة الإدارية في غزةمعلومات عامةالبلد دولة فلسطين التكوين مارس 2017 النهاية سبتمبر 2017 المدة 6 أشهرٍتعديل - تعديل مصدري - تعديل ويكي بيانات اللجنة الإدارية في غزة وتُسمى رسميًا اللجنة الإدارية الحكومية هي لجنة إدارية حكومية تتولى إدارة شؤون قطاع غزة. شُكلت في مارس 2017 تطبيقً...

 

 

Aespa discographyEPs4Singles12Promotional singles2Soundtrack appearances4 South Korean girl group Aespa have released four extended plays, eleven singles, two promotional single and four soundtracks. The group debuted on November 17, 2020, with the single Black Mamba. Their first comeback single Next Level was released in May 2021 to widespread commercial success, peaking at number two on the Circle Digital Chart and K-pop Hot 100.[1] In October 2021, they released their first extende...

 

 

日出江花——青年江泽民在上海语言简体中文主题人物传记發行信息出版机构上海人民出版社出版地 中国上海媒介平裝 《日出江花——青年江泽民在上海》,是一本关于中国共产党第三代领导核心、原总书记江泽民的书籍,2010年4月上海人民出版社出版。有报道称,该书有强烈的政府背景,《人民日报》也报道了此书的出版[1]。而江泽民本人则低调的要求该书保持...

Artikel ini tidak memiliki referensi atau sumber tepercaya sehingga isinya tidak bisa dipastikan. Tolong bantu perbaiki artikel ini dengan menambahkan referensi yang layak. Tulisan tanpa sumber dapat dipertanyakan dan dihapus sewaktu-waktu.Cari sumber: Sungai Sanzu – berita · surat kabar · buku · cendekiawan · JSTOR Penggambaran Sungai Sanzu dalam Jūō-zu (十王図). Orang baik dapat menyeberangi sungai melalui jembatan, sementara orang jahat dilempa...

 

 

Lore PeoreKecamatanJalan menuju Lembah Bada, Napu.Peta lokasi Kecamatan Lore PeoreNegara IndonesiaProvinsiSulawesi TengahKabupatenPosoPemerintahan • CamatJonli Pasangka[1]Populasi • Total3.305 jiwa jiwaKode Kemendagri72.02.25 Kode BPS7204043 Luas374,8 km2;Desa/kelurahan5 Lore Peore adalah sebuah kecamatan di Kabupaten Poso, Sulawesi Tengah, Indonesia. Ibu kota kecamatan ini terletak di desa Watutau.[1] Kecamatan Lore Peore dibentuk pada 22 Agustus ...

 

 

Street in San Francisco, California, United States of America This article needs additional citations for verification. Please help improve this article by adding citations to reliable sources. Unsourced material may be challenged and removed.Find sources: Alemany Boulevard – news · newspapers · books · scholar · JSTOR (February 2008) (Learn how and when to remove this template message) Alemany BoulevardLength4.4 mi (7.1 km)[1]Locatio...

Chemical element, symbol Nd and atomic number 60Neodymium, 60NdNeodymiumPronunciation/ˌniːoʊˈdɪmiəm/ ​(NEE-oh-DIM-ee-əm)Appearancesilvery whiteStandard atomic weight Ar°(Nd)144.242±0.003144.24±0.01 (abridged)[1] Neodymium in the periodic table Hydrogen Helium Lithium Beryllium Boron Carbon Nitrogen Oxygen Fluorine Neon Sodium Magnesium Aluminium Silicon Phosphorus Sulfur Chlorine Argon Potassium Calcium Scandium Titanium Vanadium Chromium Manganese I...

 

 

コードギアス > コードギアス 亡国のアキト コードギアス 亡国のアキト監督 赤根和樹脚本 赤根和樹浅川美也大野木寛原作 サンライズ大河内一楼谷口悟朗出演者 入野自由坂本真綾音楽 橋本一子主題歌 坂本真綾「モアザンワーズ」制作会社 サンライズ製作会社 コードギアス 亡国のアキト製作委員会配給 ショウゲート公開 第1章:2012年8月4日第2章:2013年9月14日第3...

 

 

Political party in Kenya Safina LeaderPaul Kibugi MuiteFounderRichard LeakeyPaul MuiteFounded13 May 1995[1]Registered26 November 1997HeadquartersNairobiIdeologySocial liberalism[2]Social democracyCivic nationalismPolitical positionCentre[3] to centre-left[4]SloganAll Kenyans deserve a chance.Politics of KenyaPolitical partiesElections Safina (lit. 'Ark' in Swahili) is a political party in Kenya, founded by palaeoanthropologist and conservationist...

American regional sports network Television channel NBC Sports PhiladelphiaCountryUnited StatesBroadcast areaEastern and Central PennsylvaniaNorthern and Central DelawareSouthern and Central New JerseyNationwide (via satellite)NetworkNBC Sports Regional NetworksHeadquartersWells Fargo Center, PhiladelphiaProgrammingLanguage(s)EnglishSpanish (via SAP)Picture format1080i (HDTV)480i (SDTV)OwnershipOwnerNBC Sports Group (75%)Philadelphia Phillies (25%)[1]Sister channelsCable:NBC Sports Ph...

 

 

High school in Bergen County, New Jersey, United States Ridgefield Memorial High SchoolAddress555 Walnut AvenueRidgefield, Bergen County, New Jersey 07657United StatesCoordinates40°49′53″N 73°59′58″W / 40.83139°N 73.99944°W / 40.83139; -73.99944InformationTypePublic high schoolEstablished1958School districtRidgefield School DistrictNCES School ID341377000742[1]PrincipalJanet SeaboldFaculty45.1 FTEs[1]Grades9-12Enrollment489 (as of 2021–22)...

 

 

Mexican American experimental body and performance artist This article's use of external links may not follow Wikipedia's policies or guidelines. Please improve this article by removing excessive or inappropriate external links, and converting useful links where appropriate into footnote references. (December 2021) (Learn how and when to remove this template message) Jeanelle MastemaJeanelle Mastema performs at Black Castle in Inglewood, California on May 3, 2013.Born (1984-09-15) September 1...

Sungai Loa HaurSungai Loa HaurLokasiNegaraIndonesiaCiri-ciri fisikHulu sungaiIndonesia Muara sungaiSungai MahakamPanjang120 KmLuas DASDAS: km² Sungai Loa Haur merupakan sebuah sungai yang terletak di Kabupaten Kutai Kartanegara, Provinsi Kalimantan Timur, Indonesia. Sungai Loa Haur memiliki panjang 120 kilometer mengalir dari arah baratdaya ke timur laut. Sungai Loa Haur berhulu dari dua sungai masing-masing dari perbatasan Kabupaten Kutai Kartanegara dengan Kabupaten Penajam Paser Utara dan...

 

 

Restaurant in New York, United StatesMile End DelicatessenRestaurant informationEstablished2010Owner(s)Noah BernamoffRae CohenFood typeJewish delicatessenDress codeCasualStreet address97 Hoyt StCityBrooklynStateNew YorkPostal/ZIP Code11217CountryUnited StatesWebsiteOfficial website Mile End Delicatessen, is a Jewish deli in Boerum Hill, Brooklyn which opened in 2010 and is named after the neighborhood in Montreal, Quebec, Canada. The deli has been highly rated and is currently run by Joel Tie...

 

 

Surface-to-air (SAM) / Air-to-air (AAM) missile Hs 117 Schmetterling A Schmetterling missile on display at the National Air and Space Museum (NASM), Steven F. Udvar-Hazy Center.TypeSurface-to-air (SAM) / Air-to-air (AAM) missilePlace of originGermanyProduction historyDesignerProfessor Herbert A. WagnerDesigned1942-1943ManufacturerHenschel FlugzeugwerkeVariantsHs 117M (air-to-air missile variant)Specifications (Hs 117)Mass450 kg (990 lb),[1] 620 kg (1,370 ...

American artist (1875–1946) This article needs additional citations for verification. Please help improve this article by adding citations to reliable sources. Unsourced material may be challenged and removed.Find sources: Maynard Dixon – news · newspapers · books · scholar · JSTOR (June 2014) (Learn how and when to remove this template message) Maynard DixonDixon c. 1906BornJanuary 24, 1875 (1875-01-24)Fresno, California, USDiedNovember 11, 194...

 

 

Strait at the narrowest part of the English Channel Dover StraitView from France across the Strait of Dover towards the English coastLocationNorth Sea–English Channel (Atlantic Ocean)Coordinates51°00′N 1°30′E / 51.000°N 1.500°E / 51.000; 1.500TypeStraitBasin countriesFranceUnited KingdomMin. width20 miles (32 km)Average depth150 feet (46 m) The Strait of Dover or Dover Strait (French: Pas de Calais French pronunciation: [pɑ d(ə) kalɛ]...

 

 

1935 Korean film by Na Woon-gyu MuhwagwaJeon Choon-woo and Yun Bong-Choon in Muhwagwa (1935)Hangul무화과Hanja無花果Revised RomanizationMuhwagwaMcCune–ReischauerMuhwakwa Directed byNa Woon-gyuWritten byYun Geum-kwanProduced byHyeon Seong-wanStarringYun Bong-ChoonJeon Choon-wooHyeon Bang-ranLee Bok-bunCinematographySon Yong-jinEdited byNa Woon-gyuDistributed byChosun KinemaRelease date June 30, 1935 (1935-06-30) LanguageKoreanBudget2,000 won Muhwagwa (무화과, Fig Tree)...

Sultan of Gujarat (1458–1511) Mahmud Shah ISultan of GujaratReign25 May 1458 – 26 November 1511PredecessorDaud ShahSuccessorMuzaffar Shah IIBorn1445AhmedabadDied23 November 1511AhmedabadBurialSarkhej Roza, AhmedabadSpouseRupamanjhari, HirabaiIssueKhalíl Khán (Muzaffar Shah II), Muhammad Kála, Ápá Khán, Áhmed KhánNamesAbu'l Fath Nasir - ud - Din Mahmud Shah IDynastyMuzaffarid dynasty of GujaratFatherMuhammad Shah IIMotherBíbi MughliReligionSunni Islam Gujarat SultanateMuzaffarid d...

 

 

هذه المقالة يتيمة إذ تصل إليها مقالات أخرى قليلة جدًا. فضلًا، ساعد بإضافة وصلة إليها في مقالات متعلقة بها. (ديسمبر 2016) يُمكن تحقيق الوقاية من مرض السكري النوع الثاني عن طريق تغيير نمط الحياة وتناول الدواء المُناسب. يُمكن أن يتأخر حُدوث الإصابة بالسكري النوع الثاني من خلال ا...

 

 

Strategi Solo vs Squad di Free Fire: Cara Menang Mudah!