如何在Lua中解析一系列带有空格的字符串

问题描述 投票:2回答:2

我正在尝试解析一个txt文件,该文件的格式为Lua中的主机名IP mac-address。所有三个用空格分隔,尝试然后使用Lua将其存储到表中。

我试过这样做:匹配功能,但无法看到让它工作。

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

它继续在内存中打印存储每个键/值的位置(我认为)。

我确信这是一个相对容易的修复,但我似乎无法看到它。

parsing lua
2个回答
2
投票

如果hostname,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+)"))

那么hostnameclient[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
© www.soinside.com 2019 - 2024. All rights reserved.