我将 CSV 文件中的一些数据解析到 Lua 表中。
假设桌子看起来更大了
tab {
{ id = 1761, anotherID=2, ping=pong}
{ id = 2071, anotherID=4, ping=notpong}
}
现在我想知道每个 ID(尚未显示任何其他数据),以便将它们存储在另一个表中一段时间。
我现在完全迷失在这里..
用你写的内容我重写了一点,然后得到了:
minitab = {}
for i, value in ipairs(tab) do
local id = value.id
local anotherID = value.anotherID
minitab[id] = anotherID
end
这行得通吗?事实上,我后来只想获取更大数组(大约 30 个条目)的 2 个值 - 但我只能将单个数组推送到 GUI 下拉列表。我想将 ID 保存为键,并将“anotherID”值保存为该键之后的文本,因此如果请求第 2071 个值,它将显示“名称”4
下面的代码将 id 作为键存储在另一个表中:
id={}
for k,v in ipairs(tab) do
id[v.id]=true
end
然后您可以使用
id
遍历 pairs
以列出 id。
如果您想记住每个 id 的来源,请在循环中使用
id[v.id]=k
。
根据您的问题,您可以使用此代码遍历数据表
tab
并获取minitab
用于您的GUI数组:
--data
tab = {
{id = "4204", label = "2", desc = "Roancyme"},
{id = "5517", label = "9", desc = "Bicktuft"},
{id = "1035", label = "3", desc = "Pipyalum"},
}
--temporary table
local minitab = {}
for i, option in ipairs(tab) do
minitab[option.id] = option.label
end
--print minitab
print('<select>')
for id, label in pairs(minitab) do
print(string.format('<option value="%s">%s</option>', id, label)) --> <option value="1035">3</option>
end
print('</select>')
print()
但是,我认为没有必要创建一个临时表来存储这些值,因为你可以轻松地遍历你的原始表
tab
并直接拉出你需要的输出;像这样:
--print directly from tab
print('<select>')
for i, option in ipairs(tab) do
print(string.format('<option value="%s">%s</option>', option.id, option.label)) --> <option value="1035">3</option>
end
print('</select>')
print()
除非您需要在下拉列表中显示列表之前使用它(例如,向
label
添加一些前缀,按标签对 minitab
进行排序等);但你不想扰乱原始数据表tab
。在这种情况下,使用临时表是有意义的。
--format values in temporary table
local minitab = {}
for i, option in ipairs(tab) do
local minitabID = option.id
local minitabLabel = string.format('Item %s - %s', option.label, option.desc)
table.insert(minitab, {id = minitabID, label = minitabLabel})
end
--sort temporary table
table.sort(minitab, function (o1, o2) return o2.label > o1. label end)
--print formatted values from temporary table
print('<select>')
for i, option in ipairs(minitab) do
print(string.format('<option value="%s">%s</option>', option.id, option.label)) --> <option value="4204">Item 2 - Roancyme</option>
end
print('</select>')
注意:请记下哪个表迭代使用
ipairs
,哪个表迭代使用 pairs
。请参阅完整的代码片段此处。