我有一个类似的字符串:
[13:41:25] [100:Devnull]: 01:41:20, 13:41:21> |Hunit:Player-3693-07420299:DevnullYour [Chimaera Shot] hit |Hunit:Creature-0-3693-1116-3-87318-0000881AC4:Dungeoneer's Training DummyDungeoneer's Training Dummy 33265 Nature.
如果你想知道,它来自魔兽世界。
我想以这样的东西结束:
[13:41:25] [100:Devnull]: 01:41:20, 13:41:21> Your [Chimaera Shot] hit Dungeoneer's Training Dummy 33265 Nature.
如果您注意到,"地下城玩家的训练假人"会打印两次。我已经用这样的东西去掉了第一个"|Hunit"部分:
str = "[13:41:25] [100:Devnull]: 01:41:20, 13:41:21> |Hunit:Player-3693-07420299:DevnullYour [Chimaera Shot] hit |Hunit:Creature-0-3693-1116-3-87318-0000881AC4:Dungeoneer's Training DummyDungeoneer's Training Dummy 33265 Nature."
str = string.gsub(str, "|Hunit:.*:.*Your", "Your")
返回的是:
print(str) # => [13:41:25] [100:Devnull]: 01:41:20, 13:41:21> Your [Chimaera Shot] hit |Hunit:Creature-0-3693-1116-3-87318-0000881AC4:Dungeoneer's Training DummyDungeoneer's Training Dummy 33265 Nature.
然后我添加第二个gsub:
str = string.gsub(str, "|Hunit:.*:", "")
print(str) # => [13:41:25] [100:Devnull]: 01:41:20, 13:41:21> Your [Chimaera Shot] hit Dungeoneer's Training DummyDungeoneer's Training Dummy 33265 Nature.
但是,"地下城人的训练假人"的双重字符串显然是重复的。
我怎样才能去掉重复的字符串?这个字符串可以是其他任何东西,在本例中是"地下城训练假人",但它可以是任何其他目标的名称。
您可以尝试以下操作:
str = "[13:41:25] [100:Devnull]: 01:41:20, 13:41:21> Your [Chimaera Shot] hit Dungeoneer's Training DummyDungeoneer's Training Dummy 33265 Nature."
-- find a string that starts with 'hit', has some number of non-digits
-- and ends with one or more digit and one or more characters.
-- these characters will be "captured" into three strings,
-- which are then passed to the "replacement" function.
-- the returned result of the function replaces the value in the string.
str = str:gsub("(hit%s+)([^%d]+)(%d+.+)", function(s1, s2, s3)
local s = s2:gsub("%s+$","") -- drop trailing spaces
if #s % 2 == 0 -- has an even number of characters
and s:sub(0, #s / 2) -- first half
== -- is the same
s:sub(#s / 2 + 1) -- as the second half
then -- return the second half
return s1..s:sub(#s / 2 + 1)..' '..s3
else
return s1..s2..s3
end
end)
print(str)
这将打印:[13:41:25] [100:Devnull]: 01:41:20, 13:41:21> Your [Chimaera Shot] hit Dungeoneer's Training Dummy
此代码将尝试提取目标的名称,并检查该名称是否完全重复。如果匹配失败,则返回原始字符串。