如何在lua中查找字符串的一部分,并分成3部分? (之前,匹配,之后)

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

说我有这个字符串,我想分开“蓝色”

local str = "The mouse walked by the blue cheese"

这样做

local pre = "The mouse walked by the "    
local matched = "blue"    
local post = " cheese"

有什么建议吗?我搜索了一段时间,感觉卡住了。

我试过这个,它适用于英语,但似乎不适用于阿拉伯语:(

function split(string, delimiter)
  local result = { }
  local from = 1
  local delim_from, delim_to = string.find( string, delimiter, from )
  while delim_from do
    table.insert( result, string.sub( string, from , delim_from-1 ) )
    from = delim_to + 1
    delim_from, delim_to = string.find( string, delimiter, from )
  end
  table.insert( result, string.sub( string, from ) )
  return result
end

local myStr = "The mouse walked by the blue cheese"

sep = split(myStr, "blue")
print("part1 1: "..sep[1])
print("part2 2: "..sep[2])

已编辑================================================= ==

如果有多个目标词要拆分,请告诉我该怎么办

local myStr = "the mouse ate the cheese, the mouse ate the cheese!, lot of cheese there !"

这里的问题是它将它分成多个,需要的是

在=“老鼠吃了”= =之后,老鼠吃了奶酪!那里有很多奶酪!“

我做了这个,它适用于英语,但不适用于阿拉伯语

function split4(pString, pPattern)

    local didFind = 0

    if string.find(pString,".") then
        pString = string.gsub(pString,"%.","'.'")
    end

    if pPattern == "." then
        pPattern = "'.'"
    end

    local Table = {}  -- NOTE: use {n = 0} in Lua-5.0
    local FinalTable = {}
    local fpat = "(.-)" .. pPattern
    local last_end = 1
    local s, e, cap = pString:find(fpat, 1)
    while s do
        if s ~= 1 or cap ~= "" then
            print("Found")
            table.insert(Table,cap)
            didFind = didFind + 1
        end
        last_end = e+1
        s, e, cap = pString:find(fpat, last_end)
    end
    if last_end <= #pString then
        print("Found NOT")
        cap = pString:sub(last_end)
        table.insert(Table, cap)
    end
    print(#Table)
    print("totalDidFind "..didFind)


    FinalTable[1] = Table[1]

    if (didFind > 2) then
      local endString = ""
      for z = 2 , didFind do 
        endString = endString..Table[z]..pPattern
      end
      FinalTable[2] = endString

    end

    totalDidFind = 0
    return FinalTable
end
string split lua corona
1个回答
3
投票

你可以使用string.match()lua patterns

local str = "The mouse walked by the blue cheese"
local before, matched, after = str:match('^(.*)(blue)(.*)$')

而现在,你的split功能非常简单:

function split(str, match)
    return str:match('^(.-)'..match..'(.*)$') -- Return two resulsts, but not table
end

P.S。:也许,你想在文本中找到多个匹配?在这种情况下,请编辑您的问题。

© www.soinside.com 2019 - 2024. All rights reserved.