在 Java 正则表达式中使用字符类
字符类是一组用方括号括起来的字符。字符类中的字符指定可以与输入字符串中的字符匹配才能成功的字符。字符类的示例是 [a-z],它表示从 a 到 z 的字母。
以下展示了一个有关 Java 正则表达式中使用字符类的程序
示例
import java.util.regex.Matcher; import java.util.regex.Pattern; public class Demo { public static void main(String args[]) { Pattern p = Pattern.compile("[a-z]+"); Matcher m = p.matcher("the sky is blue"); System.out.println("The input string is: the sky is blue"); System.out.println("The Regex is: [a-z]+"); System.out.println(); while (m.find()) { System.out.println("Match: " + m.group()); } } }
输出
The input string is: the sky is blue The Regex is: [a-z]+ Match: the Match: sky Match: is Match: blue
现在让我们来理解以上程序。
在字符串序列“the sky is blue” 中查找子序列 “[a-z]+”。此处使用字符类 [a-z],它表示从 a 到 z 的字母。find() 方法用于查找子序列是否在输入序列中,然后打印所需结果。以下是一个展示此操作的代码片段
Pattern p = Pattern.compile("[a-z]+"); Matcher m = p.matcher("the sky is blue"); System.out.println("The input string is: the sky is blue"); System.out.println("The Regex is: [a-z]+"); System.out.println(); while (m.find()) { System.out.println("Match: " + m.group()); }
广告