Regular Expression Matching
题目地址:
https://leetcode.com/problems/regular-expression-matching/#/description
题目:
解题思路:
这道题是典型的dynamic programming。首先new出2D array,长度分别为m+1 和n + 1。先将第一行填好,然后double for loop。
/* 'match' below including . f(i,j) means s where s.len=i matches p where p.len=j f(i,j) = if (p_j-1 != * ) f(i-1, j-1) and s_i-1 matches p_j-1 if (p_j-1 == * ) * matches zero times: f(i,j-2) or * matches at least one time: f(i-1,j) and s_i-1 matches p_j-2 */
Link: https://discuss.leetcode.com/topic/6183/my-concise-recursive-and-dp-solutions-with-full-explanation-in-c/14
代码:
https://leetcode.com/problems/regular-expression-matching/#/description
题目:
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
解题思路:
这道题是典型的dynamic programming。首先new出2D array,长度分别为m+1 和n + 1。先将第一行填好,然后double for loop。
/* 'match' below including . f(i,j) means s where s.len=i matches p where p.len=j f(i,j) = if (p_j-1 != * ) f(i-1, j-1) and s_i-1 matches p_j-1 if (p_j-1 == * ) * matches zero times: f(i,j-2) or * matches at least one time: f(i-1,j) and s_i-1 matches p_j-2 */
Link: https://discuss.leetcode.com/topic/6183/my-concise-recursive-and-dp-solutions-with-full-explanation-in-c/14
代码:
public boolean isMatch(String s, String p) { /* 'match' below including .f(i,j) means s where s.len=i matches p where p.len=jf(i,j) = if (p_j-1 != * ) f(i-1, j-1) and s_i-1 matches p_j-1 if (p_j-1 == * ) * matches zero times: f(i,j-2) or * matches at least one time: f(i-1,j) and s_i-1 matches p_j-2 */ if (!p.isEmpty() && p.charAt(0) == '*') { return false; // invalid p } boolean[][] f = new boolean[s.length() + 1][p.length() + 1]; // initialize f(0,0) f[0][0] = true; // f(k,0) and f(0,2k-1) where k>=1 are false by default // initialize f(0,2k) where p_2k-1 = * for any k>=1 for (int j = 1; j < p.length(); j+=2) { if (p.charAt(j) == '*') { f[0][j+1] = f[0][j-1]; } } for (int i = 1; i <= s.length(); i++) { for (int j = 1; j <= p.length(); j++) { if (p.charAt(j - 1) != '*') { f[i][j] = f[i - 1][j - 1] && isCharMatch(s.charAt(i - 1), p.charAt(j - 1)); } else { f[i][j] = f[i][j - 2] || f[i - 1][j] && isCharMatch(s.charAt(i - 1), p.charAt(j - 2)); } } } return f[s.length()][p.length()]; } private boolean isCharMatch(char s, char p) { return p == '.' || s == p; }

Comments
Post a Comment