我现在有一个非常令人费解的设置。我有一个常规函数,它返回一个表中包含函数的表" string"和"数字":
function defGeneric()
local function funcNumber(a)
return 2*a^2
end
local function funcString(a)
return a.." - test"
end
local returnTable={}
returnTable["number"]=funcNumber
returnTable["string"]=funcString
return returnTable
end
这很好用。但我现在要做的是使该函数返回的表可调用。为了说明,我们说我们有v=defGeneric()
。具体做法是:
v
调用str
,请返回v["string"](str)
v
调用n
,请返回v["number"](n)
这显然是metatables的工作,所以我可以(在我的函数中)添加代码来设置metatable:
local metaTable = {
__call = function (...) -- "call" event handler
return
end
}
setmetatable(returnTable,metaTable)
但我不知道在返回声明之后我会放什么。我不认为我可以引用returnTable,因为这个表将被调用如下:
v=defGeneric()
v("test")
我需要参考v
'" string" function(当然在一个程序中可能有多个defGeneric()表)。
我认为这里的答案可能是一些self
技巧,但我无法理解这些问题。如何从元表中引用元表?
答案 0 :(得分:0)
传递给__call
函数的第一个参数是它被调用的表,在这种情况下从函数返回的表。您可以使用type(a)
将参数类型作为字符串获取,因此您可以执行以下操作:
function defGeneric()
local result = {
['number'] = function(a) return 2*a^2 end,
['string'] = function(a) return a.." - test" end
}
setmetatable(result, {
__call = function(t,a)
local f = t[type(a)]
if f == nil then return "No handler for type "..type(a) end
-- alternate:
-- if f == nil and t['string'] ~= nil then return t['string'](tostring(a)) end
return f(a)
end
})
return result
end
local def = defGeneric()
print("string: "..tostring(def('sample string')))
print("number: "..tostring(def(5)))
print("table: "..tostring(def({})))
print("boolean: "..tostring(def(1 > 5)))
输出
string: sample string - test
number: 50.0
table: No handler for type table
boolean: No handler for type boolean
备用输出
string: sample string - test
number: 50.0
table: table: 0x18537e0 - test
boolean: false - test