LeetCode OJ 之 Regular Expression Matching (正则表达式匹配)

前端之家收集整理的这篇文章主要介绍了LeetCode OJ 之 Regular Expression Matching (正则表达式匹配)前端之家小编觉得挺不错的,现在分享给大家,也给大家做个参考。

题目:

Implement regular expression matching with support for'.'and'*'.

  1. '.' Matches any single character.
  2. '*' Matches zero or more of the preceding element.
  3.  
  4. The matching should cover the entire input string (not partial).
  5.  
  6. The function prototype should be:
  7. bool isMatch(const char *s,const char *p)
  8.  
  9. Some examples:
  10. isMatch("aa","a") false
  11. isMatch("aa","aa") true
  12. isMatch("aaa","aa") false
  13. isMatch("aa","a*") true
  14. isMatch("aa",".*") true
  15. isMatch("ab",".*") true
  16. isMatch("aab","c*a*b") true

正则表达式匹配,. 可以匹配任何单个字符。 * 零次或多次匹配前面的字符或子表达式。例如,zo* 可以匹配“z”和“zoo”。前面一个*表示o一次也没有。

思路:

当前字符的下一个字符为 * 时,有两种情况,1、* 表示0次前一个字符,则对(s,p+2)递归调用匹配。如 s = abc,p = m*abc 。

2、如果当前字符匹配,则对(s+1,p)递归调用匹配。此时 * 至少表示一次前一个字符。如 s = aaabc,p = a*abc 。

两种情况只要有一个满足即匹配。

代码

  1. class Solution {
  2. public:
  3. bool isMatch(const char *s,const char *p)
  4. {
  5. if (*p == '\0')
  6. return *s == '\0';
  7. // next char is not '*',then must match current character
  8. if (*(p + 1) != '*')
  9. {
  10. if (*p == *s || (*p == '.' && *s != '\0'))
  11. return isMatch(s + 1,p + 1);
  12. else
  13. return false;
  14. }
  15. else
  16. { // next char is '*'
  17. return isMatch(s,p + 2) || (*p == *s || (*p == '.' && *s != '\0')) && isMatch(s + 1,p);
  18. }
  19. }
  20. };

更新:

  1. class Solution {
  2. public:
  3. bool isMatch(string s,string p) {
  4. const char *s1 = s.c_str();
  5. const char *s2 = p.c_str();
  6. return isMatch(s1,s2);
  7. }
  8. bool isMatch(const char *s1,const char *p1)
  9. {
  10. if(*p1 == '\0')
  11. return *s1 == '\0';
  12. if(*(p1+1) != '*')
  13. {
  14. if(*s1 == *p1 || (*p1 == '.' && *s1 != '\0'))
  15. return isMatch(s1+1,p1+1);
  16. else
  17. return false;
  18. }
  19. else
  20. {
  21. return isMatch(s1,p1+2) || (*s1 == *p1 || (*p1 == '.' && *s1 != '\0')) && isMatch(s1+1,p1);
  22. }
  23. }
  24. };

猜你在找的正则表达式相关文章