无论我如何接近Lua,我都会遇到这个错误,所以我不能理解继承语言的东西:
尝试调用方法'func'(零值)
我已经在这里看过几次这个错误,但这个问题对我来说似乎并不清楚。
这是我的模块:
actor.lua
Actor = {
x = 0,
mt = {},
new = function()
local new_actor = {}
new_actor.x = Actor.x
new_actor.mt = Actor.mt
return new_actor
end,
test = function(self, a, b)
print(a, b)
end
}
我正在使用Löve main.lua
require "game/actor"
local a = Actor:new() --works fine
function love.load()
a.x = 10
print(a.x) --output: 10
a:test(11, 12) --error: attempt to call method 'test' (a nil value)
end
我也不确定何时在模块中使用之前的样式是合适的。
Actor = {
x = 0
}
Actor.mt = {}
function Actor.new()
print(42)
end
老实说,我不确定什么比另一个更正确,但考虑到我遇到一个简单的错误,可能是我完全没有找到的东西?
答案 0 :(得分:1)
看起来你正试图用一种由metatables组成的类来实例化。您基本上需要将new_actor
的metatable与Actor.mt
分配。 (恢复问题:当您为new_actor
建立索引时,在这种情况下您没有为Actor
建立索引)
setmetatable(new_actor, Actor.mt);
即使添加了元表,它也不会起作用,直到你把meta" __ index"用于索引包含类方法/值的表的事件,在本例中为:
Actor.mt = {
__index = Actor
};
我建议将您的类方法/值移动到新表中,例如Actor.prototype
,Actor.fn
等...避免冲突:
Actor.fn = {
test = function(self, a, b)
print(a, b)
end
};
Actor.mt = {
__index = Actor.fn
};