今天我使用LÖVE一段时间后遇到了Corona SDK。我偶然发现了一个我似乎无法解决的问题。子弹确实会产卵,但它们一动不动。有更新每个子弹的另一种选择还是我做错了什么?
Bullets = {}
Bullets.__index = Bullets
function Bullets.new()
local this = {}
this.x = Player.x
this.remove = false
this.dir = math.random(1,2)
this.timer = 0
this.velocity = math.random(2,5)
if this.dir == 1 then
this.y = display.actualContentHeight
elseif this.dir == 2 then
this.y = 0
end
this.rect = display.newRect(this.x,this.y,math.random(5,10),math.random(5,10))
this.rect:setFillColor(0)
return setmetatable(this,Bullets)
end
function Bullets.update(self,event)
self:move()
end
function Bullets.move(self)
if self.dir == 1 then
self.y = self.y + self.velocity
elseif self.dir == 2 then
self.y = self.y - self.velocity
end
end
function Bullets.destroy(self)
self.remove = true
end
Bullets.enterFrame = Bullets.update
Runtime:addEventListener("enterFrame",Bullets)
timer.performWithDelay(500,Bullets.new,0)
在LÖVE中,我可以使用以下内容更新每个子弹:
function love.update(dt)
for _,v in ipairs(Bullets) do v:update(dt) end
end
答案 0 :(得分:1)
基于你在Love中使用的循环,我会使Bullets
成为Bullet
的数组,并且你的更新函数应该像在Love中一样循环。所以你需要一些修复:
1)您发布的代码中的任何地方都会将Bullets
更改为Bullet
2)替换这些行
Bullets.enterFrame = Bullets.update
Runtime:addEventListener("enterFrame",Bullets)
timer.performWithDelay(500,Bullets.new,0)
与
lastTime = 0
function updateBullets(event)
local dt = lastTime - event.time
lastTime = event.time
for _,v in ipairs(Bullets) do v:update(dt) end
end
Runtime:addEventListener("enterFrame",updateBullets)
timer.performWithDelay(500,Bullet.new,0)
3)使new()
将新的Bullet添加到Bullets
列表中:
function Bullet.new()
local this = {}
table.insert(Bullets, this)
... rest is same...
end
4)(可能,请参阅后面的注释)使子弹在销毁时从子弹列表中移除:
function Bullet.destroy(self)
self.remove = true
remove = find_bullet_in_bullets_list(self)
table.remove(Bullets, remove)
end
根据你对self.remove = true
的使用,可能不需要最后一步4,我猜你有“标记为删除”和“实际删除”的单独阶段,但你明白了。