[LeetCode Python3]10. Regular Expression Matching手把手详解

10. Regular Expression Matching

采用递归的方法

  • S1: 不考虑*通配符:
def helpMatch(i, j):
    # + 递归基
    if s[i] == p[j] or p[j] == ".":
        return helpMatch(i+1, j+1)
    else:
        return False
  • S2: 考虑*通配符:
def helpMatch(i, j):
    # + 递归基
    if s[i] == p[j] or p[j] == ".":
        if j + 1 < len(p) and p[j + 1] == "*":
            return helpMatch(i, j+2) \  # "*"匹配0次
                   or helpMatch(i+1, j) # "*"匹配1次(由于递归,可以代表匹配多次)
        else:
            return helpMatch(i+1, j+1)
    else:
        if j + 1 < len(p) and p[j + 1] == "*":
            return helpMatch(i, j+2)  # "*"匹配0次
        else:
            return False
  • S3: 具体Python3的代码:
class Solution:
    def isMatch(self, s: str, p: str) -> bool:
        memo = {
     }   # 建立备忘录,避免递归中的重复计算
        ssize, psize = len(s), len(p)
        def helpMatch(i, j):
            if (i, j) in memo:
                return memo[(i, j)]
            # 递归基1
            if j == psize:  # 当j到尾部时,若文本串s也到尾部,则说明恰好匹配
                memo[(i, j)] = i == ssize
                return memo[(i, j)]
            # 递归基2
            if i == ssize:
                # 当i==ssize,即文本串s到尾部,且j不可能为psize(若是则会进入前一个条件语句);
                # 此时若模式串剩余部分为"字符+"*""成对出现(如a*b*c*……)则可匹配,否则不匹配。
                if j + 1 < psize and p[j + 1] == '*':
                    memo[(i, j)] = helpMatch(i, j + 2)
                else:
                    memo[(i, j)] = False
                return memo[(i, j)]
            if s[i] == p[j] or p[j] == ".":
                if j + 1 < psize and p[j + 1] == '*':
                    memo[(i, j)] = helpMatch(i, j + 2) or helpMatch(i + 1, j)   # "*"前字符匹配0次或多次
                else:
                    memo[(i, j)] = helpMatch(i+1, j+1)
            else:
                if j + 1 < psize and p[j + 1] == '*':
                    memo[(i, j)] = helpMatch(i, j + 2)  # "*"前字符匹配0次
                else:
                    memo[(i, j)] = False
            return memo[(i, j)]
        return helpMatch(0,0)

你可能感兴趣的:(LeetCode每日一题)