0

我正在尝试使用此处的正则表达式匹配字符串中的 URL:Regular expression to match URLs in Java

它适用于一个 URL,但是当我在字符串中有两个 URL 时,它只匹配后者。

这是代码:

Pattern pat = Pattern.compile(".*((https?|ftp|file)://[-a-zA-Z0-9+&@#/%?=~_|!:,.;]*[-a-zA-Z0-9+&@#/%=~_|])", Pattern.DOTALL);
Matcher matcher = pat.matcher("asdasd http://www.asd.as/asd/123 or http://qwe.qw/qwe");
// now matcher.groupCount() == 2, not 4

编辑:我尝试过的东西:

// .* removed, now doesn't match anything // Another edit: actually works, see below
Pattern pat = Pattern.compile("((https?|ftp|file)://[-a-zA-Z0-9+&@#/%?=~_|!:,.;]*[-a-zA-Z0-9+&@#/%=~_|])", Pattern.DOTALL);

// .* made lazy, still only matches one
Pattern pat = Pattern.compile(".*?((https?|ftp|file)://[-a-zA-Z0-9+&@#/%?=~_|!:,.;]*[-a-zA-Z0-9+&@#/%=~_|])", Pattern.DOTALL);

有任何想法吗?

4

1 回答 1

5

就是因为.*贪。它会尽可能多地消耗(整个字符串)然后回溯。即它将一次丢弃一个字符,直到剩余的字符可以组成一个 URL。因此,第一个 URL 将已匹配,但未捕获。不幸的是,比赛不能重叠。修复应该很简单。删除.*图案开头的 。然后您还可以从您的模式中删除外括号 - 无需再捕获任何内容,因为整个匹配将是您正在寻找的 URL。

Pattern pat = Pattern.compile("(https?|ftp|file)://[-a-zA-Z0-9+&@#/%?=~_|!:,.;]*[-a-zA-Z0-9+&@#/%=~_|]", Pattern.DOTALL);
Matcher matcher = pat.matcher("asdasd http://www.asd.as/asd/123 or http://qwe.qw/qwe");
while (matcher.find()) {
  System.out.println(matcher.group());
}

顺便说一句,matcher.groupCount()它不会告诉您任何事情,因为它会为您提供模式中的组数,而不是目标字符串中的捕获数。这就是为什么你的第二种方法(使用.*?)没有帮助。您仍然有两个捕获组。在调用find或任何事情之前,matcher不知道总共会找到多少捕获。

于 2012-12-06T23:08:01.253 回答