有没有办法在C#4.0中使用匹配中包含的文本函数进行正则表达式替换?
在php中有这样的东西:
reg_replace('hello world yay','(?=')\s(?=')', randomfunction('$0'));
它为每个匹配提供独立的结果,并在找到每个匹配的地方替换它。
答案 0 :(得分:10)
查看MatchEvaluator
重载Regex.Replace
的方法。 MatchEvaluator
是一种方法,您可以指定处理每个匹配项的方法,并返回应该用作该匹配项的替换文本的方法。
例如,这......
猫跳过了狗 0:1:CAT跳过2:THE 3:DOG。
...是以下输出:
using System;
using System.Text.RegularExpressions;
namespace MatchEvaluatorTest
{
class Program
{
static void Main(string[] args)
{
string text = "The cat jumped over the dog.";
Console.WriteLine(text);
Console.WriteLine(Transform(text));
}
static string Transform(string text)
{
int matchNumber = 0;
return Regex.Replace(
text,
@"\b\w{3}\b",
m => Replacement(m.Captures[0].Value, matchNumber++)
);
}
static string Replacement(string s, int i)
{
return string.Format("{0}:{1}", i, s.ToUpper());
}
}
}