我正在尝试在 Lua 中实现简单的继承,因为它在PIL 16.2中提出。但是,我遇到了一个令人惊讶的行为:元方法似乎没有被继承。在下面的示例中,我创建了一个带有x
和y
成员的 Point 类,并给它一个__add
元方法。添加 Point 的实例时,一切正常,但如果我创建一个子类并添加它的实例,则会出现错误。
Point = {}
function Point:new(x, y)
local point = {}
setmetatable(point, self)
self.__index = self
point.x = x or 0
point.y = y or 0
return point
end
Point.__add = function(a, b)
return Point:new(a.x + b.x, a.y + b.y)
end
p = Point:new(2,2)
r1 = p + p
print(p.x, p.y) -- prints "4 4" as expected
ChildPoint = Point:new()
c = ChildPoint:new()
r2 = c + c -- Error: attempt to perform arithmetic on a table value (local 't1')
print(r.x, r.y)
我期待 Lua 会寻找__add
in ChildPoint
,这会触发ChildPoint
's __index
, find __add
in Point
。但这似乎并没有发生。
为什么这不起作用,实际发生了什么,以及(如果这是正确的行为,而不仅仅是我的错误)我如何在 Lua 中实现可继承的元方法?