3

我制作了一张地板元素表:

map.list = {}
--first element
firstfloor = {}
firstfloor.x = 50
firstfloor.y = 800
firstfloor.width = 500
firstfloor.height = screenHeight - firstfloor.y
table insert(map.list,firstfloor)

现在我需要为下一层做一个构造函数。“x”值只是上一层的“x”位置+它的宽度。

function map:newFloor(x,y,width)
        local floor = {}
        floor.x = ??? --previous floor's x + previous floor's width
        floor.y = y
        floor.width = width
        floor.height = screenHeight - floor.y
        table.insert(map.list,floor)
        return floor
end

如您所见,这里没有索引。如何访问先前元素的值?

4

1 回答 1

3

当您使用table.insert时,这些值确实有索引( Lua 表中的每个值都有一个索引)。它们被分配给第一个可用的数字索引 - 数组的长度加 1。在 Lua 中,#运算符给出数组样式表的长度:

local list = {}
table.insert(list,'foo') -- equivalent to list[1] = 'foo'
table.insert(list,'bar') -- equivalent to list[2] = 'bar'
table.insert(list,'baz') -- equivalent to list[3] = 'baz'
print(#list) -- prints '3'

您可以通过检查表长度处的键,最后一个值来访问数组中的最后一个值(请记住,Lua 数组传统上从 1 开始):

print(list[#list]) -- prints 'baz'

因此,要访问前一个元素的值,您需要获取列表中的最后一项并检查:

local lastfloor = map.list[#map.list]
-- assuming floor is defined somewhere above
floor.x = lastfloor.x + lastfloor.width

学究式注释:如果您的表有“洞”(nil两个非nil值之间的数字索引处的值),“长度”之类的概念就会变得模糊。看起来这不会影响这个特定的用例,但它会出现。

于 2013-09-06T20:14:35.343 回答