Java中在使用正则表达式进行匹配的时候,往往离不开matcher和find这两个方法。
但是,需要注意的是,这两个方法是“一一配对”的,或者可以说成是“一次性”的。
什么意思呢?我们来看一下下面的代码就明白了。
public static void main(String[] args) throws IOException {
File file = new File("./src/Try/text.txt");
BufferedReader bufr = new BufferedReader(new FileReader(file));
String line = bufr.readLine();
String pattern = "I'm a string.";
Pattern p = Pattern.compile(pattern);
Matcher m = p.matcher(line);
System.out.println(m.find());
System.out.println(m.find());
bufr.close();
}
text.txt文件内容如下:
在代码中,我们调用了一次matcher方法产生了一个Matcher对象m,然后使用m调用了两次find方法。
意料中两次输出应该都是true,但输出结果出人意料:第一个输出的是true,第二个输出的是false。
为什么调用第二次find方法输出的是false呢?
原因就是一次调用matcher只能通过find输出一次匹配的结果,之后再调用find输出的都是false,所以说matcher和find是一一配对的,或者说是一次性的。
因此,若要使两次输出的都是true,我们要给第二个find也配上一个matcher,即再次调用matcher方法更新一下m,修改后的代码如下:
public static void main(String[] args) throws IOException {
File file = new File("./src/Try/text.txt");
BufferedReader bufr = new BufferedReader(new FileReader(file));
String line = bufr.readLine();
String pattern = "I'm a string.";
Pattern p = Pattern.compile(pattern);
Matcher m = p.matcher(line);
System.out.println(m.find());
m = p.matcher(line);
System.out.println(m.find());
bufr.close();
}
此时再次运行,输出的结果就是两个true了。
因此,我们发现,对于同一个Matcher对象,调用多次find只有第一次是有效的,若需要再次使用find,则必须先再次调用matcher方法来更新这个Matcher对象。对于其中的细节和原理,感兴趣的同学可以去看一下相关方法的源码哦。