Lua如何将单词对字符串拆分为两个单独的变量?

我有这段代码,它读取一个包含每行由空格分隔的单词对列表的txt文件,并且对于每一行,代码将单词对拆分为单独的单词并依次打印每个单词:

file = io.open( "test.txt", "r" )

temp = {}
for line in file:lines() do
    for word in line:gmatch("%w+") do
        print(word)
    end
end
file:close()

示例 test.txt

big small
tall short
up down
left right

输出

big
small
tall
short
up
down
left
right

然而,我需要将每个单词对中的每个单词拆分为单独的变量,以便我可以使用if语句在word1上做一些操作,以处理word2。

例如:

file = io.open( "test.txt", "r" )

temp = {}
for line in file:lines() do
    for word in line:gmatch("%w+") do
        word1 = 第一个单词
        word2 = 第二个单词
        if (word1 = "tall") then
            print(word2)
        end
    end
end
file:close()

原文链接 https://stackoverflow.com/questions/70902602

点赞
stackoverflow用户13244207
stackoverflow用户13244207

我自己不会用 Lua 编程,因此如果以下代码有什么问题,请提前谅解:

file = io.open("test.txt", "r")

temp = {}
for line in file:lines() do
        words = {}
        for word in line:gmatch("%w+") do table.insert(words, word) end
        if (words[1] == "tall") then
                print(words[2])
        end
end
file:close()

运行这段代码并针对您提供的测试文件,返回单词 short,我认为这就是您需要的吗?

2022-01-29 06:01:46
stackoverflow用户2858170
stackoverflow用户2858170

对于几个单词,可以使用捕获组。此机制使得可以获取匹配的特定部分。

参见 https://www.lua.org/manual/5.4/manual.html#6.4.1

local w1, w2 = line:match("(%w+)%s+(%w+)")

或者,对于许多单词,您将所有单词放入表格中。

local line_words = {}
for word in line:gmatch("%w+") do
  table.insert(line_words, word)
end
2022-01-29 11:59:26