拆分字符串并存储在lua中的数组中

时间:2012-10-03 13:08:44

标签: string lua split

我需要拆分一个字符串并将其存储在一个数组中。这里我使用了string.gmatch方法,并且它完全分割了字符,但我的问题是如何存储在数组中?这是我的剧本。 我的样本字符串格式:touchingSpriteName = Sprite,10,rose

objProp = {}
for key, value in string.gmatch(touchedSpriteName,"%w+") do 
objProp[key] = value
print ( objProp[2] )
end

如果我打印(objProp)它给出的确切值。

3 个答案:

答案 0 :(得分:5)

您的表达式只返回一个值。你的单词将以键结束,值将保持为空。你应该重写循环来迭代一个项目,如下所示:

objProp = { }
touchedSpriteName = "touchedSpriteName = Sprite,10,rose"
index = 1

for value in string.gmatch(touchedSpriteName, "%w+") do 
    objProp[index] = value
    index = index + 1
end

print(objProp[2])

这会在{ide}上打印Spritelink到演示文稿)。

答案 1 :(得分:5)

这是一个很好的函数,可以将字符串分解为数组。 (参数为dividerstring

-- Source: http://lua-users.org/wiki/MakingLuaLikePhp
-- Credit: http://richard.warburton.it/
function explode(div,str)
    if (div=='') then return false end
    local pos,arr = 0,{}
    for st,sp in function() return string.find(str,div,pos,true) end do
        table.insert(arr,string.sub(str,pos,st-1))
        pos = sp + 1
    end
    table.insert(arr,string.sub(str,pos))
    return arr
end

答案 2 :(得分:0)

这是我做的一个功能:

function split(str, character)
  result = {}

  index = 1
  for s in string.gmatch(str, "[^"..character.."]+") do
    result[index] = s
    index = index + 1
  end

  return result
end

你可以称之为:

split("dog,cat,rat", ",")