C#将正则表达式匹配的模式替换为捕获的组

时间:2017-04-06 21:46:06

标签: c# .net regex

我正在尝试用捕获的组替换字符串中的模式,但不是直接替换。捕获的组的值驻留在字典中,由捕获的组本身键入。我怎样才能做到这一点?

这就是我正在尝试的:

string body = "hello [context.world]!! hello [context.anotherworld]";
Dictionary<string, string> dyn = new Dictionary<string, string>(){ {"world", "earth"}, {"anotherworld", "mars"}};
Console.WriteLine(Regex.Replace(body, @"\[context\.(\w+)\]", dyn["$1"]));

我一直得到KeyNotFoundException,它向我表明在字典查找过程中字面上会解释$ 1。

1 个答案:

答案 0 :(得分:3)

您需要将匹配传递给匹配评估程序,如下所示:

string body = "hello [context.world]!! hello [context.anotherworld] and [context.text]";
Dictionary<string, string> dyn = new Dictionary<string, string>(){ 
            {"world", "earth"}, {"anotherworld", "mars"}
};
Console.WriteLine(Regex.Replace(body, @"\[context\.(\w+)]", 
        m => dyn.ContainsKey(m.Groups[1].Value) ? dyn[m.Groups[1].Value] : m.Value));

请参阅online C# demo

首先检查字典是否包含密钥。如果没有,只需重新插入匹配,否则返回相应的值。