有没有办法使用 table.concat 的 arg 2 值来表示当前表索引?
例如:
t = {}
t[1] = "a"
t[2] = "b"
t[3] = "c"
X = table.concat(t,"\n")
表 concat (X) 的所需输出:
"1 a\n2 b\n3 c\n"
有没有办法使用 table.concat 的 arg 2 值来表示当前表索引?
例如:
t = {}
t[1] = "a"
t[2] = "b"
t[3] = "c"
X = table.concat(t,"\n")
表 concat (X) 的所需输出:
"1 a\n2 b\n3 c\n"
我不这么认为:例如,您如何告诉它键和值之间的分隔符应该是空格?
您可以编写一个通用映射函数来做您想做的事情:
function map2(t, func)
local out = {}
for k, v in pairs(t) do
out[k] = func(k, v)
end
return out
end
function joinbyspace(k, v)
return k .. ' ' .. v
end
X = table.concat(map2(t, joinbyspace), "\n")
简单的回答:没有。
table.concat
是非常基本的东西,而且非常快。
因此,无论如何您都应该循环执行。
如果你想避免过多的字符串连接,你可以这样做:
function concatIndexed(tab,template)
template = template or '%d %s\n'
local tt = {}
for k,v in ipairs(tab) do
tt[#tt+1]=template:format(k,v)
end
return table.concat(tt)
end
X = concatIndexed(t) -- and optionally specify a certain per item format
Y = concatIndexed(t,'custom format %3d %s\n')
不,但是有一个解决方法:
local n = 0
local function next_line_no()
n = n + 1
return n..' '
end
X = table.concat(t,'\0'):gsub('%f[%Z]',next_line_no):gsub('%z','\n')
function Util_Concat(tab, seperator)
if seperator == nil then return table.concat(tab) end
local buffer = {}
for i, v in ipairs(tab) do
buffer[#buffer + 1] = v
if i < #tab then
buffer[#buffer + 1] = seperator
end
end
return table.concat(buffer)
end
用法tab
是表输入所在的位置,分隔符是两者nil
或字符串(如果它nil
像普通的一样table.concat
)
print(Util_Concat({"Hello", "World"}, "_"))
--Prints
--Hello_world