我正在尝试解析Lua中主机名IP mac-address 格式的txt文件。这三个都用空格隔开,请尝试使用Lua将其存储到表中。
我尝试使用:match函数来执行此操作,但是看不到它能正常工作。
function parse_input_from_file()
array ={}
file = io.open("test.txt","r")
for line in file:lines() do
local hostname, ip, mac = line:match("(%S+):(%S+):(%S+)")
local client = {hostname, ip, mac}
table.insert(array, client)
print(array[1])
end
end
它继续打印每个键/值在内存中的存储位置(我认为)。
我确定这是一个相对简单的修复程序,但似乎看不到。
答案 0 :(得分:2)
如果主机名,ip和mac由空格分隔,则您的模式可能不使用冒号。 我添加了一些更改以将捕获内容存储在客户端表中。
function parse_input_from_file()
local clients ={}
local file = io.open("test.txt","r")
for line in file:lines() do
local client = {}
client.hostname, client.ip, client.mac = line:match("(%S+) (%S+) (%S+)")
table.insert(clients, client)
end
return clients
end
for i,client in ipairs(parse_input_from_file()) do
print(string.format("Client %d: %q %s %s", i, client.hostname, client.ip, client.mac))
end
或者:
local client = table.unpack(line:match("(%S+) (%S+) (%S+)"))
然后hostname
是client[1]
,这不是很直观。
答案 1 :(得分:1)
正则表达式中没有冒号:
local sampleLine = "localhost 127.0.0.1 mac123"
local hostname, ip, mac = sampleLine:match("(%S+) (%S+) (%S+)")
print(hostname, ip, mac) -- localhost 127.0.0.1 mac123