我想在下表中进行模式匹配。如果匹配,则以第二列和第三列的值作为答案。第一列可以有一个或多个模式,第5行只有一个模式可以匹配。
local pattern_matrix = {
{{ "^small%-", "%-small%-", }, "small", 50},
{{ "^medium%-", "%-medium%-", }, "medium", 200},
{{ "^big%-", "%-big%-", }, "big", 3},
{{ "^large%-", "%-large%-", "^L%-", }, "large", 42},
{{ "%-special%-", }, "special", 5},
}
我正在使用以下代码查找与输入匹配的行:
local function determine_row(name)
for i = 1,#pattern_matrix,1 do
for _,pattern in pairs(pattern_matrix[i][1]) do --match against column 1
if name:match(pattern) then
return i --match found in row i
end
end
end
return 0
end
结果应该是
determine_row("itsamedium") = 2
determine_row("blaspecialdiscount") = 5
determine_row("nodatatomatch") = 0
您的代码看起来基本上正确,但是您使用的模式有些偏离。您没有得到预期的索引,因为所有模式都希望匹配的单词周围有连字符。 (由于您的图案中为%-
)
如Allister所述,如果您想匹配问题中的样本输入,您可以将该字面值添加到模式列表中。从使用情况来看,您甚至可以简化模式。对于不区分大小写的搜索,请在匹配之前在输入上使用lower()
或upper()
。
例如:
<script src="https://github.com/fengari-lua/fengari-web/releases/download/v0.1.4/fengari-web.js">
</script>
<script type='application/lua'>
local pattern_matrix =
{
{ "small", 50},
{ "medium", 200},
{ "big", 3},
{ "large", 42},
{ "special", 5},
}
local function determine_row(name)
for i, row in ipairs(pattern_matrix) do
if name:match(row[1]) then
return i -- match found in row i
end
end
return 0
end
local test_input = { "itsa-medium-", "itsBiG no hyphen", "bla-special-discount", "nodatatomatch" }
for _, each in ipairs(test_input) do
print( each, determine_row(each:lower()) )
end
</script>