-2

我需要使用正则表达式获取给定单词中的所有匹配项(即所有组合)

内容:

美国广播公司

当我给出一些像[AZ] [AZ]这样的模式时,我需要得到AB和BC。现在它只给出“AB”作为匹配模式。

提前致谢

4

4 回答 4

2
int i = 0;
List<Match> matches = new List<Match>();
while(i < input.Length){
  Match m = Regex.Match(input.Substring(i),"[A-Z]{2}");
  if(m.Success){
    matches.Add(m);
    i += m.Index+1;
  }else break;
}

您还可以实现它以支持lazy这样的匹配:

public static IEnumerable<Match> Matches(string input, string pattern) {
        int i = 0;
        while (i < input.Length){
            Match m = Regex.Match(input.Substring(i), "[A-Z]{2}");
            if (m.Success) {
                yield return m;
                i += m.Index + 1;
            }
            else yield break;
        }
}
//Use it
var matches = Matches(input, "[A-Z]{2}");
于 2013-09-17T07:39:11.410 回答
1

您可以使用前瞻,以免消耗匹配项:

(?=([A-Z]{2}))

ideone 演示

于 2013-09-17T07:40:53.827 回答
1

.NET 支持环视中的捕获组

var result=Regex.Matches(input,"(?=(..))")
                .Cast<Match>()
                .Select(x=>x.Groups[1].Value);
于 2013-09-17T07:41:20.757 回答
-2
int i = 0;
List<Match> matches = new List<Match>();
while(i < input.Length){
  Match m = Regex.Match(input,"[A-Z][Z-A]");
  if(m.Success){
    matches.Add(i++);
    i = m.Index ++ 1;
  }
}
于 2013-09-17T07:42:43.477 回答