如何检查正则表达式组是否相等?

时间:2015-05-19 14:24:51

标签: c# .net regex match

我有一个RegEx来检查我的字符串。在我的字符串中,我有两个小组?<key>?<value>。所以这是我的示例字符串:

string input = "key=value&key=value1&key=value2";

我使用MatchCollections,当我尝试在控制台上打印我的组时,这是我的代码:

string input = Console.ReadLine();
string pattern = @"(?<key>\w+)=(?<value>\w+)";
Regex rgx = new Regex(pattern);
MatchCollection matches = rgx.Matches(input);

foreach (Match item in matches)
{
    Console.Write("{0}=[{1}]",item.Groups["key"], item.Groups["value"]);
}

我得到这样的输出: key=[value]key=[value1]key=[value2]

但我希望我的输出如下: key=[value, value1, value2]

我的观点是如何检查小组&#34; key&#34;如果它等于前一个,那么我可以像我想要的那样输出。

3 个答案:

答案 0 :(得分:4)

您可以使用Dictionary<string, List<string>>

string pattern = @"(?<key>\w+)=(?<value>\w+)";
Regex rgx = new Regex(pattern);
MatchCollection matches = rgx.Matches(input);

Dictionary<string, List<string>> results = new Dictionary<string, List<string>>();

foreach (Match item in matches)
{
    if (!results.ContainsKey(item.Groups["key"].Value)) {
        results.Add(item.Groups["key"].Value, new List<string>());
    }
    results[item.Groups["key"].Value].Add(item.Groups["value"].Value);
}

foreach (var r in results) {
    Console.Write("{0}=[{1}]", r.Key, string.Join(", ", r.Value));
}

请注意使用string.Join以所需格式输出数据。

答案 1 :(得分:3)

使用Dictionary<string,List<string>>

类似的东西:

var dict = new Dictionary<string,List<string>>();

foreach (Match item in matches)
{
    var key = item.Groups["key"];
    var val = item.Groups["value"];
    if (!dict.ContainsKey(key)) 
    {
        dict[key] = new List<string>();
    }
    dict[key].Add(val);
}

答案 2 :(得分:3)

您可以使用Linq GroupBy方法:

string input = "key=value&key=value1&key=value2&key1=value3&key1=value4";
string pattern = @"(?<key>\w+)=(?<value>\w+)";
Regex rgx = new Regex(pattern);
MatchCollection matches = rgx.Matches(input);

foreach (var result in matches
                         .Cast<Match>()
                         .GroupBy(k => k.Groups["key"].Value, v => v.Groups["value"].Value))
{
    Console.WriteLine("{0}=[{1}]", result.Key, String.Join(",", result));
}

代码段的输出(此处我已将另一个键key1添加到原始输入字符串中两个值):

key=[value,value1,value2]
key1=[value3,value4]