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
思路:
参考链接:http://blog.csdn.net/a83610312/article/details/9750655
链接里面的内容有很多学习的地方,其中最重要的是遇到问题时不一定第一时间找到最终解决方案,但是可以通过不断地改进自己的方法来达到目的,戒骄戒躁。在解决任何问题的时候都应该有这样的心态,过程也很重要。
1、首先想到这题和Regular Expression Match很相似,可以用递归,但是这题中的*可以匹配任意字符,而不是正则表达式中的前一个字符,所以搜索空间更大,出现TLE。
2、于是转到DP。然而测试数据中s和p可能很长,用O(length(s)*length(p))的空间的话会出现MLE。
3、最后在DP基础上压缩空间,用两个一维的数组代替原来的多维数组,空间变成O(length(p))。因为每一层遍历只需要用到上一层的结果,所以可以压缩空间。这种空间压缩的方法在别的DP中也可以考虑使用。
代码如下:
1 bool isMatch(const char *s, const char *p) { 2 if(*p == '