使用特殊电子邮件正则表达式

时间:2011-02-07 13:51:21

标签: java regex

我在表格中收到了一些电子邮件:

staticN123@sub1.mydomain.com
staticN456@sub2.mydomain.com
staticN789@sub3-sub.mydomain.com

动态是(N或M或F)字符后面的数字,以及@和mydomain.com之间的子域

我想在字符串中创建一个与此表单匹配的正则表达式,如果匹配,则获取N个字符后面的数字。

1 个答案:

答案 0 :(得分:6)

staticN([0-9]+)@.+\.mydomain\.com

而不是[0-9]+您也可以使用相同的\d+。 @之后的.+可能会匹配太多。最终你想用[^\.]+替换它以排除sub.sub域。

更新

^staticN(\d+)@[a-z0-9_-]+\.mydomain\.com$

添加^$以匹配搜索字符串的开始 end ,以避免错误匹配例如somthingwrong_staticN123@sub.mydomain.com.xyz

您可以在link to rubular

测试此正则表达式

-

应用以下评论中讨论的更改:

^(?:.+<)?static[NMF](\d+)@[a-z0-9_-]+\.mydomain\.com>?$

在其中一条评论中回答问题的代码示例:

// input
String str = "reply <staticN123@sub1.mydomain.com";
// example 1
String nr0 = str.replaceAll( "^(?:.+<)?static[NMF](\\d+)@[a-z0-9_-]+\\.mydomain\\.com>?$", "$1" );
System.out.println( nr0 );
// example 2 (precompile regex is faster if it's used more than once afterwards)
Pattern p = Pattern.compile( "^(?:.+<)?static[NMF](\\d+)@[a-z0-9_-]+\\.mydomain\\.com>?$" );
Matcher m = p.matcher( str );
boolean b = m.matches();
String nr1 = m.group( 1 );  // m.group only available after m.matches was called
System.out.println( nr1 );