1

嘿,我有以下字符串作为输入:

"abcol"  
"ab_col"  
"cold"  
"col_ab"  
"col.ab"  

我有要搜索的字符串 col。我正在使用正则表达式进行匹配

Match matchResults = Regex.Match(input , "col", RegexOptions.IgnoreCase);

我只想匹配具有此模式的字符串 [Any special character or nothing ] + col + [Any special character or nothing]

从上面的输入中,我只想返回 ab_col, col_ab , col.ab

非常感谢任何帮助。
谢谢

[任何特殊字符] = [^A-Za-z0-9]

4

2 回答 2

5

你可以使用这个正则表达式: -

(?:^.*[^a-zA-Z0-9]|^)col(?:[^a-zA-Z0-9].*$|$)

解释 : -

(?:   // non-capturing
  ^   // match at start of the string
  .*[^a-zA-Z0-9]  // match anything followed by a non-alphanumeric before `col`
    |     // or
  ^       // match the start itself (means nothing before col)
)
  col  // match col
(?:   // non-capturing
  [^a-zA-Z0-9].*  // match a non-alphanumeric after `col` followed by anything
   $     // match end of string
   |     // or
   $     // just match the end itself (nothing after col)
)
于 2012-12-03T19:39:12.520 回答
2

@"(^|.*[\W_])col([\W_].*|$)"这是你的模式。\w是字母数字字符并且\W是非字母数字字符。^表示行开始,$表示行结束。|是或。所以(^|.*\W)表示行开始或一些字符和它们后面的非字母数字。

编辑:

是的,下划线也是字母数字......所以你应该写[\W_](非字母数字或下划线)而不是\W

于 2012-12-03T19:38:48.197 回答