2

关于如何在涉及组的 C# 中实现正则表达式全局替换的示例,我从高处和低处看,但我发现是空的。所以我自己写了。谁能建议一个更好的方法来做到这一点?

static void Main(string[] args)
{
    Regex re = new Regex(@"word(\d)-(\d)");
    string input = "start word1-2 filler word3-4 end";
    StringBuilder output = new StringBuilder();
    int beg = 0;
    Match match = re.Match(input);
    while (match.Success)
    {
        // get string before match
        output.Append(input.Substring(beg, match.Index - beg));

        // replace "wordX-Y" with "wdX-Y"
        string repl = "wd" + match.Groups[1].Value + "-" + match.Groups[2].Value;
        // get replacement string
        output.Append(re.Replace(input.Substring(match.Index, match.Length), repl));

        // get string after match
        Match nmatch = match.NextMatch();
        int end = (nmatch.Success) ? nmatch.Index : input.Length;
        output.Append(input.Substring(match.Index + match.Length, end - (match.Index + match.Length)));

        beg = end;
        match = nmatch;
    }
    if (beg == 0)
        output.Append(input);
}
4

2 回答 2

4

您根本不需要执行任何逻辑,可以使用替换字符串中的组引用来完成替换:

string output = Regex.Replace(input, @"word(\d)-(\d)", "wd$1-$2");
于 2012-10-26T06:15:03.660 回答
2

你可以通过Replace一个MatchEvaluator. 它是一个接受 aMatch并返回要替换它的字符串的委托。

例如

string output = re.Replace(
    input,
    m => "wd" + m.Groups[1].Value + "-" + m.Groups[2].Value);

或者,我对此不太确定,您可以使用前瞻- “检查此文本是否如下,但不要将其包含在匹配中”。语法是(?=whatver)这样的,我认为您需要类似的东西word(?=\d-\d),然后将其替换为wd.

于 2012-10-25T19:25:00.010 回答