正则表达式匹配字符串中的多个子字符串

时间:2014-11-13 19:16:26

标签: c# regex string

所以我有一个字符串,其中包含多个子字符串。所有这些字符串都具有以下格式:<c@=someText>Content<c>

示例:

This combination of plain text and <c=@flavor> colored text<c> is valid. <c=@warning>Multiple tags are also valid.<c>

我想通过正则表达式提取每个子字符串。但是,如果我使用以下正则表达式<c=@.+?(?=>)>.*<c>它匹配从第一个<c...到最后一个<c>的所有内容。我想要的是每个子串作为一个项目。我怎么能这样做,如果我不能用正则表达式做,那么实现我的目标的最佳方法是什么。

2 个答案:

答案 0 :(得分:1)

您可以使用命名捕获组以及前瞻和后瞻来抓取“类型”和“文本”:

var pattern = @"(?<=<c=@)(?<type>[^>]+)>(?<text>.+?)(?=<c>)";
var str = @"This combination of plain text and <c=@flavor> colored text<c> is valid. <c=@warning>Multiple tags are also valid.<c>";

foreach (Match match in Regex.Matches(str, pattern))
{
   Console.WriteLine(match.Groups["type"].Value);
   Console.WriteLine(match.Groups["text"].Value);

   Console.WriteLine();
}

输出:

flavor
 colored text

warning
Multiple tags are also valid.

图案:

(?<=<c=@) :寻找<c=@

(?<type>[^>]+)> :抓住所有内容,直至>,将其称为type

(?<text>.+?) :抓住所有内容直到前瞻,称之为text

(?=<c>) :找到<c>

时停止

答案 1 :(得分:1)

string input = @"This combination of plain text and <c=@flavor> colored text<c> is valid. <c=@warning>Multiple tags are also valid.<c>";

var matches = Regex.Matches(input, @"<c=@(.+?)>(.+?)<c>")
                .Cast<Match>()
                .Select(m => new
                {
                    Name = m.Groups[1].Value,
                    Value = m.Groups[2].Value
                })
                .ToList();