views:

323

answers:

2

Hi, I'm currently trying to implement the use of regular expressions:

            Regex reg_gameinfo = new Regex(@"PokerStars Game #(?<HID>[0-9]+):\s+(?:HORSE)? \(?(?<GAME>Hold'em|Razz|7 Card Stud|Omaha|Omaha Hi/Lo|Badugi) (?<LIMIT>No Limit|Limit|Pot Limit),? \(?(?<CURRENCYSIGN>\$|)?(?<SB>[.0-9]+)/\$?(?<BB>[.0-9]+) (?<CURRENCY>.*)\) - (?<DATETIME>.*$)", RegexOptions.Multiline);
            Match matchresults = reg_gameinfo.Match(rawtext);
            Dictionary<string,string> gameinfo = new Dictionary<string,string>();
            if (matchresults.Success)
            {
                gameinfo.Add("HID", matchresults.Groups["HID"].Value);
                gameinfo.Add("GAME", matchresults.Groups["GAME"].Value);
                ...
        }

Can I iterate through the matchresult.Groupsgroupcollection and assign the key-values to my gameinfo dictionary?

A: 

You could put the group names into a list and iterate over it. Something like

    List<string> groupNames = ...
    foreach (string group in groupNames) {
        gameinfo.Add(group, matchresults.Groups[group].Value);
    }

But make sure to check whether the group exists.

longeasy
+4  A: 

(See this question: Regex: get the name of captured groups in C#)

You can use GetGroupNames:

Regex reg_gameinfo = new Regex(@"PokerStars Game #(?<HID>[0-9]+):\s+(?:HORSE)? \(?(?<GAME>Hold'em|Razz|7 Card Stud|Omaha|Omaha Hi/Lo|Badugi) (?<LIMIT>No Limit|Limit|Pot Limit),? \(?(?<CURRENCYSIGN>\$|)?(?<SB>[.0-9]+)/\$?(?<BB>[.0-9]+) (?<CURRENCY>.*)\) - (?<DATETIME>.*$)", RegexOptions.Multiline);
Match matchresults = reg_gameinfo.Match(rawtext);
Dictionary<string,string> gameinfo = new Dictionary<string,string>();

if (matchresults.Success)
    foreach(string groupName in reg_gameinfo.GetGroupNames())
        gameinfo.Add(groupName, matchresults.Groups[groupName].Value);
Johan Kullbom
Thank you very much ;)
BeatMe