基本上,我想要一个字符串,如果连续有多个'+',我想删除除一个之外的所有字符串。所以:
"This++is+an++++ex+ampl++e"
会变成
"This+is+an+ex+ampl+e"
我不确定LINQ或Regex或其他什么东西最适合,但它不必使用任何特定的方法。
答案 0 :(得分:9)
Regex.Replace(str, @"\++", "+");
答案 1 :(得分:0)
有很多方法可以用更少的代码来实现这一点(@slaks向我展示了我需要重新学习正则表达式),但是如果你做了很多的话,这应该在大多数情况下尽可能快地接近。
public static string RemoveDupes(this string replaceString, char dupeChar){
if(replaceString == null || String.Length < 2){ return replaceString; }
int startOfGood = 0;
StringBuilder result = new StringBuilder();
for(int x = 0;x<replaceString.Length-1;x++){
if(replaceString[x] == dupeChar && replaceString[x+1] == dupeChar){
result.Append(replaceString.SubString(startOfGood,x-startOfGood));//I think this works with length 0
startOfGood = x+1;
}
}
result.Append(replaceString.Substring(startOfGood,
replaceString.Length-startOfGood));
return result.ToString();
}
//Usage:
var noDupes = "This++is+an++++ex+ampl++e".RemoveDupes('+');
答案 2 :(得分:0)
Microsoft的Interactive Extensions (Ix)有一个名为DistinctUntilChanged
的方法可以满足您的需求。该库中包含许多有用的功能 - 但它是另一个整个库,您可能不想打扰它。
用法如下:
str = new string(str
.ToEnumerable()
.DistinctUntilChanged()
.ToArray());
如果您只想删除加号,那么您可以这样做:
str = new string(str
.ToEnumerable()
.Select((c, i) => new { c, i = (c != '+' ? i : -1) })
.DistinctUntilChanged()
.Select(t => t.c)
.ToArray());
答案 3 :(得分:0)
while (str.Contains("++"))
str = str.Replace("++", "+");