下面的update()
函数会在游戏的每一帧上被调用。如果Drop
粒子的y值大于160,我想从表中删除它。问题是我得到“尝试比较数字与零”错误,在下面注明的行上:
local particles = {};
function update()
local num = math.random(1,10);
if(num < 4) then
local drop = Drop.new()
table.insert ( particles, drop );
end
for i,val in ipairs(particles) do
if(val.y > 160) then --ERROR attempt to compare number with nil
val:removeSelf(); --removeSelf() is Corona function that removes the display object from the screen
val = nil;
end
end
end
我做错了什么?显然val
是零,但我不明白为什么表迭代会首先找到val,因为当它的y值大于160时我将它设置为nil。
答案 0 :(得分:3)
感谢您的回答,他们都很有帮助。这是最终为我工作的东西。 table.remove
调用是保持循环正常运行所必需的。
for i = #particles, 1, -1 do
if particles[i].y > 160 then
local child = table.remove(particles, i)
if child ~= nil then
display.remove(child)
child = nil
end
end
end
答案 1 :(得分:2)
你找错了地方,问题不在于val
是nil
,而是val.y
那是nil
。见这个例子:
> x=nil
> if x.y > 10 then print("test") end
stdin:1: attempt to index global 'x' (a nil value)
stack traceback:
stdin:1: in main chunk
[C]: ?
> x={y=nil}
> if x.y > 10 then print("test") end
stdin:1: attempt to compare number with nil
stack traceback:
stdin:1: in main chunk
[C]: ?
此外,当您将val
设置为nil
时,可能无法执行任何操作(我相信val
是副本):
> t={"a", "b", "c", "d"}
> for i,val in ipairs(t) do print(i, val) end
1 a
2 b
3 c
4 d
> for i,val in ipairs(t) do if i==3 then print("delete", val); val=nil end end
delete c
> for i,val in ipairs(t) do print(i, val) end
1 a
2 b
3 c
4 d
编辑:要删除表格中的元素,您需要table.remove
:
> t[3]=nil
> for i,val in ipairs(t) do print(i, val) end
1 a
2 b
> t[3]="c"
> for i,val in ipairs(t) do print(i, val) end
1 a
2 b
3 c
4 d
> for i,val in ipairs(t) do if i==3 then print("delete", val); table.remove(t, i) end end
delete c
> for i,val in ipairs(t) do print(i, val) end
1 a
2 b
3 d
答案 2 :(得分:0)
当 ipairs 正在迭代时,我不认为您可以修改表格的内容。我依稀记得读到我Lua 5.1 Reference Manual的硬拷贝,但我现在似乎无法找到它。当您将 val 设置为 nil 时,它会从 粒子中删除一个元素 table。
您可以尝试反向处理该表,因为您的函数正在完全扫描 粒子 表,有条件地删除了一些项目:
for x = #particles, 1, -1 do
if particles[x].y > 160 then
particles[x]:removeSelf()
particles[x] = nil
end
end
答案 3 :(得分:0)
JeffK的解决方案应该有效,但我认为它的工作原因并不是因为他正在向后遍历列表,而是因为他正在设置particles[i] = nil
而不是val = nil
。如果运行val = nil
,则只将val的本地副本设置为nil,而不是表中的条目。
试试这个:
for i,val in ipairs(particles) do
if(val.y > 160) then
particles[i]:removeSelf()
particles[i] = nil;
end
end