标签:style blog http color os art
Implement wildcard pattern matching with support for ‘?‘ and ‘*‘. ‘?‘ Matches any single character. ‘*‘ Matches any sequence of characters (including the empty sequence). The matching should cover the entire input string (not partial). The function prototype should be: bool isMatch(const char *s, const char *p) Some examples: isMatch("aa","a") → false isMatch("aa","aa") → true isMatch("aaa","aa") → false isMatch("aa", "*") → true isMatch("aa", "a*") → true isMatch("ab", "?*") → true isMatch("aab", "c*a*b") → false
思路:通配符匹配与Regular Expression Matching都是相似的题型。当s[i]==p[j]或者p[j]==‘?‘即匹配,则i++,j++;如果p[j]==‘*‘,则记录此时*的位置以及s[i]的位置,从*的下一个位置匹配,开始匹配。
class Solution { public: bool isMatch(const char *s, const char *p) { const char *star=NULL; const char *curs=NULL; while(*s!=‘\0‘) { if(*s==*p||*p==‘?‘) { s++; p++; continue; } if(*p==‘*‘) { star=p; p++; curs=s; continue; } if(star!=NULL) { p=star+1; s=curs+1; curs++; continue; } return false; } while(*p==‘*‘) p++; return *p==‘\0‘; } };
Wildcard Matching,布布扣,bubuko.com
标签:style blog http color os art
原文地址:http://www.cnblogs.com/awy-blog/p/3833564.html