我从以下格式的文件中获取输入:
(int1,int2) (int3,int4)
现在我想在我的 Java 代码中读取 int1、int2、int3 和 int4。如何在java中使用正则表达式匹配来做到这一点。谢谢。
String[] ints = "(2,3) (4,5)".split("\\D+");
System.out.println(Arrays.asList(ints));
// prints [, 2, 3, 4, 5]
为避免空值:
String[] ints = "(2,3) (4,5)".replaceAll("^\\D*(.*)\\D*$", "$1").split("\\D+");
System.out.println(Arrays.asList(ints));
// prints [2, 3, 4, 5]
Pattern p = Pattern.compile("\\((\\d+),(\\d+)\\)\\s+\\((\\d+),(\\d+)\\)");
String input = "(123,456) (789,012)";
Matcher m = p.matcher(input);
if (m.matches()) {
int a = Integer.parseInt(m.group(1), 10);
int b = Integer.parseInt(m.group(2), 10);
int c = Integer.parseInt(m.group(3), 10);
int d = Integer.parseInt(m.group(4), 10);
}
您可以执行以下操作:
String str = "(1,2) (3,4)";
Matcher m = Pattern.compile("\\((\\d+),(\\d+)\\) \\((\\d+),(\\d+)\\)").matcher(str);
if (m.matches()) {
System.out.println(m.group(1)); // number 1
...
}
要构建您自己的方法,您可以使用更简单的正则表达式:
String s = "(1,2) (3,4)";
Pattern p = Pattern.compile("\\d+");
Matcher m = p.matcher(s);
while (m.find()) {
System.out.println(m.group());
}
这将起作用:
String[] values = s.substring(1).split("\\D+");
"\\((\\d*),(\\d*)\\)\\s*\\((\\d*),(\\d*)\\)"