https://www.coder.work/article/963734
标签 c# regex string substring
我正在尝试删除给定字符串末尾的数字。
AB123 -> AB
123ABC79 -> 123ABC
我尝试过这样的事情;
string input = “123ABC79”;
string pattern = @“^\d+|\d+$”;
string replacement = “”;
Regex rgx = new Regex(pattern);
string result = rgx.Replace(input, replacement);
然而替换字符串与输入相同。我对正则表达式不是很熟悉。 我可以简单地将字符串拆分为一个字符数组,然后循环它来完成它,但这并不是一个好的解决方案。删除仅在字符串末尾的数字有什么好的做法?
提前致谢。
最佳答案
String.TrimEnd() 比使用正则表达式更快:
var digits = new[] { ‘0’, ‘1’, ‘2’, ‘3’, ‘4’, ‘5’, ‘6’, ‘7’, ‘8’, ‘9’ };
var input = “123ABC79”;
var result = input.TrimEnd(digits);
基准应用:
string input = "123ABC79";
string pattern = @"\d+$";
string replacement = "";
Regex rgx = new Regex(pattern);
var iterations = 1000000;
var sw = Stopwatch.StartNew();
for (int i = 0; i < iterations; i++)
{
rgx.Replace(input, replacement);
}
sw.Stop();
Console.WriteLine("regex:\t{0}", sw.ElapsedTicks);
var digits = new[] { '0', '1', '2', '3', '4', '5', '6', '7', '8', '9' };
sw.Restart();
for (int i = 0; i < iterations; i++)
{
input.TrimEnd(digits);
}
sw.Stop();
Console.WriteLine("trim:\t{0}", sw.ElapsedTicks);
结果:
regex: 40052843
trim: 2000635
关于c# - 删除字符串末尾的数字 C#,我们在Stack Overflow上找到一个类似的问题: https://stackoverflow.com/questions/27289054/
https://www.coder.work/article/240831
https://stackoverflow.com/questions/13169393/