如果需要根据特定的规则来表示一组字符串,则用正则表达式。正则表达式可以用字符串来描述规则,并用来匹配字符串
Java 提供了标准库 java.util.regex
,可以很方便的使用正则表达式。
如果正则表达式有特殊字符,那就需要用 \
转义,后续会提到。
数字
匹配数字
用 \d
可以匹配一位数字,写法是 \\d
,
String regex1 = "\\d\\d\\d";
System.out.println("110".matches(regex1)); // true
System.out.println("119".matches(regex1)); // true
System.out.println("120".matches(regex1)); // true
System.out.println("1200".matches(regex1)); // false
System.out.println("12F".matches(regex1)); // false
是否是 11 位数字,常用场景是判断手机号,
String regex2 = "\\d{11}";
System.out.println("12345678900".matches(regex2));// true
System.out.println("123456789001".matches(regex2));// false
System.out.println("1234567890a".matches(regex2));// false
System.out.println("A2345678900".matches(regex2));// false
匹配非数字
用 \D
匹配一位非数字,写法是 \\D
,
String regexD = "\\D\\D";
System.out.println("66".matches(regexD));// false
System.out.println("1*".matches(regexD));// false
System.out.println("1@".matches(regexD));// false
System.out.println("1#".matches(regexD));// false
System.out.println("$$".matches(regexD));// true
匹配0-9的数字
用 [0-9]
可以匹配一位数字,文章来源:https://www.toymoban.com/news/detail-742896.html
String regexd09 = "[0-9][0-9]";
System.out.println("11".matches(regexd09));// true
System.out.println("110".matches(regexd09));// false
System.out.println("1A".matches(regexd09));// false
System.out.println("AA".matches(regexd09));// false
扩展, 匹配 5-8 的数字用 [5-8] ,文章来源地址https://www.toymoban.com/news/detail-742896.html
String regexd58 = "[5-8][5-8]";
System.out.println("55".matches(regexd58));// true
System.out.println("88".matches(regexd58));// true
System.out.println("66".matches(regexd58));// true
System.out.println("59".matches(regexd58));// false
System.out.println("48".matches(regexd58));// false
到了这里,关于Java 正则表达式数字篇的文章就介绍完了。如果您还想了解更多内容,请在右上角搜索TOY模板网以前的文章或继续浏览下面的相关文章,希望大家以后多多支持TOY模板网!