[leetcode]Regular Expression Matching @ Python
6373 ワード
原題住所:https://oj.leetcode.com/problems/regular-expression-matching/
タイトル:
Implement regular expression matching with support for
解題構想:正規表現が一致する判断.ネット上の多くの解法は再帰で作られており、javaとc++で过ごすことができますが、同じpythonでTLEについて、この问题が再帰ではないことを说明しています.ダイナミックプランニングではなく、ダイナミックプランニングを使えばACになります.ここの'*'号は前の文字を繰り返すことを表しています.注意は0回繰り返すことができます.
まず再帰的な解法を見てみましょう.
P[j+1]!='*',S[i]==P[j]=>次のビット(i+1,j+1),S[i]!=P[j]=>マッチングに失敗した;
P[j+1]='*',S[i]==P[j]=>が次のビット(i+1,j+2)または(i,j+2)に一致する場合、S[i]!=P[j]=>は次のビット(i,j+2)にマッチする.
マッチングに成功した条件はS[i]='0'&&P[j]='0'である.
コード、TLE:
動的計画の解法を見てみましょう.
コード:
タイトル:
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
解題構想:正規表現が一致する判断.ネット上の多くの解法は再帰で作られており、javaとc++で过ごすことができますが、同じpythonでTLEについて、この问题が再帰ではないことを说明しています.ダイナミックプランニングではなく、ダイナミックプランニングを使えばACになります.ここの'*'号は前の文字を繰り返すことを表しています.注意は0回繰り返すことができます.
まず再帰的な解法を見てみましょう.
P[j+1]!='*',S[i]==P[j]=>次のビット(i+1,j+1),S[i]!=P[j]=>マッチングに失敗した;
P[j+1]='*',S[i]==P[j]=>が次のビット(i+1,j+2)または(i,j+2)に一致する場合、S[i]!=P[j]=>は次のビット(i,j+2)にマッチする.
マッチングに成功した条件はS[i]='0'&&P[j]='0'である.
コード、TLE:
class Solution:
# @return a boolean
def isMatch(self, s, p):
if len(p)==0: return len(s)==0
if len(p)==1 or p[1]!='*':
if len(s)==0 or (s[0]!=p[0] and p[0]!='.'):
return False
return self.isMatch(s[1:],p[1:])
else:
i=-1; length=len(s)
while i<length and (i<0 or p[0]=='.' or p[0]==s[i]):
if self.isMatch(s[i+1:],p[2:]): return True
i+=1
return False
動的計画の解法を見てみましょう.
コード:
class Solution:
# @return a boolean
def isMatch(self, s, p):
dp=[[False for i in range(len(p)+1)] for j in range(len(s)+1)]
dp[0][0]=True
for i in range(1,len(p)+1):
if p[i-1]=='*':
if i>=2:
dp[0][i]=dp[0][i-2]
for i in range(1,len(s)+1):
for j in range(1,len(p)+1):
if p[j-1]=='.':
dp[i][j]=dp[i-1][j-1]
elif p[j-1]=='*':
dp[i][j]=dp[i][j-1] or dp[i][j-2] or (dp[i-1][j] and (s[i-1]==p[j-2] or p[j-2]=='.'))
else:
dp[i][j]=dp[i-1][j-1] and s[i-1]==p[j-1]
return dp[len(s)][len(p)]