《剑指offer》正则表达式匹配

【 声明:版权所有,转载请标明出处,请勿用于商业用途。  联系信箱:[email protected]


题目链接:http://www.nowcoder.com/practice/45327ae22b7b413ea21df13ee7d6429c?rp=3&ru=/ta/coding-interviews&qru=/ta/coding-interviews/question-ranking


题目描述
请实现一个函数用来匹配包括'.'和'*'的正则表达式。模式中的字符'.'表示任意一个字符,而'*'表示它前面的字符可以出现任意次(包含0次)。 在本题中,匹配是指字符串的所有字符匹配整个模式。例如,字符串"aaa"与模式"a.a"和"ab*ac*a"匹配,但是与"aa.a"和"ab*a"均不匹配

思路
如果模式串此时是'.',那么只需要模式串与匹配串都往后移动一个位置即可
如果现在这位的字符能匹配且且模式串的下一位是'*',我们则需要分情况讨论
1.匹配串往后移动1位,模式串跳过'*'
2.匹配串往后移动1位,模式串不动
3.匹配串不动,模式串跳过'*'


class Solution
{
	public:
		bool match(char* str, char* pattern)
		{
			if(str==nullptr || pattern==nullptr)
				return false;
			return matchCore(str,pattern);
		}
		bool matchCore(char *str,char *pattern)
		{
			if(*str=='\0' && *pattern=='\0')
				return true;
			if(*str!='\0' && *pattern=='\0')
				return false;

			if(*(pattern+1)=='*')
			{
				if(*str==*pattern || (*pattern=='.' && *str!='\0'))
					return matchCore(str+1,pattern+2)||matchCore(str+1,pattern)||matchCore(str,pattern+2);
				else
					return matchCore(str,pattern+2);
			}
			if(*str==*pattern || (*pattern=='.' && *str!='\0'))
				return matchCore(str+1,pattern+1);
			return false;
		}
};


你可能感兴趣的:(《剑指offer》专题,《剑指offer》题目解析)