‘.’ Matches any single character.
‘*’ Matches zero or more of the preceding element.markdown
The matching should cover the entire input string (not partial).spa
The function prototype should be:
bool isMatch(const char *s, const char *p)prototype
Some examples:
isMatch(「aa」,」a」) → false
isMatch(「aa」,」aa」) → true
isMatch(「aaa」,」aa」) → false
isMatch(「aa」, 「a*」) → true
isMatch(「aa」, 「.*」) → true
isMatch(「ab」, 「.*」) → true
isMatch(「aab」, 「c*a*b」) → truecode
題目難度:so hard!-參考別人思路
思路:
1.若下一個字符非星號,則必須徹底匹配模式串中字符或’.’,匹配完轉化爲斷定下一輪子問題。
2..若下一個字符是星號,當前字符匹配可跳過星號進行匹配子問題,匹配成功返回,失敗則以當前字符進行循環向前走再 轉化爲子問題求解,element
class Solution {
public:
bool isMatch(string s, string p) {
int ns=s.size(),np=p.size();
if(np==0)return ns==0;
int beg=0;
int sn =0;
if(p[beg+1]!='*'){
if(s[beg]==p[beg]||(p[beg]=='.'&&s[beg]!='\0'))
return isMatch(string(s,beg+1,ns-1),string(p,beg+1,np-1));
else return false;
}
else{
while(s[sn]==p[beg]||(p[beg]=='.'&&s[sn]!='\0')){
if(isMatch(string(s,sn,ns-sn),string(p,beg+2,np-2)))
return true;
sn++;
}
}
return isMatch(string(s,sn,ns-sn),string(p,beg+2,np-2));
}
};