五、表
5.1 表索引
同一个表索引可以是不同类型,如:
> t = {1,2,3,4,5}
> t[2]
2
> t["x"] = "x+1"
> t["x"]
x+1
> t.x
x+1
> x = 4
> t[x]
4
> t["y"]= 3*4
> t.y
12
这里用到t.x、t["x"] 和t[x]三种,t.x和t["x"]是等价的,只是前者更突出表示当做结构体使用,而后者表示表可以使用任意字符串作为键,t[x]中x是变量,由变量x对应的值索引的表
5.2 表构造器
表构造器是用来创建和初始化表的表达式,如空构造器
> t = {}
> t["1"] = 'string a'
> t[1] = 'number a'
> t[1]
number a
> t["1"]
string a
> t.1
stdin:1: syntax error near '.1'
> t["x"] = 'string x'
> t.x
string x
可以看到t.x的x必须是非数字的字符串,要不然报错
- 列表式构造器{}
a = {"Monday","Tuesday","Wednesday"}
- 初始化记录式(record-like)表
a = {x=10,y=20}
不过这两种构造器都不能使用负数索引初始化元素,也不能使用不符合规范的标志符作为索引,所以通过方括号括起来的表达式显示的指定每一个索引,更灵活,如
> t = {[1]='a',[2]='b';["x"]="x+1"}
这里看到最后一个是分号,表中分隔符逗号和分号都可以。
5.3 数组、列表和序列
数组和列表就是索引都为正整数的表,序列是指不存在空洞(即所有元素均不为nil)的数组或列表,如:
> t = {1,nil,2,3,4} --不是序列
> t1 = {1,2,3,4,5} --是序列
> #t == #t1
true
"#"操作符对序列是有效的,但是对存在nil元素的数组,存在争议。
5.4 遍历表
遍历表有三种方式:
pairs 针对键值对的表,无序的循环
ipairs 针对列表,有序循环
for-do 针对列表,有序循环
> t = {10,print,x=12,k="hi"}
> for k,v in pairs(t) do
>> print(k,v)
>> end
1 10
2 function: 0x10237d8f0
k hi
x 12
> t = {10,print,12,"hi"}
> for i,v in ipairs(t) do
>> print(i,v)
>> end
1 10
2 function: 0x10d2198f0
3 12
4 hi
> for i=1,#t do
>> print(i,t[i])
>> end
1 10
2 function: 0x10d2198f0
3 12
4 hi
5.4 安全访问
当表嵌套比较深,要取最里面一个key的值,需要不断判断该key的上一级是否为空,如下:
zip = company and company.director and
company.director.address and
company.director.address.zipcode
这种写法冗余,在C#中使用?.作为安全访问操作符
zip = company?.director?.address?.zipcode
非常简洁,但是Lua没有这种机制,Lua使用 a or {}来处理这种情况
E = {}
...
zip = (((company or E).director or E).address or E).zipcode
虽然没有C#的简洁,但也算是一种足够好的替代方案了
5.4 表的标准库
table.insert 向序列的指定位置插入一个元素,其他元素依次后移,若不指定位置,则默认在最后一个位置插入。
table.remove 删除并返回序列指定位置的元素,若不指定位置,则默认删除最有一个元素
> t = {}
> for line in io.lines() do
>> if line == 'end' then
>> break;
>> end
>> table.insert(t,line)
>> end
1
2
3s
ee
q
34
123
xfgg
wqer
end
> print(#t)
9
> table.insert(t,45)
> #t
10
> table.insert(t,1,nil)
> #t
11
> table.insert(t,nil)
> #t
11
> table.remove(t)
45
> #t
10
> table.remove(t,1)
nil
> #t
9
> t[4] ..'\n' ..t[5]..'\n' ..t[6]
ee
q
34
> table.remove(t,5)
q
> t[4] ..'\n' ..t[5]..'\n' ..t[6]
ee
34
123
由此可知,table.insert 最后一个位置为nil,则为无效操作,若insert有数值的位置为nil,为有效操作。
table.move(t1,start_index,end_index,new_start_index,t2) 语言Lua 5.3版本,增加了table.move函数,将表t1从索引start_index到索引end_index的元素(包括start_index和end_index索引上的元素)移动到位置new_start_index上,如果t2有参数的话,就是把t1上指定位置的元素克隆岛表t2的new_start_index位置上
> t = {1,2,3,4,5}
> #t
5
> table.move(t,1,#t,2)
table: 0x7f98a7407d80
> #t
6
> for i,v in ipairs(t) do
>> print(i,v)
>> end
1 1
2 1
3 2
4 3
5 4
6 5
> t2={"a","b","c","d","e"}
> #t2
5
> table.move(t,5,#t,3,t2) --把t的[5,6]位置的元素克隆到t2的索引3上
table: 0x7f98a7603640
> #t2
5
> for i,v in ipairs(t2) do
>> print(i,v)
>> end
1 a
2 b
3 4
4 5
5 e
由此可知,从t中取元素克隆到t2已有元素的位置上,则是替换,非添加
网友评论