访问匹配值的最有效方法是什么?
本文关键字:有效 方法 是什么 访问 | 更新日期: 2023-09-27 18:12:06
在c#中有很多方法可以访问Match
的值:
Match mtch = //whatever
//you could do
mtch.Value
//or
mtch.ToString()
//or
mtch.Groups[0].Value
//or
mtch.Groups[0].ToString()
我的问题是:访问它的最佳方式是什么?
(我知道这是微优化,我只是想知道)
我编写了一个快速测试,最终得到以下结果:
[TestMethod]
public void GenericTest()
{
Regex r = new Regex(".def.");
Match mtch = r.Match("abcdefghijklmnopqrstuvwxyz", 0);
for (int i = 0; i < 1000000; i++)
{
string a = mtch.Value; // 15.4%
string b = mtch.ToString(); // 19.2%
string c = mtch.Groups[0].Value; // 23.1%
string d = mtch.Groups[0].ToString(); // 38.5%
}
}
如果你说的是基于你提供的样本的效率,我猜最有效的应该是第一个,因为当你使用ToSting()
时,它为你的变量添加了额外的转换功能,这将花费额外的时间,
- 写一个测试
- 读结果
- 考虑结果
如果您不想编写测试,请查看Microsoft中间语言(MSIL),并考虑哪种语言将花费更多时间
我也测试了它,结果是
// VS 2012 Ultimate
//
Regex r = new Regex(".def.");
Match mtch = r.Match("abcdefghijklmnopqrstuvwxyz", 0);
string a, b, c, d;
for (int i = 0; i < int.MaxValue; i++)
{
a = mtch.Value; // 1.4%
b = mtch.ToString(); // 33.2%
c = mtch.Groups[0].Value; // 15.3%
d = mtch.Groups[0].ToString(); // 44.1%
}