44. 通配符匹配

题目描述:

44. 通配符匹配_第1张图片

主要思路:

这个一个线性dp的问题,参照前面正则表达式匹配进行了修改。

class Solution {
public:
    bool isMatch(string s, string p) {
        int n=s.length(),m=p.length();
        vector<vector<int>> f(n+1,vector<int>(m+1));
        auto match = [&](int i,int j)
        {
            if(i==0)
                return false;
            if(p[j-1]=='?')
                return true;
            return s[i-1]==p[j-1];
        };
        f[0][0]=true;
        for(int i=0;i<=n;++i)
        {
            for(int j=1;j<=m;++j)
            {
                if(p[j-1]=='*')
                {
                    f[i][j]|=f[i][j-1]; // 不匹配
                    if(i>0)
                        f[i][j]|=f[i-1][j]; // 当前字符被*抵消
                }
                else
                {
                    if(match(i,j))
                        f[i][j]=f[i-1][j-1];
                }
            }
        }
        return f[n][m];
    }
};

你可能感兴趣的:(Leetcode,leetcode)