劍指offer19

題目描述

請實現一個函數用來匹配包括'.'和''的正則表達式。模式中的字符'.'表示任意一個字符,而''表示它前面的字符能夠出現任意次(包含0次)。 在本題中,匹配是指字符串的全部字符匹配整個模式。例如,字符串"aaa"與模式"a.a"和"abaca"匹配,可是與"aa.a"和"ab*a"均不匹配java

解題思路分析

其實本題也是一個若是全部狀況都分析正確的話就很好解出的題了正則表達式

  • 首先若是pattern的後一個字符不是'*'話,若是當前這個匹配成功,則都日後移一位,若是匹配不成功的話直接返回false
  • 若是pattern的後一個是'*'的話,這裏會有兩種大狀況
  • 1-當前這個字符不匹配的話,那直接pattern日後移兩個
  • 2-當前這個字符匹配的話,則會有三種匹配方式:pattern後移2個,視爲匹配0字符;pattern後移2個,str後移1個,視爲匹配1個字符;pattern不動,str後移一位,視爲多個匹配; 好了,分析完了以後,寫代碼就簡單了,下面上代碼
public boolean match(char[] str, char[] pattern) {
    if (str == null && pattern == null) {
        return false;
    }
    int strIndex = 0, patternIndex = 0;
    return matchCore(str, 0, pattern, 0);
}

public boolean matchCore(char[] str, int strIndex, char[] pattern, int patternIndex) {
    //所有匹配成功
    if (strIndex == str.length && patternIndex == pattern.length) {
        return true;
    }
    //匹配不成功
    if (strIndex != str.length && patternIndex == pattern.length) {
        return false;
    }
    //下一個爲'*'的狀況,每次須要判斷是否越界
    if (patternIndex + 1 < pattern.length && pattern[pattern + 1] == '*') {
        //當前這個位置匹配成功的狀況
        if ((strIndex != str.length && str[strIndex] == pattern[patternIndex]) || (pattern[patternIndex] == '.' && strIndex != str.length)) {
            return matchCore(str, strIndex, pattern, patternIndex + 2)//匹配0個字符
                || matchCore(str, strIndex + 1, pattern, patternIndex + 2)//匹配1字符
                || matchCore(str, strIndex + 1, pattern, patternIndex);//匹配多個字符
        }  else {
            //當前匹配不成功
            return matchCore(str, strIndex, pattern, patternIndex + 2);
        }
    }
    //下一個不是"*"的狀況,並且當前這個匹配成功
    if ((strIndex != str.length && pattern[patternIndex] == str[strIndex]) || (pattern[patternIndex] == '.' && strIndex != str.length)) {
        return matchCore(str, strIndex + 1, pattern, patternIndex + 1);  
    }
    return false;
}
複製代碼
相關文章
相關標籤/搜索