1、Lua中有8中基础类型:nil、boolean、number、thread、string、table、function和userdata(自定义类型)。type可根据一个值其返回类型名称。
1、字符串用单引号和双引号界定是等效的,"aaaa" == 'aaaa'。
2、string的gsub函数用于修改字符串的一部分。
3、table实现了关联数组,即一种具有特殊索引方式的数组。可以通过整数、字符串或者其他类型的来索引它。table无固定大小,Lua通过table来表示模块、包和对象。
4、输入io.read()时,含义是“io模块中的read函数”,对于Lua,表示“使用字符串read作为key来所以table io”。table不是值,是对象,程序中仅持有一个对它们的引用或指针。Lua不会产生table副本或者创建新的table。当一个程序再也没有对一个table的引用时,Lua的垃圾收集器最终会删该table并复用它的内存。
5、对于所有未初始化的元素的索引结果都是nil,Lua将nil最为界定数组结尾的标志。当一个数组有空隙时,即中间含有nil时,长度操作符#会认为这些nil元素就是结尾标记,因此,应该对含有空隙的数组避免使用长度操作符,可以使用函数table.maxn,它将返回一个table的最长索引数。
6、对于table、userdata和函数,Lua是做引用比较的,即只有当它们引用同一个对象时,才认为它们是相等的。
7、Lua允许多重赋值。可以很方便交换两个变量的值:a,b = b,a
8、尽可能使用局部变量是一种良好的编程风格。
9、return语句后面的内容不可以加圆括号,加上圆括号将导致不同的行为。
10、unpack接受一个数组作为参数,并从下标开始返回该数组的所有元素。
11、在Lua中,函数是一种第一类值,它们具有特定的词法域。
12、一个函数实际上是一条赋值语句:
function f(x) return 2*x end 和 f = function(x) return 2*x end
是等效的。
13、使用闭合函数
function getArea(type)
local returnFunction
if type == "rect" then
returnFunction = function(width,height)
local area = width * height
return area
end
else
returnFunction = function(bottom,height)
local area = 0.5 * bottom * height
return area
end
end
return returnFunction
end
local area = getArea("rect")
print(area(10,20))
14、Lua中使用闭合函数实现类
--Lua中类的实现
function Student:create(o)
o = o or {}
setmetatable(o, self)
self.__index = self
return o
end
student1 = Student:create({id = 200, name = "bbb"})
print(student1:toString())
student2 = Student:create({id = 300, name = "sdfgsfg"})
print(student2:toString())
上面的代码实现了Student类,并创建了student1和student2对象,分别执行了toString函数。