4

我有一个这样的字符串:

String str = "Friday 1st August 2013"

我需要检查:如果字符串包含“任意数字”后跟“st”字符串,则打印“yes”,否则打印“no”。

我试过了:if ( str.matches(".*\\dst") )if ( str.matches(".*\\d.st") )它不起作用。

有什么帮助吗?

4

3 回答 3

9

利用:

if ( str.matches(".*\\dst.*") )

String#matches()从字符串的开头到结尾匹配正则表达式模式。锚点^$是隐含的。因此,您应该使用与完整字符串匹配的模式。

或者,使用PatternMatcher方法Matcher#find()在字符串中的任意位置搜索特定模式:

Matcher matcher = Pattern.compile("\\dst").matcher(str);
if (matcher.find()) {
    // ok
}
于 2013-07-27T12:34:59.630 回答
1

正则表达式可用于匹配此类模式。例如

 String str = "Friday 1st August 2013"
    Pattern pattern = Pattern.compile("[0-9]+st");
    Matcher matcher = pattern.matcher(str);
    if(mathcer.find())
      //yes
    else
     //no
于 2013-07-27T12:39:52.777 回答
1

您可以使用此正则表达式:

.*?(\\d+)st.*

?后面的*是必要的,因为它*是“贪婪的”(它将匹配整个字符串)。*?进行“非贪婪”匹配。此外,该号码可以有多个数字(例如“15st”)。

于 2013-07-27T12:40:55.607 回答