1. 程式人生 > >LeetCode—wildcard-matching(正則表示式匹配)—java

LeetCode—wildcard-matching(正則表示式匹配)—java

題目描述

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

思路解析

主要參考:http://shmilyaw-hotmail-com.iteye.com/blog/2154716

  • 首先是一一匹配的情況,還有p對應的字元是‘?’;
  • 然後是‘*’的情況,先看成是匹配0個字元,記錄*在p的位置start,還有開始匹配的s的位置match。
  • 如果沒有下一個並不能匹配上,看是否有‘*’救場,也就是看start是不是有非-1的值,如果有的話,就讓s的match的下一個去匹配。
  • 如果既沒有*,也沒有 一 一匹配,就說明不匹配
  • 最後需要看模式串是否到最後

程式碼

public class Solution {
    public boolean isMatch(String s, String p) {
        int i=0,j=0;
        int start = -1;
        int match = -1;
        while(i<s.length()){
            if(j<p.length() && (p.charAt(j)==s.charAt(i) || p.charAt(j)=='?')){
                i++;
                j++;
            }else if(j<p.length() && p.charAt(j)=='*'){
                start = j++;
                match = i;
            }else if(start!=-1){
                j = start+1;
                i = ++match;
            }else{
                return false;
            }
        }
        while(j<p.length() && p.charAt(j)=='*')
            ++j;
        return j == p.length();
    }
}