题目描述
请实现一个函数用来匹配包括’.’和’‘的正则表达式。模式中的字符’.’表示任意一个字符,而’‘表示它前面的字符可以出现任意次(包含0次)。 在本题中,匹配是指字符串的所有字符匹配整个模式。例如,字符串”aaa”与模式”a.a”和”ab*ac*a”匹配,但是与”aa.a”和”ab*a”均不匹配。
解答
每次从字符串中拿出一个字符和模式串中的字符去匹配。
首先分析符合匹配任意字符。如果模式串中的字符是’.’,那么它可以匹配字符串中的任意字符。如果模式串中的字符不是’.’,且它和字符串的当前字符相同,那么它们匹配。当字符串中的字符和模式串中的字符匹配时,接着匹配后面的字符。
相对而言,当模式串中的下一个字符不是’*’时,问题要简单一些。如果字符串中的当前字符与模式串中的当前字符匹配,那么在字符串和模式串上都向后移动一个字符,然后匹配剩余的字符串和模式串。如果字符串中的当前字符与模式串中的当前字符不匹配,直接返回false。
当模式串中的下一个字符是’*’时,问题要复杂一些。因为可能有不同的匹配方式。一个选择是在模式串上向后移动两个字符,这相当于‘*’和它之前的字符被忽略掉。如果模式串中的当前字符与字符串中的当前字符匹配,则在字符串上向后移动一个字符,在模式串上有两种选择:可以在模式串上向后移动两个字符,也可以保持不动。
bool match(char* str,char* pattern)
{
if(!str || !pattern)
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(*pattern == *str || (*pattern =='.' && *str!= '\0'))
return matchCore(str+1,pattern+2) //move to the next stage(str move to next char and pattern move beyond char and *)
|| matchCore(str+1,pattern) //str move to the next char,but pattern still in the current stage
|| matchCore(str,pattern+2); //ignore char and the following * in the pattern
else
return matchCore(str,pattern+2);
}
if(*pattern == *str || (*pattern =='.' && *str!= '\0'))
return matchCore(str+1,pattern+1);
return false;
}
改代码在leetcode中会超时。。