3

我使用这个变量创建了一个BaseModule用变量template_path和函数调用的模块get_template

module("BaseModule", package.seeall)
template_path = '/BASEMODULE_PATH/file.tmpl'
function get_template()
  print template_path
end

然后我创建另一个名为“ChildModule”的模块

local BaseModule = require "BaseModule"
module("ChildModule", package.seeall)
setmetatable(ChildModule, {__index = BaseModule})
template_path = '/CHILDMODULE_PATH/file.tmpl'
some_child_specific_variable = 1

通过这样做,setmetatable我想将所有变量和函数从 to 复制BaseModuleChildModule假设继承它们)并将一些额外的方法和变量添加到新模块。

问题是当我打电话时

ChildModule.get_template

我希望它会返回/CHILDMODULE_PATH/file.tmpl,但不会。它返回/BASEMODULE_PATH/file.tmpl

但是,当我访问ChildModule.template_path它时,它包含正确的值(来自ChildModule)。

我该怎么做才能让 LuaChildModule在方法中使用变量ChildModule.get_template但不使用BaseModule(父模块)变量?Lua 中没有这个对象,所以我如何告诉 Lua 使用当前值?

4

2 回答 2

3

我认为您仍在使用已弃用的 Lua 版本。无论如何,您需要在using some function中设置template_pathvalue ,并将base 中的设置为. 所以,像这样:BaseModuletemplate_pathlocal

基本模块

module("BaseModule", package.seeall)
local template_path = "/BASEMODULE_PATH/file.tmpl"
function get_template()
  print(template_path)
end
function set_template( sLine )
  template_path = sLine
end

子模块

local BaseModule = require "BaseModule"
module("ChildModule", package.seeall)
setmetatable(ChildModule, {__index = BaseModule})
ChildModule.set_template( "/CHILDMODULE_PATH/file.tmpl" )
some_child_specific_variable = 1
ChildModule.get_template()

由于您是继承,因此您不能尝试直接设置 base-module 的全局变量。

于 2013-01-21T10:40:40.727 回答
0

我认为您正在尝试操作变量,而您可能想要操作您正在创建的对象的属性。也许是这样的:

-- base.lua
local M = {}
M.template_path = '/BASEMODULE_PATH/file.tmpl'
function M:get_template()
  return self.template_path
end
return M

-- child.lua
local M = {}
setmetatable(M, {__index = require "base"})
M.template_path = '/CHILDMODULE_PATH/file.tmpl'
M.some_child_specific_variable = 1
return M

-- main.lua
local base = require "base"
local child = require "child"

print(base:get_template(), child:get_template(),
  child.some_child_specific_variable)

这将打印:

/BASEMODULE_PATH/file.tmpl  /CHILDMODULE_PATH/file.tmpl 1

如您所料。

顺便说一句,您可以变成child.lua单线:

return setmetatable({template_path = '/CHILDMODULE_PATH/file.tmpl',
  some_child_specific_variable = 1}, {__index = require "base"})

不是你应该,但你可以。

于 2013-01-22T06:13:23.170 回答