我正在努力学习Lua,所以希望这是一个容易回答的问题。以下代码不起作用。变量childContext在所有类实例之间泄漏。
--[[--
Context class.
--]]--
CxBR_Context = {}
-- Name of Context
CxBR_Context.name = "Context Name Not Set"
-- Child Context List
CxBR_Context.childContexts = {}
-- Create a new instance of a context class
function CxBR_Context:New (object)
object = object or {} -- create object if user does not provide one
setmetatable(object, self)
self.__index = self
return object
end
-- Add Child Context
function CxBR_Context:AddChildContext(context)
table.insert(self.childContexts, context)
print("Add Child Context " .. context.name .. " to " .. self.name)
end
--[[--
Context 1 class. Inherits CxBR_Context
--]]--
Context1 = CxBR_Context:New{name = "Context1"}
--[[--
Context 1A class.Inherits CxBR_Context
--]]--
Context1A = CxBR_Context:New{name = "Context1A"}
--[[--
Context 2 class.Inherits CxBR_Context
--]]--
Context2 = CxBR_Context:New{name = "Context2"}
--[[--
TEST
--]]--
context1 = Context1:New() -- Create instance of Context 1 class
print(context1.name .." has " .. table.getn(context1.childContexts) .. " children")
context2 = Context2:New() -- Create instance of Context 2 class
print(context2.name .." has " .. table.getn(context2.childContexts) .. " children")
context1A = Context1A:New() -- Create instance of Context 1A class
print(context1A.name .." has " .. table.getn(context1A.childContexts) .. " children")
context1:AddChildContext(context1A) -- Add Context 1A as child to context 1
print(context1.name .." has " .. table.getn(context1.childContexts) .. " children") -- Results Okay, has 1 child
print(context2.name .." has " .. table.getn(context2.childContexts) .. " children") -- Why does thin return 1, should be 0
查看Object oriented lua classes leaking我可以通过将构造函数更改为:
来解决我的问题-- Child Context List
-- CxBR_Context.childContexts = {}
-- Create a new instance of a context class
function CxBR_Context:New (object)
object = object or { childContexts = {} } -- create object if user does not provide one
setmetatable(object, self)
self.__index = self
return object
end
所以我的问题是:
答案 0 :(得分:1)
不,我不这么认为。您希望您创建的每个子Context对象都有自己的childContexts字段。
它有效,因为您将包含名称字段的表传递给New函数。你在这里做的是:
Context1 = CxBR_Context:新{name =“Context1”}
所以基本上,当你调用Context1.name时,你从调用构造函数时创建的Context1表中检索一个字段。但是当你使用childContext对它进行索引并且不存在这样的字段时(因为在构造函数阶段你只创建了一个“name”字段),Lua会查看__index表,即CxBR_Context。此表对所有ContextX对象都是通用的。
编辑:
object = object or { childContexts = {} } -- create object if user does not provide one
实际上,如果您提供自己的表格,这也不会起作用:
Context1 = CxBR_Context:New{name = "Context1"}
只有当你的object参数为nil时才会有效,也就是说你只使用self参数调用构造函数。
答案 1 :(得分:0)
<强> 1 强>
通过使用table.insert(self.member, v)
,您正在修改由self.member
指向的容器的内容,该容器最终成为该成员所在的最近的超类。
如果需要为子类成员分配值,请明确执行。使用
-- create a copy of array with one additional element
self.childContexts = { context, unpack(self.childContexts) }
而不是
table.insert(self.childContexts, context)
<强> 2 强>
因为您使用CxBR_Context.name
的作业而不是CxBR_Context.childContexts
使用它。