-
Notifications
You must be signed in to change notification settings - Fork 0
/
word-pattern-ii.cpp
39 lines (36 loc) · 1.26 KB
/
word-pattern-ii.cpp
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
class Solution {
public:
// https://www.cnblogs.com/grandyang/p/5325761.html
unordered_map<char,string> um;
bool wordPatternMatch(string pattern, string str) {
return dfs(0,0,pattern,str);
}
// 1. 如果c和t匹配上了,那就都到下一个位置
// 2. 如果c和t在um中都没有出现过,就建立新的匹配
// 3. 其他情况都false,因为c和t是双射
bool dfs(int p, int r, string &pattern, string &str){
if(p==pattern.size() && r==str.size()) return true;
if(p==pattern.size() || r==str.size()) return false;
char &c=pattern[p];
for(int i=r;i<str.size();i++){
string t=str.substr(r,i-r+1);
if(um.count(c) && um[c]==t){
if(dfs(p+1,i+1,pattern, str)) return true;
}
else if(!um.count(c)){
bool flag=false;
for(auto &u:um)
if(u.second==t){
flag=true;
break;
}
if(!flag){
um[c]=t;
if(dfs(p+1,i+1,pattern,str)) return true;
um.erase(c);
}
}
}
return false;
}
};