不使用RegexOptions枚举的不区分大小写的正则表达式

时间:2010-03-13 20:46:51

标签: c# regex

是否可以使用Regex类在C#中进行不区分大小写的匹配而不设置RegexOptions.IgnoreCase标志?

我希望能够做的是在正则表达式中定义我是否希望以不区分大小写的方式完成匹配操作。

我希望此正则表达式taylor匹配以下值:

  • 泰勒
  • 泰勒
  • 泰勒

3 个答案:

答案 0 :(得分:105)

MSDN Documentation

(?i)taylor匹配我指定的所有输入,而不必设置RegexOptions.IgnoreCase标志。

为了强制区分大小写,我可以(?-i)taylor

看起来其他选项包括:

  • i,不区分大小写
  • s,单行模式
  • m,多行模式
  • x,自由间距模式

答案 1 :(得分:58)

正如您已经发现的那样,(?i)RegexOptions.IgnoreCase的内联等效内容。

仅供参考,你可以用它做一些技巧:

Regex:
    a(?i)bc
Matches:
    a       # match the character 'a'
    (?i)    # enable case insensitive matching
    b       # match the character 'b' or 'B'
    c       # match the character 'c' or 'C'

Regex:
    a(?i)b(?-i)c
Matches:
    a        # match the character 'a'
    (?i)     # enable case insensitive matching
    b        # match the character 'b' or 'B'
    (?-i)    # disable case insensitive matching
    c        # match the character 'c'

Regex:    
    a(?i:b)c
Matches:
    a       # match the character 'a'
    (?i:    # start non-capture group 1 and enable case insensitive matching
      b     #   match the character 'b' or 'B'
    )       # end non-capture group 1
    c       # match the character 'c'

你甚至可以组合这样的标志:a(?mi-s)bc含义:

a          # match the character 'a'
(?mi-s)    # enable multi-line option, case insensitive matching and disable dot-all option
b          # match the character 'b' or 'B'
c          # match the character 'c' or 'C'

答案 2 :(得分:26)

正如勺子16所说,它是(?i)。 MSDN有一个regular expression options列表,其中包含一个仅对匹配的 part 使用不区分大小写的匹配的示例:

 string pattern = @"\b(?i:t)he\w*\b";

这里“t”与大小写不匹配,但其余的区分大小写。如果未指定子表达式,则会为封闭组的其余部分设置该选项。

因此,对于您的示例,您可以:

string pattern = @"My name is (?i:taylor).";

这将匹配“我的名字是TAYlor”而不是“我的名字是泰勒”。