Wildcard Matching

제목 설명
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

이 문 제 는 앞의 Regular Expression Matching 과 차이 가 많 지 않 습 니 다. 저 는 이전의 dfs 알고리즘 을 사용 하여 시간 을 초 과 했 습 니 다.
public boolean isMatch(String s, String p) {
	if(p.length()==0){
		return s.length()==0;
	}
	if(p.charAt(0)=='*'&&s.length()>0){
		if(isMatch(s, p.substring(1))){
			return true;
		}else{
			return isMatch(s.substring(1), p);
		}
	}
	if(s.length()==0){
		int start=0;
		while(start<p.length()&&p.charAt(start)=='*'){
			start++;
		}
		return start==p.length();
	}
	if(p.charAt(0)=='?'||(s.length()>0&&p.charAt(0)==s.charAt(0))){
		return isMatch(s.substring(1), p.substring(1));
	}
	return false;
}
따라서 동적 계획 알고리즘 을 사용 해 야 합 니 다. 여기 있 는 isMatchEmpty (String s) 는 s 가 빈 문자열 과 일치 하 는 지, 즉 '* * *' 와 같은 문자열 을 검사 하 는 데 사 용 됩 니 다.
s. subString (0, i) 을 dp [i] [j] 로 저장 합 니 다. p. subString (0, j) 과 일치 하 는 지 여부 입 니 다.
그리고 p. charAt (j) = '*', p. charAt (j) = '?'p.charAt(j)==s.charAt(i),p.charAt(j)!=s. charAt (i) 의 경우 디 테 일 에 주의 하 세 요 ~
코드 는 다음 과 같 습 니 다:
public class Solution {
    public boolean isMatch(String s, String p) {
		if(p.length()==0){
			return s.length()==0;
		}
		if(s.length()==0){
			return isMatchEmpty(p);
		}
		boolean[][] dp=new boolean[s.length()][p.length()];
		for(int i=0;i<s.length();i++){
			for(int j=0;j<p.length();j++){
				if(p.charAt(j)=='*'){
					if(i>0){
						if(j>0&&dp[i][j-1]){//     
							dp[i][j]=true;
						}else{
							dp[i][j]=dp[i-1][j];
						}
					}else{
						if(j==0){
							dp[i][j]=true;
						}else{
							dp[i][j]=dp[0][j-1];
						}
					}
				}else if(p.charAt(j)=='?'||p.charAt(j)==s.charAt(i)){
					if(i>0&&j>0){
						dp[i][j]=dp[i-1][j-1];
					}else if(i==0&&j==0){
						dp[i][j]=true;
					}else if(i>0&&j==0){
						dp[i][j]=false;
					}else{
						dp[i][j]=isMatchEmpty(p.substring(0,j));
					}
				}
				else{
					dp[i][j]=false;
				}
			}
		}
		return dp[s.length()-1][p.length()-1];
    }
	
	public boolean isMatchEmpty(String s){
		int i=0;
		while(i<s.length()&&s.charAt(i)=='*'){
			i++;
		}
		return i==s.length();
	}
}

좋은 웹페이지 즐겨찾기