Java(正则表达式)

基本正则表达式

例子

        String regex = "[1-9]\\d{4,14}";
        System.out.println("a".matches(regex));

字符类

  • [abc] a,b或c
  • [^abc] 任何字符,除了a,b,c
  • [a-zA-Z] a-z或A-Z,两头的字母包括在内(范围)
  • [a-d[m-p]] a到d或m到p就是[a-dm-p]
  • [a-z&&[def]] d,e,f
  • [a-z&&[^bc]] a-z除了b,c
  • [a-z&&[^m-p]] a-z,并且不在m-p范围

预定义字符类

  • \d 数字
  • \D 非数字
  • \s 空白字符
  • \S 非空白字符
  • \w 单词字符
  • \W 非单词字符
    //判断是否是数字
    String newRegex = "\\d";
    System.out.println("a".matches(newRegex));

Greedy数量词

  • X? X,一次或一次也没有
  • X* X,零次或多次
  • X+ X,一次或多次
  • X{n} X,恰好 n 次
  • X{n,} X,至少 n 次
  • X{n,m} X,至少 n 次,但是不超过 m 次
   //可以理解为个数,如以下,元素为,d,c任意一个长度为5的字符串
    String newRegex = "[abc]{5}";
    System.out.println("aaaaa".matches(newRegex));
    System.out.println("aaa3a".matches(newRegex));

正则表达式运用

        //字符串的切割
        String s = "小明.小王.小白";
        String[] arr = s.split("\\.");
        
        for(int i = 0;i
    //快快乐乐高高兴兴
        String regex = "(.)\\1(.)\\2(.)\\3";        // \\1代表一组又出现一次,\\2代表第二组又出现一次
        System.out.println("高高兴兴".matches(regex));
        System.out.println("高高兴兴哈哈".matches(regex));
        
        //快乐快乐  
        String regex1 = "(..)\\1(..)\\2";
        System.out.println("高高兴兴".matches(regex1));
        System.out.println("高兴高兴高兴高兴".matches(regex1));

        //我要学编程练习       
        String string = "我我我我...要.....学....学学.....编编编......程程";
        String string1 = string.replaceAll("\\.", "");
        String string2 = string1.replaceAll("(.)\\1+", "$1"); //$为第一组数据
        System.out.println(string2);
        //叠词切割
        String string = "waggggghhffaasaabaadasaffdkjaahka";
        
        //将所有XX数据替换
        String string1 = string.replaceAll("(.)\\1", "a");
        
        String regex2 = "(.)\\1+"; //出现一次或多次
        
        String []arr = string1.split(regex2);
        
        for(int i=0;i

找到已匹配的字符串

        //获取手机号码
        String string = "我的手机号码是18117824033,曾经用过18117224033,还有18127825333";
        String regex = "1[3758]\\d{9}";
        Pattern p = Pattern.compile(regex);
        Matcher m = p.matcher(string);
    
        while (m.find()) {
            System.out.println(m.group());
        }

你可能感兴趣的:(Java(正则表达式))