我们如何更改打印显示 table 的方式

How do we change the way print displays a table

假设我有一段代码如下

aTable = {aValue=1}
aTable_mt = {}
print(aTable)  

我必须怎么做才能使 Lua 打印出类似于 aTable current aValue = 1 而不是 table: 0x01ab1d2 的内容。

到目前为止,我已经尝试设置 __tostring 元方法,但 print 似乎没有调用它。是否有一些我遗漏的元方法,或者答案是否与元方法无关?

我不确定你是如何设置元方法的,但下面的代码为我打印了 "stringified":

local aTable = {a = 1, b = 2}
setmetatable(aTable, {__tostring = function() return "stringified" end})
print(aTable)

__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 是引用 table 的变量,而不是 table 本身的内容。

如果您希望 lua 打印所有人类可读的表格,您可以 挂钩 up/overwrite 打印功能:

local orig_print = print

print = function(...)
  local args = {...}
  for i,arg in ipairs(args) do
    if type(arg) == 'table' then
      args[i] = serialize(arg)
    end
  end
  orig_print(table.unpack(args))
end

serialize 可以是 serpent or some other lib from here

请注意,这必须在加载任何其他 module/script 之前完成。