zoukankan      html  css  js  c++  java
  • Wildcard Matching

    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

    思路:我们维护两个指针inds和indp,分别代表s和p字符串中当前要比较的位置。

    如果s[inds] 等于 p[indp],或者p[indp]为'?',则匹配成功,inds和indp分别加一,进行下一次匹配。

    如果p[indp]为'*',则记下当前两个字符串匹配的下标,即s_star = inds,p_star = indp。

    当我们遇见*号时,*号可以与0到多个字符进行匹配,因此这里我们从匹配0个开始尝试。即令indp加1,然后开始下一轮的匹配(inds未变,而indp加1了,相当于p字符串里这个*号与s中的0个字符进行了匹配)。

    当我们发现上述情况均不成立,即s[inds]和p[indp]匹配失败时,看一下p_star的值是否大于-1(初始值为-1,大于-1说明前面遇见了*号),若大于-1,说明之前有*号,然后我们尝试*号再多匹配一个字符,即我们令inds=++s_star,然后indp=p_star + 1,进行下一次迭代。

    若上述条件都不成立,那肯定是匹配不上了,return false。

    在实现过程中,我们通过inds < s.size()这个条件来判断迭代是否要结束。而在迭代过程中,我们要时刻保证indp < p.size()。如果在迭代中出现了indp = p.size(),说明s和p是不匹配的。

    在迭代结束后,我们不能马上就下定论,因为有可能p串的末尾有多个*号我们没有进行完,而*号可以匹配0个符号,所以我们要考虑到这种情况。这里我们进行一下小处理,只要indp < p.size()且p[indp]='*',就令indp加一。

    最后判断indp是否到了p串的末尾就知道是否匹配了。

     1 class Solution {
     2 public:
     3     bool isMatch(string s, string p) {
     4         int slen = s.size(), plen = p.size();
     5         int inds = 0, indp = 0;
     6         int s_star = -1, p_star = -1;
     7         while (inds < slen)
     8         {
     9             if (indp < plen && p[indp] == '*')
    10             {
    11                 s_star = inds;
    12                 p_star = indp++;
    13             }
    14             else if (indp < plen && (s[inds] == p[indp] || p[indp] == '?'))
    15             {
    16                 inds++;
    17                 indp++;
    18             }
    19             else if (p_star > -1)
    20             {
    21                 inds = ++s_star;
    22                 indp = p_star + 1;
    23             }
    24             else return false;
    25         }
    26         while (indp < plen && p[indp] == '*')
    27             indp++;
    28         return indp == plen;
    29     }

     

  • 相关阅读:
    Packet Tracer 5.2实验(十五) 网络端口地址转换NAPT配置
    Packet Tracer 5.3实验(十六) 网络设备系统升级
    PostgreSQL学习手册(一) 数据表
    Access insert 语法错误
    Access2003转换成SQL2005。
    C#实现ACCESS数据库备份还原
    js 图片滚动
    根据日期算出天数
    datetime赋空值
    如何把Sql Server2005 数据库转换成Access
  • 原文地址:https://www.cnblogs.com/fenshen371/p/4936186.html
Copyright © 2011-2022 走看看