博客
关于我
强烈建议你试试无所不能的chatGPT,快点击我
10. Regular Expression Matching
阅读量:6450 次
发布时间:2019-06-23

本文共 1949 字,大约阅读时间需要 6 分钟。

description:

Given an input string (s) and a pattern (p), implement regular expression matching with support for '.' and '*'.

'.' Matches any single character.'*' Matches zero or more of the preceding element.

The matching should cover the entire input string (not partial).

Note:

s could be empty and contains only lowercase letters a-z.

p could be empty and contains only lowercase letters a-z, and characters like . or *.

Example 1:Input:s = "aa"p = "a"Output: falseExplanation: "a" does not match the entire string "aa".Example 2:Input:s = "aa"p = "a*"Output: trueExplanation: '*' means zero or more of the precedeng element, 'a'. Therefore, by repeating 'a' once, it becomes "aa".Example 3:Input:s = "ab"p = ".*"Output: trueExplanation: ".*" means "zero or more (*) of any character (.)".Example 4:Input:s = "aab"p = "c*a*b"Output: trueExplanation: c can be repeated 0 times, a can be repeated 1 time. Therefore it matches "aab".Example 5:Input:s = "mississippi"p = "mis*is*p*."Output: false

my answer:

可以看出代码逻辑就是讨论pattern从0->2,等于2时又分为第二个是不是无限匹配最后还要处理一个‘’和p匹配的问题

大佬的answer:

class Solution {public:    bool isMatch(string s, string p) {        if (p.empty()) return s.empty();        if (p.size() == 1) {            return (s.size() == 1 && (s[0] == p[0] || p[0] == '.'));        }        if (p[1] != '*') {            if (s.empty()) return false;            return (s[0] == p[0] || p[0] == '.') && isMatch(s.substr(1), p.substr(1));            //这句话在写(抄)代码的时候报错了,根据控制变量法,最后判定错误出在&&,            //因为我在模仿大佬的codestyle的时候&&右边打了两个空格(也可能是当时按错了输入法变                   //成了全角emmmmm)        }        while (!s.empty() && (s[0] == p[0] || p[0] == '.')) {            if (isMatch(s, p.substr(2))) return true;            s = s.substr(1);        }        return isMatch(s, p.substr(2));    }};

relative point get√:

hint :

关键在于数清可能遇到的可能情况,就感觉easy考的都是基础的数据结构,越难就越考逻辑清晰,缜密,咋才能考虑到所有情况?--> 靠bug >o<!!!

转载于:https://www.cnblogs.com/forPrometheus-jun/p/10589425.html

你可能感兴趣的文章
利用网易获取所有股票数据
查看>>
HDOJ5015 233 Matrix(矩阵乘法加速递推)
查看>>
三种局域网扫描工具比较
查看>>
移动铁通宽带上网设置教程
查看>>
java中判断字符串中是否有中文字符
查看>>
Python算法(含源代码下载)
查看>>
利用Windows自带的Certutil查看文件MD5
查看>>
Git处理 行结束符
查看>>
通过原生js添加div和css
查看>>
[训练日志] 7月13日
查看>>
Python 模块 和 包
查看>>
简单的导出表格和将表格下载到桌面上。
查看>>
《ArcGIS Engine+C#实例开发教程》第一讲桌面GIS应用程序框架的建立
查看>>
递归查询上一级
查看>>
JAVA - 大数类详解
查看>>
查询指定名称的文件
查看>>
批处理文件
查看>>
1.每次按一下pushbutton控件,切换图片?
查看>>
Python 嵌套列表解析
查看>>
[GXOI/GZOI2019]旧词——树链剖分+线段树
查看>>