-
Notifications
You must be signed in to change notification settings - Fork 28
/
Copy pathImplement_Magic_Dictionary.cpp
96 lines (86 loc) · 2.99 KB
/
Implement_Magic_Dictionary.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
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
class MagicDictionary {
class trie {
class trieNode {
public:
bool mark;
unordered_map<char, trieNode*> childrenMap;
trieNode(): mark(false) {
childrenMap = unordered_map<char, trieNode*>();
}
~trieNode() {
for(auto it = childrenMap.begin(); it != childrenMap.end(); ++it) {
delete it->second;
}
childrenMap = unordered_map<char, trieNode*>();
}
};
bool search(int indx, int ignored, string const& key, trieNode* pCrawl) {
if(ignored > 1) {
return false;
}
if(indx == key.length() - 1) {
if(ignored == 0) {
for(auto it = pCrawl->childrenMap.begin(); it != pCrawl->childrenMap.end(); ++it) {
if(it->first != key[indx] and it->second->mark) {
return true;
}
}
return false;
}
return pCrawl->childrenMap.find(key[indx]) != pCrawl->childrenMap.end()
and pCrawl->childrenMap[key[indx]]->mark
and ignored == 1;
}
for(auto it = pCrawl->childrenMap.begin(); it != pCrawl->childrenMap.end(); ++it) {
if(search(indx + 1, ignored + (it->first != key[indx]), key, it->second)) {
return true;
}
}
return false;
}
trieNode* root;
public:
trie(): root(new trieNode()) {
}
~trie() {
// delete root;
root = nullptr;
}
void insert(string const& key) {
trieNode* pCrawl = root;
for(int i = 0; i < key.length(); i++) {
if(pCrawl->childrenMap.find(key[i]) == pCrawl->childrenMap.end()) {
pCrawl->childrenMap[key[i]] = new trieNode();
}
pCrawl = pCrawl->childrenMap[key[i]];
}
pCrawl->mark = true;
}
bool search(string const& key) {
trieNode* pCrawl = root;
return search(0, 0, key, root);
}
};
public:
trie Trie;
/** Initialize your data structure here. */
MagicDictionary() {
Trie = trie();
}
/** Build a dictionary through a list of words */
void buildDict(vector<string> dict) {
for(string const& key: dict) {
Trie.insert(key);
}
}
/** Returns if there is any word in the trie that equals to the given word after modifying exactly one character */
bool search(string word) {
return Trie.search(word);
}
};
/**
* Your MagicDictionary object will be instantiated and called as such:
* MagicDictionary obj = new MagicDictionary();
* obj.buildDict(dict);
* bool param_2 = obj.search(word);
*/