標籤:Regex 字串 java 演算法 面試
【010-Regular Expresssion Matching(Regex匹配)】
【LeetCode-面試演算法經典-Java實現】【所有題目目錄索引】
原題
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). 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”, “a*”) → true
isMatch(“aa”, “.*”) → true
isMatch(“ab”, “.*”) → true
isMatch(“aab”, “c*a*b”) → true
題目大意
實現一個Regex匹配演算法,.匹配任意一個字元,*匹配0個或者多個前置字元
解題思路
使用標記匹配演算法法,從後向前進行匹配。
代碼實現
import java.util.Arrays;public class Solution { /** * 010-Regular Expresssion Matching(Regex匹配) * * @param s 匹配串 * @param p 模式串 * @return 匹配結果,true匹配,false不匹配 */ public boolean isMatch(String s, String p) { // 標記數數組 boolean[] match = new boolean[s.length() + 1]; // 初始化 Arrays.fill(match, false); // 假定最後的結果是匹配的 match[s.length()] = true; // 對模式串從後向前進行處理 for (int i = p.length() - 1; i >= 0; i--) { // 如果當前是* if (p.charAt(i) == ‘*‘) { // 匹配串從最後一個開始處理 for (int j = s.length() - 1; j >= 0; j--) { match[j] = match[j] || match[j + 1] && (p.charAt(i - 1) == ‘.‘ || s.charAt(j) == p.charAt(i - 1)); } i--; } // 如果不是* else { for (int j = 0; j < s.length(); j++) { match[j] = match[j + 1] && (p.charAt(i) == ‘.‘ || p.charAt(i) == s.charAt(j)); } match[s.length()] = false; } } return match[0]; }}
評測結果
點擊圖片,滑鼠不釋放,拖動一段位置,釋放後在新的視窗中查看完整圖片。
特別說明
歡迎轉載,轉載請註明出處【http://blog.csdn.net/derrantcm/article/details/46951847】
著作權聲明:本文為博主原創文章,未經博主允許不得轉載。
【LeetCode-面試演算法經典-Java實現】【010-Regular Expresssion Matching(Regex匹配)】