1

我正在尝试编写一个Java方法,它将一个字符串作为参数,如果它与模式匹配,则返回另一个字符串,null否则返回。图案:

  • 以数字开头(1+ 位);然后是
  • 冒号(“ :”);然后是
  • 一个空格(“”);然后是
  • 任何1+ 个字符的 Java 字符串

因此,一些与此模式匹配的有效字符串:

50: hello
1: d
10938484: 394958558

还有一些与此模式不匹配的字符串:

korfed49
: e4949
6
6:
6:sdjjd4

该方法的一般框架是这样的:

public String extractNumber(String toMatch) {
    // If toMatch matches the pattern, extract the first number
    // (everything prior to the colon).

    // Else, return null.
}

到目前为止,这是我最好的尝试,但我知道我错了:

public String extractNumber(String toMatch) {
    // If toMatch matches the pattern, extract the first number
    // (everything prior to the colon).
    String regex = "???";
    if(toMatch.matches(regex))
        return toMatch.substring(0, toMatch.indexOf(":"));

    // Else, return null.
    return null;
}

提前致谢。

4

2 回答 2

4

您的描述很准确,现在只需将其翻译为正则表达式:

^      # Starts
\d+    # with a number (1+ digits); then followed by
:      # A colon (":"); then followed by
       # A single whitespace (" "); then followed by
\w+    # Any word character, one one more times
$      # (followed by the end of input)

在 Java 字符串中给出:

"^\\d+: \\w+$"

您还想捕获数字:在 周围加上括号\d+,使用 a Matcher,如果有匹配项,则捕获组 1:

private static final Pattern PATTERN = Pattern.compile("^(\\d+): \\w+$");

// ...

public String extractNumber(String toMatch) {
    Matcher m = PATTERN.matcher(toMatch);
    return m.find() ? m.group(1) : null;
}

注意:在 Java 中,\w仅匹配 ASCII 字符和数字(例如,.NET 语言不是这种情况)并且它也将匹配下划线。如果您不想要下划线,您可以使用(Java 特定语法):

[\w&&[^_]]

而不是\w正则表达式的最后一部分,给出:

"^(\\d+): [\\w&&[^_]]+$"
于 2013-01-10T00:17:38.483 回答
2

尝试使用以下内容: \d+: \w+

于 2013-01-10T00:17:31.667 回答