前言
最近接触正则时,有时候用find()去判断是否匹配,有时候用matches()来判断,那么什么时候该用哪一个呢?我带着这个问题去某娘上去寻找答案,但是这一块答案都比较散,而且有些答案不太好理解,甚至有些是错的,兜兜转转花了不少时间,所以我在这一块也做一个总结,给大家一个参考。
find()与matches()的区别
find():是否存在与该模式匹配的下一个子序列。简单来说就是在字符某部分匹配上模式就会返回true,同时匹配位置会记录到当前位置,再次调用时从该处匹配下一个。
matches():整个字符串是否匹配上模式,匹配上则返回true,否则false。
@Test
public void patternTest() {
String str = "hellohellohello";
String regex = "hello";
Pattern pattern = Pattern.compile(regex);
Matcher matcher = pattern.matcher(str);
System.out.println(matcher.find());
System.out.println(matcher.matches());
}
输出结果为:
find() -> true
matches() -> false
再拓展两个函数,Matcher中的start()和end()。start(),点进方法可以看到返回的是上一个匹配项的起始索引,如果没有匹配项将抛出IllegalStateException异常。同理,end()则为结束的索引。
好了,那我们来看一个栗子:
@Test
public void patternTest() {
String str = "hellohellohello";
String regex = "hello";
Pattern pattern = Pattern.compile(regex);
Matcher matcher = pattern.matcher(str);
while (matcher.find()) {
System.out.println(matcher.start() + "->" + matcher.end());
}
}
输出:
0->5
5->10
10->15
可以看出find()匹配完后会记录当前匹配位置知道最后。
我们再看看另外一种情况,尝试在matcher.matches()后面再匹配一次matcher.find()会发生什么情况?
@Test
public void patternTest() {
String str = "hello";
String regex = "hello";
Pattern pattern = Pattern.compile(regex);
Matcher matcher = pattern.matcher(str);
System.out.println("find() -> " + matcher.find());
System.out.println("matches() -> " + matcher.matches());
System.out.println("find() -> " + matcher.find());
}
输出结果为:
find() -> true
matches() -> true
find() -> false
matcher.find()第一次为true,第二次却为false,这将带来了好多小问号了。我们还是进入matches()方法看看,从this.oldLast = this.last可以看出,matches()更新了最后匹配位置,所以在使用find()去找下一个匹配位置时,就找不到了,所以为false。而如果要重置匹配位置,可以使用find(0)(说明:find(int start),重置匹配器,然后尝试查找索引start开始的下一个满足匹配的子序列,所以find(0)相当于重置为最原始状态)。