我有以下字符串:
example =“1,3,4-7,9,13-17”
有了这些值,我想要下一个数组:1,3,4,5,6,7,9,13,14,15,16,17
使用下面的脚本我得到逗号之间的值,但我如何得到其余的。
teststring = "1,3,4-7,9,13-17"
testtable=split(teststring, ",");
for i = 1,#testtable do
print(testtable[i])
end;
function split(pString, pPattern)
local Table = {} -- NOTE: use {n = 0} in Lua-5.0
local fpat = "(.-)" .. pPattern
local last_end = 1
local s, e, cap = pString:find(fpat, 1)
while s do
if s ~= 1 or cap ~= "" then
table.insert(Table,cap)
end
last_end = e+1
s, e, cap = pString:find(fpat, last_end)
end
if last_end <= #pString then
cap = pString:sub(last_end)
table.insert(Table, cap)
end
return Table
end
输出
1
3
4-7
9
13-17
答案 0 :(得分:3)
以下代码解决了您的问题,因为您的输入字符串符合该格式
local test = "1,3,4-7,8,9-12"
local numbers = {}
for number1, number2 in string.gmatch(test, "(%d+)%-?(%d*)") do
number1 = tonumber(number1)
number2 = tonumber(number2)
if number2 then
for i = number1, number2 do
table.insert(numbers, i)
end
else
table.insert(numbers, number1)
end
end
首先我们使用string.gmatch
来迭代字符串。该模式将匹配一个或多个数字,后跟一个或零“ - ”,后跟零个或多个数字。通过使用捕获,我们确保number1
是第一个数字,number2
是第二个数字,如果我们确实有一个给定的间隔。如果我们有一个间隔给定,我们使用从number1
到number2
的for循环在两者之间创建数字。如果我们没有间隔number2
为零,我们只有number1
,所以我们只插入它。
有关详细信息,请参阅Lua参考手册 - Patterns和string.gmatch
答案 1 :(得分:0)
这是另一种方法:
for _, v in ipairs(testtable) do
if string.match(v,'%-') then
local t= {}
for word in string.gmatch(v, '[^%-]+') do
table.insert(t, word)
end
for i = t[1],t[2] do print(i) end
else
print (v)
end
end