本文所介绍的只是如何在java中使用正宗表达式。通过一个具体的例子来说明。至于什么是正宗表达式,如何使用,将在别的地方进行介绍。
首先,先介绍几个文件Pattern(模板、模式)和Matcher(匹配器)。
①public final class java.util.regex.Pattern是正则表达式编译后的表达法。
有趣的是,Pattern类是final类,而且它的构造器是private。也许有人告诉你一些设计模式的东西,或者你自己查有关资料。这里的结论是:Pattern类不能被继承,我们不能通过new创建Pattern类的对象。
因此在Pattern类中,提供了2个重载的静态方法,其返回值是Pattern对象(的引用)。
static Pattern | compile(String regex) 将给定的正则表达式编译到模式中。 |
static Pattern | compile(String regex, int flags) 将给定的正则表达式编译到具有给定标志的模式中。 |
如:
public static Pattern compile(String regex) {
return new Pattern(regex, 0);
}
②p.matcher(str)表示以用模板p去生成一个字符串str的匹配器,它的返回值是一个Matcher类的引用,为什么要这个东西呢?按照自然的想法,返回一个boolean值不行吗?
我们可以简单的使用如下方法:
boolean result=Pattern.compile(regEx).matcher(str).find();
其实是三个语句合并的无句柄方式。无句柄常常不是好方式。后面再学习Matcher类吧。
简单的一些信息介绍完了,下面就写一个简单的例子。
目的:有一个String,如何查询其中是否有y和f字符?
代码:
private static void test(){
String str="This is a sample";
String regEx="a|f"; //表示a或f
Pattern p=Pattern.compile(regEx);
Matcher m=p.matcher(str);
boolean result=m.find();
System.out.println(result);
}