Reputation: 553
I am trying to replace a pattern in my string with a captured group, but not directly. The value for the captured group resides in a dictionary, keyed by the captured group itself. How can I achieve this?
This is what I'm trying:
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"]));
I keep getting KeyNotFoundException which indicates to me that the $1 is getting interpreted literally during dictionary lookup.
Upvotes: 1
Views: 1457
Reputation: 626689
You need to pass the match to a match evaluator like this:
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));
See the online C# demo.
Check if the dictionary contains the key first. If it doesn't, just re-insert the match, else, return the corresponding value.
Upvotes: 3