Jak uzyskać nazwę przechwyconych grup w języku C # Regex?


97

Czy istnieje sposób, aby uzyskać nazwę przechwyconej grupy w C #?

string line = "No.123456789  04/09/2009  999";
Regex regex = new Regex(@"(?<number>[\d]{9})  (?<date>[\d]{2}/[\d]{2}/[\d]{4})  (?<code>.*)");

GroupCollection groups = regex.Match(line).Groups;

foreach (Group group in groups)
{
    Console.WriteLine("Group: {0}, Value: {1}", ???, group.Value);
}

Chcę uzyskać ten wynik:

Grupa: [Nie wiem, co mam tu znaleźć], Wartość: 123456789 09.04.2009 999
Grupa: liczba, Wartość: 123456789
Grupa: data, Wartość: 09.04.2009
Grupa: kod, Wartość: 999

Odpowiedzi:


127

Użyj GetGroupNames, aby uzyskać listę grup w wyrażeniu, a następnie wykonaj iterację po nich, używając nazw jako kluczy do kolekcji grup.

Na przykład,

GroupCollection groups = regex.Match(line).Groups;

foreach (string groupName in regex.GetGroupNames())
{
    Console.WriteLine(
       "Group: {0}, Value: {1}",
       groupName,
       groups[groupName].Value);
}

9
Dziękuję Ci! Dokładnie to, czego chciałem. Nigdy nie myślałem, że to będzie w obiekcie Regex :(
Luiz Damim

22

Najczystszym sposobem na to jest użycie tej metody rozszerzenia:

public static class MyExtensionMethods
{
    public static Dictionary<string, string> MatchNamedCaptures(this Regex regex, string input)
    {
        var namedCaptureDictionary = new Dictionary<string, string>();
        GroupCollection groups = regex.Match(input).Groups;
        string [] groupNames = regex.GetGroupNames();
        foreach (string groupName in groupNames)
            if (groups[groupName].Captures.Count > 0)
                namedCaptureDictionary.Add(groupName,groups[groupName].Value);
        return namedCaptureDictionary;
    }
}


Po wprowadzeniu tej metody rozszerzenia możesz uzyskać takie nazwy i wartości:

    var regex = new Regex(@"(?<year>[\d]+)\|(?<month>[\d]+)\|(?<day>[\d]+)");
    var namedCaptures = regex.MatchNamedCaptures(wikiDate);

    string s = "";
    foreach (var item in namedCaptures)
    {
        s += item.Key + ": " + item.Value + "\r\n";
    }

    s += namedCaptures["year"];
    s += namedCaptures["month"];
    s += namedCaptures["day"];


7

Powinieneś użyć, GetGroupNames();a kod będzie wyglądał mniej więcej tak:

    string line = "No.123456789  04/09/2009  999";
    Regex regex = 
        new Regex(@"(?<number>[\d]{9})  (?<date>[\d]{2}/[\d]{2}/[\d]{4})  (?<code>.*)");

    GroupCollection groups = regex.Match(line).Groups;

    var grpNames = regex.GetGroupNames();

    foreach (var grpName in grpNames)
    {
        Console.WriteLine("Group: {0}, Value: {1}", grpName, groups[grpName].Value);
    }

Korzystając z naszej strony potwierdzasz, że przeczytałeś(-aś) i rozumiesz nasze zasady używania plików cookie i zasady ochrony prywatności.
Licensed under cc by-sa 3.0 with attribution required.