在c#中更换标签的更好方法是什么?

时间:2011-11-23 02:32:17

标签: c# regex templating

我需要一个更好的方法来做到这一点:

Regex.Replace(Regex.Replace(Regex.Replace(Regex.Replace(Regex.Replace(textMessage.Trim(), "{birthday}", person.Birthday, RegexOptions.None), "{phone}", person.MobilePhone, RegexOptions.None), "{email}", person.Email, RegexOptions.None), "{lastname}", person.LastName, RegexOptions.None), "{firstname}", person.FirstName, RegexOptions.None)

3 个答案:

答案 0 :(得分:6)

textMessage.Trim()
    .Replace("{birthday}",person.Birthday)
    .Replace("{phone}",person.Phone)
    ...

答案 1 :(得分:3)

IDictionary<string, string> replacements = new Dictionary<string, string>();
replacements.Add("{birthday}", person.Birthday);
replacements.Add("{phone}", person.MobilePhone);
...

foreach (string s in replacements.Keys) {
    Regex.Replace(textMessage, s, replacements[s], RegexOptions.None);
}

答案 2 :(得分:2)

我更喜欢匹配,{word},然后使用Replace overload that takes a MatchEvaluator

然后很容易让字典(或开关或其他)提供替换输入(对于给定的“单词”)。

还有其他优势,例如更好的运行时特性(O(n) vs O(k*n)),很好地扩展/允许替换数据的分离,并且如果其中一个替换包含{{ 1}}东西。

快乐的编码。


我从一个旧项目中挖出来了。它看起来甚至“理解”格式化。 YMMV。

{}

当然,以更微不足道的方式(从上面提取,YMMV x2):

/// <summary>
/// Like string.Format but takes "{named}" identifiers with a Dictionary
/// of replacement values.
/// </summary>
/// <param name="format"></param>
/// <param name="replaces"></param>
/// <returns></returns>
public static string Format(string format, IDictionary<string,object> replaces) {
    if (format == null) throw new ArgumentNullException("format");
    if (replaces == null) throw new ArgumentNullException("replaces");
    return Regex.Replace(format, @"{(?<key>\w+)(?:[:](?<keyFormat>[^}]+))?}", (match) => {
        Object value;
        var key = match.Groups["key"].Value;
        var keyFormat = match.Groups["keyFormat"].Value;
        if (replaces.TryGetValue(key, out value)) {
            if (string.IsNullOrEmpty(keyFormat)) {
                return "" + value;
            } else {
                // format if applicable
                return string.Format("{0:" + keyFormat + "}", value);
            }
        } else {
            // don't replace not-found
            return match.Value;
        }
    });
}