[LeetCode]正則表達式匹配(Regular Expression Matching)

題目描述

給定一個字符串 (s) 和一個字符模式 (p)。實現支持 '.' 和 '*' 的正則表達式匹配。
'.' 匹配任意單個字符。
'*' 匹配零個或多個前面的元素。
匹配應該覆蓋整個字符串 (s) ,而不是部分字符串。java

說明:
s 可能爲空,且只包含從 a-z 的小寫字母。
p 可能爲空,且只包含從 a-z 的小寫字母,以及字符 . 和 *。

示例 1:
輸入:
s = "aa"
p = "a"
輸出: false
解釋: "a" 沒法匹配 "aa" 整個字符串。正則表達式

示例 2:
輸入:
s = "aa"
p = "a*"
輸出: true
解釋: '*' 表明可匹配零個或多個前面的元素, 便可以匹配 'a' 。所以, 重複 'a' 一次, 字符串可變爲 "aa"。數組

示例 3:
輸入:
s = "ab"
p = ".*"
輸出: true
解釋: ".*" 表示可匹配零個或多個('*')任意字符('.')。code

示例 4:
輸入:
s = "aab"
p = "c*a*b"
輸出: true
解釋: 'c' 能夠不被重複, 'a' 能夠被重複一次。所以能夠匹配字符串 "aab"。ip

示例 5:
輸入:
s = "mississippi"
p = "mis*is*p*."
輸出: false字符串

解決方法

方法一

當模式中的第二個字符是「*」時:
若是字符串第一個字符跟模式第一個字符不匹配,則模式後移2個字符,繼續匹配。若是字符串第一個字符跟模式第一個字符匹配,能夠有2種匹配方式:get

  • 模式後移2字符,至關於x*被忽略
  • 字符串後移1字符,模式不變,即繼續匹配字符下一位,由於*能夠匹配多位

當模式中的第二個字符不是「*」時:string

  • 若是字符串第一個字符和模式中的第一個字符相匹配,那麼字符串和模式都後移一個字符,而後匹配剩餘的
  • 若是字符串第一個字符和模式中的第一個字符相不匹配,直接返回false

這裏須要注意的是:要時刻檢驗數組是否越界it

public boolean isMatch(String s, String p) {
        if (s == null || p == null)
            return false;

        return isMatchCore(s, 0, p, 0);
    }

    public boolean isMatchCore(String s, int sIndex, String p, int pIndex) {
        // 有效性檢驗:str到尾,pattern到尾,匹配成功
        if (s.length() == sIndex && p.length() == pIndex)
            return true;
        // pattern先到尾,匹配失敗
        if (p.length() == pIndex)
            return false;
        // 模式後一個字符是*,且字符串第1個跟模式第1個匹配,分2種匹配模式。如不匹配,模式後移2位
        if (pIndex + 1 < p.length() && p.charAt(pIndex + 1) == '*') {
            if (sIndex < s.length() && (s.charAt(sIndex) == p.charAt(pIndex) || p.charAt(pIndex) == '.')) {
                return isMatchCore(s, sIndex + 1, p, pIndex) || // x*匹配1個字符,再匹配str中的下一個
                        isMatchCore(s, sIndex, p, pIndex + 2); // 模式後移2位,視爲x*匹配0個字符
            } else
                return isMatchCore(s, sIndex, p, pIndex + 2);
        } else {
            // 模式後一個字符不是*,且字符串第1個跟模式第1個匹配,則都後移1位,不然直接返回false
            if (sIndex < s.length() && (s.charAt(sIndex) == p.charAt(pIndex) || p.charAt(pIndex) == '.'))
                return isMatchCore(s, sIndex + 1, p, pIndex + 1);
            else
                return false;
        }
    }

方法二

只須要注意後一個字符是否爲*便可,
第一個字符直接進行對比判斷,當第二個字符爲*時,有2種狀況class

  • 0個字符匹配,模式直接日後跳2位
  • 1個字符匹配,字符串日後跳1位

沒*的話直接對比匹配便可

public boolean isMatch2(String s, String p) {
        if (p.isEmpty())
            return s.isEmpty();

        boolean firstMatch = !s.isEmpty() && (s.charAt(0) == p.charAt(0) || p.charAt(0) == '.');

        if (p.length() > 1 && p.charAt(1) == '*')
            return isMatch2(s, p.substring(2)) || (firstMatch && isMatch2(s.substring(1), p));
        else
            return firstMatch && isMatch2(s.substring(1), p.substring(1));
    }

本文首發:https://lierabbit.cn/2018/05/...

相關文章
相關標籤/搜索