C#正規表示式之組與非捕獲組是什麼呢?具體的使用是如何的呢?讓我們來看看具體的例項操作:
以下提供一些簡單的C#正規表示式之組與非捕獲組示例:
- string x = "Live for nothing,die for something";
- string y = "Live for nothing,die for somebody";
- Regex r = new Regex(@"^Live ([a-z]{3}) no([a-z]{5}),die \1 some\2$");
- Console.WriteLine("x match count:" + r.Matches(x).Count);//1
- Console.WriteLine("y match count:" + r.Matches(y).Count);//0
- //正規表示式引擎會記憶“()”中匹配到的內容,作為一個“組”,
- //並且可以通過索引的方式進行引用。表示式中的“\1”,
- //用於反向引用表示式中出現的第一個組,即粗體標識的第一個括號內容,“\2”則依此類推。
- string x = "Live for nothing,die for something";
- Regex r = new Regex(@"^Live for no([a-z]{5}),die for some\1$");
- if (r.IsMatch(x))
- {
- Console.WriteLine("group1 value:" + r.Match(x).Groups[1].Value);//輸出:thing
- }
- //獲取組中的內容。注意,此處是Groups[1],
- //因為Groups[0]是整個匹配的字串,即整個變數x的內容。
- string x = "Live for nothing,die for something";
- Regex r = new Regex(@"^Live for no(?﹤g1﹥[a-z]{5}),die for some\1$");
- if (r.IsMatch(x))
- {
- Console.WriteLine("group1 value:" + r.Match(x).Groups["g1"].Value);
- //輸出:thing
- }
- //可根據組名進行索引。使用以下格式為標識一個組的名稱(?﹤groupname﹥…)。
- string x = "Live for nothing nothing";
- Regex r = new Regex(@"([a-z]+) \1");
- if (r.IsMatch(x))
- {
- x = r.Replace(x, "$1");
- Console.WriteLine("var x:" + x);//輸出:Live for nothing
- }
- //刪除原字串中重複出現的“nothing”。在表示式之外,
- //使用“$1”來引用第一個組,下面則是通過組名來引用:
- string x = "Live for nothing nothing";
- Regex r = new Regex(@"(?﹤g1﹥[a-z]+) \1");
- if (r.IsMatch(x))
- {
- x = r.Replace(x, "${g1}");
- Console.WriteLine("var x:" + x);//輸出:Live for nothing
- }
- string x = "Live for nothing";
- Regex r = new Regex(@"^Live for no(?:[a-z]{5})$");
- if (r.IsMatch(x))
- {
- Console.WriteLine("group1 value:" + r.Match(x).Groups[1].Value);//輸出:(空)
- }
- //在組前加上“?:”表示這是個“非捕獲組”,即引擎將不儲存該組的內容。
C#正規表示式之組與非捕獲組使用的基本內容就向你介紹到這裡,希望對你瞭解和學習C#正規表示式有所幫助。