Java字符串的匹配问题,String类的matches方法与Matcher类的matches方法的使用比较,Matcher类的matches()、find()和lookingAt()方法的使用比较

参考网上相关blog,对Java字符串的匹配问题进行了简单的比较和总结,主要对String类的matches方法与Matcher类的matches方法进行了比较。

对Matcher类的matches()、find()和lookingAt()三个容易混淆的方向进行了比较说明。

在这里对参考的相关blog的原创者一并谢过,谢谢!

话不多说,呈上代码:

 /**
* 判断一个字符串是否包含数字;是否只含数字;输出匹配到的字串
* @author JiaJoa
*
*/
public class StringIsDigit { public static void main(String[] args) {
String str = "2017花花0512麻麻";
System.out.println(stringContainDigit(str)); //true
System.out.println(stringIsAllDigit(str)); //false
System.out.println(stringIsAllDigit1(str)); //false
System.out.println(stringIsAllDigit2(str)); //false
System.out.println(stringIsAllDigit3(str)); //false
System.out.println(getMatchGroup(str)); //2017 0512
} //使用String matches方法结合正则表达式一个字符串是否包含数字
public static boolean stringContainDigit(String str){
String regex = ".*\\d+.*"; //判断是否包含字母,改为 .*[a-zA-Z]+.* 是否包含汉字改为 .*[\u4e00-\u9fa5].*
return str.matches(regex);
} //使用Character类的isDigit方法判断一个字符串是否只包含数字
public static boolean stringIsAllDigit(String str){
for(int i=0;i<str.length();i++){
if(!Character.isDigit(str.charAt(i)))
return false;
}
return true;
} //使用0-9对应的ASCII码范围判断一个字符串是否只包含数字
public static boolean stringIsAllDigit1(String str){
for(int i=0;i<str.length();i++){
int charn = str.charAt(i);
if(charn<48||charn>58){
return false;
}
}
return true;
} //使用String类的matches方法判断一个字符串是否只包含数字
public static boolean stringIsAllDigit2(String str){
String regex = "\\d+";
return str.matches(regex);
} //使用Matcher类的matches方法判断一个字符串是否只包含数字
public static boolean stringIsAllDigit3(String str){
String regex = "[0-9]+";
Pattern pattern = Pattern.compile(regex);
Matcher matcher = pattern.matcher((CharSequence)str);
return matcher.matches(); //matcher.matches()是全匹配,而matcher.find()是找到符合条件的匹配就返回true
} //使用Matcher类的group方法输出匹配到的结果串
public static String getMatchGroup(String str){
String regex = "[0-9]+";
Pattern pattern = Pattern.compile(regex);
Matcher matcher = pattern.matcher((CharSequence)str);
StringBuilder sb = new StringBuilder(); /*
* matcher.matches()是全匹配,只有整个匹配串完全匹配才返回true,如果前部分匹配成功,会继续匹配剩下的位置。
* matcher.find()是部分匹配,找到一个匹配字串后,将移动下次匹配直到匹配串尾部
* matcher.lookingAt()是部分匹配,从第一个字符进行匹配,匹配成功了不再继续匹配,匹配失败了,也不继续匹配
*/
while(matcher.find()){
sb.append(matcher.group()+" ");
}
return sb.toString();
} }
上一篇:WPS 从今以后我再也不会用了 记录一下!


下一篇:java比较两个对象是否相等的方法