零值崩溃 - Love2D Lua



我正在实例化一个球,它运行良好,当我尝试调用centerCoordinatesOn时它崩溃了。

Ball = Class{}
function Ball:init(skin)
-- simple positional and dimensional variables
self.width = 8
self.height = 8
-- these variables are for keeping track of our velocity on both the
-- X and Y axis, since the ball can move in two dimensions
self.dy = 0
self.dx = 0
-- this will effectively be the color of our ball, and we will index
-- our table of Quads relating to the global block texture using this
self.skin = skin
self.needsStartup = true
end
function Ball:centerCoordinatesOn(x, y, width)
print(x.." "..y.." "..width)--attempt to concatenate local 'width' (a nil value)
self.x = x + (width / 2) - 4
self.y = y - 8
end


self.ball = Ball()
self.ball.skin = math.random(7)    
self.ball.centerCoordinatesOn(1,1,1)--crash

如果我删除该方法并手动调用它的内容,它可以正常工作:

self.ball.x = 1 + (1 / 2) - 4
self.ball.y = 1 - 8

我也尝试重命名变量,也许它们会与类宽度 -> self.width 的内部方法冲突,但即使我称它们为 a,b,c,也发生了同样的事情。

你忘记了:,所以当你调用self.ball.centerCoordinatesOn(1,1,1)时,你只有 3 个参数,而不是centerCoordinatesOn预期的 4 个参数

这是因为当您定义

Ball:centerCoordinatesOn(x, y, width)

编写此定义的另一种方法是

Ball.centerCoordinatesOn(self, x, y, width)

无论使用哪种定义width都是第 4 个参数,最终与您当前的调用nil

所以你对self.ball.centerCoordinatesOn(1,1,1)的呼唤应该是:

self.ball:centerCoordinatesOn(1,1,1) --note the : after ball.
-- or --
self.ball.centerCoordinatesOn(self.ball, 1, 1, 1) --note first param is ball.

最新更新