zoukankan      html  css  js  c++  java
  • 剑指 Offer 19. 正则表达式匹配

    请实现一个函数用来匹配包含'. '和'*'的正则表达式。模式中的字符'.'表示任意一个字符,而'*'表示它前面的字符可以出现任意次(含0次)。在本题中,匹配是指字符串的所有字符匹配整个模式。例如,字符串"aaa"与模式"a.a"和"ab*ac*a"匹配,但与"aa.a"和"ab*a"均不匹配。

    示例 1:

    输入:
    s = "aa"
    p = "a"
    输出: false
    解释: "a" 无法匹配 "aa" 整个字符串。

    示例 2:

    输入:
    s = "aa"
    p = "a*"
    输出: true
    解释: 因为 '*' 代表可以匹配零个或多个前面的那一个元素, 在这里前面的元素就是 'a'。因此,字符串 "aa" 可被视为 'a' 重复了一次。

    示例 3:

    输入:
    s = "ab"
    p = ".*"
    输出: true
    解释: ".*" 表示可匹配零个或多个('*')任意字符('.')。

    示例 4:

    输入:
    s = "aab"
    p = "c*a*b"
    输出: true
    解释: 因为 '*' 表示零个或多个,这里 'c' 为 0 个, 'a' 被重复一次。因此可以匹配字符串 "aab"。

    示例 5:

    输入:
    s = "mississippi"
    p = "mis*is*p*."
    输出: false

        s 可能为空,且只包含从 a-z 的小写字母。
        p 可能为空,且只包含从 a-z 的小写字母以及字符 . 和 *,无连续的 '*'。

    来源:力扣(LeetCode)
    链接:https://leetcode-cn.com/problems/zheng-ze-biao-da-shi-pi-pei-lcof
    著作权归领扣网络所有。商业转载请联系官方授权,非商业转载请注明出处。

    记忆化搜索。

    代码:

    class Solution {
    public:
        int f[100][100] = {2};
        bool isMatch(string s, string p) {
            int slen = s.size(),plen = p.size();
            if(f[slen][plen]) return f[slen][plen] == 2;
            if(p[0] == '.') {//any
                if(plen > 1 && p[1] == '*') {
                    if(isMatch(s,p.substr(2,plen))) return f[slen][plen] = 2;
                    if(slen && (isMatch(s.substr(1,slen),p) || isMatch(s.substr(1,slen),p.substr(2,plen)))) return f[slen][plen] = 2;
                }
                else if(slen) return (f[slen][plen] = isMatch(s.substr(1,slen),p.substr(1,plen)) + 1) - 1;
            }
            else {
                if(plen > 1 && p[1] == '*') {
                    if(slen && s[0] == p[0] && (isMatch(s.substr(1,slen),p) || isMatch(s.substr(1,slen),p.substr(2,plen)) || isMatch(s,p.substr(2,plen)))) return f[slen][plen] = 2;
                    else return (f[slen][plen] = isMatch(s,p.substr(2,plen)) + 1) - 1;
                }
                else if(slen && s[0] == p[0]) return (f[slen][plen] = isMatch(s.substr(1,slen),p.substr(1,plen)) + 1) - 1;
            }
            return (f[slen][plen] = 1) - 1;
        }
    };
  • 相关阅读:
    集训作业 洛谷P1135 奇怪的电梯
    集训作业 洛谷P1433 吃奶酪
    集训作业 洛谷P1443 马的遍历
    集训作业 洛谷P1032 字串变换
    T3 成绩单 题解
    T4 字符串的修改 题解
    P3379 最近公共祖先(LCA) 洛谷
    集训作业 洛谷P3913 车的攻击
    解决intellij idea卡顿的方法
    好的在线开发工具推荐
  • 原文地址:https://www.cnblogs.com/8023spz/p/13779753.html
Copyright © 2011-2022 走看看