假设我有一段代码,例如以下
aTable = {aValue=1}
aTable_mt = {}
print(aTable)
我必须做些什么才能让Lua打印出aTable current aValue = 1
而不是table: 0x01ab1d2
。
到目前为止,我已尝试设置__tostring
元方法,但print
似乎无法调用此方法。是否有一些我遗漏的元方法或答案与元方法无关?
答案 0 :(得分:2)
我不确定你如何设置元方法,但以下代码为我打印“stringified”:
local aTable = {a = 1, b = 2}
setmetatable(aTable, {__tostring = function() return "stringified" end})
print(aTable)
答案 1 :(得分:2)
__tostring
有效:
aTable = {aValue=1}
local mt = {__tostring = function(t)
local result = ''
for k, v in pairs(t) do
result = result .. tostring(k) .. ' ' .. tostring(v) .. ''
end
return result
end}
setmetatable(aTable, mt)
print(aTable)
这会打印aValue 1
(有一个额外的空格,在实际代码中删除它)。 aTable
部分不可用,因为aTable
是引用表的变量,而不是表本身的内容。
答案 2 :(得分:2)