leetcode 10. 동적 계획

2515 단어 leetcode 연습

제목.
Given an input string ( s ) and a pattern ( p ), implement regular expression matching with support for '.' and '*' .
'.' Matches any single character.
'*' Matches zero or more of the preceding element.

The matching should cover the entire input string (not partial).
해법1:42.17%95.20%
동적 기획, 위에서 아래까지.코드:
class Solution {
public:
    bool isMatch(string s, string p) {   
       return match(s,p,s.size()-1,p.size()-1);
       
    }
    bool match(string& s,string& p,int si,int pi){
        if(si==-1&&pi==-1) return true;
        if(pi==-1) return false;
        
        if(si==-1){
            if(p[pi]=='*') return match(s,p,si,pi-2);
            else return false;
        }else{
            if(s[si]==p[pi]||p[pi]=='.') return match(s,p,si-1,pi-1);
            else if(p[pi]=='*'){
                if(p[pi-1]==s[si]||p[pi-1]=='.')
                    return match(s,p,si,pi-2)||match(s,p,si-1,pi-2)||match(s,p,si-1,pi);
                else
                    return match(s,p,si,pi-2);
            }else 
                return false;
        }
    }
     
};

해법2:99.84% 93.23%
동적 기획, 낮은 것에서 위로 올라가다.dp[i+1][j+1]로 s[...i]와 p[...j]가 일치할 수 있는지를 표시하고 상태 이동 표현식은 세 가지 상황으로 나뉜다.
(1)s[i]==p[j]||p[j]=='.'             -->dp[i-1][j-1];
(2)p[j]=='*':
     p[j-1]!=s[i]&&p[j-1]!='.'     -->dp[i][j-2];
     else                          -->dp[i][j-2]||dp[i][j-1]||dp[i-1][j]
(3)else                              -->0
코드:
class Solution {
public:
    bool isMatch(string s, string p) {   
        //s[i]==p[j]||p[j]=='.'             -->dp[i-1][j-1];
        //p[j]=='*'
            //p[j-1]!=s[i]&&p[j-1]!='.'     -->dp[i][j-2];
            //else                          -->dp[i][j-2]||dp[i][j-1]||dp[i-1][j]
        //else                              -->0
        bool dp[s.size()+1][p.size()+1];
        dp[0][0]=true;
        for(int i=0;i 0 && '*' == p[j] && dp[0][j - 1];
        }
        for(int i=0;i

 
 
 
 
 
 
 
 
 

좋은 웹페이지 즐겨찾기