1

我一直在试图弄清楚如何将我的输入字符串的模式与这种字符串匹配:

“xyz 123456789”

一般来说,每次我有一个前 3 个字符(可以是大写或小写)并且后 9 个是数字(任何组合)的输入时,都应该接受输入字符串。

因此,如果我有 i/p string = "Abc 234646593" 它应该是一个匹配项(允许一个或两个空格)。如果“Abc”和“234646593”应该存储在单独的字符串中,那就太好了。

我看过很多正则表达式,但并不完全理解。

4

1 回答 1

4

这是一个有效的 Java 解决方案:

import java.util.regex.Matcher;
import java.util.regex.Pattern;

public class Regex {
  public static void main(String[] args) {
    String input = "Abc 234646593";

    // you could use \\s+ rather than \\s{1,2} if you only care that
    // at least one whitespace char occurs
    Pattern p = Pattern.compile("([a-zA-Z]{3})\\s{1,2}([0-9]{9})");
    Matcher m = p.matcher(input);
    String firstPart = null;
    String secondPart = null;
    if (m.matches()) {
      firstPart = m.group(1);  // grab first remembered match ([a-zA-Z]{3})
      secondPart = m.group(2); // grab second remembered match ([0-9]{9})
      System.out.println("First part: " + firstPart);
      System.out.println("Second part: " + secondPart);
    }
  }
}

打印出来:

第一部分:ABC
第二部分:234646593
于 2012-06-24T04:29:16.223 回答