-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathmy_solution.js
106 lines (90 loc) · 2.37 KB
/
my_solution.js
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
97
98
99
100
101
102
103
104
105
106
class Trie {
constructor() {
const LENGTH = 26;
this.isEndOfWord = false;
this.children = new Array(LENGTH).fill(null);
}
getIdx(char) {
return char.charCodeAt() - "a".charCodeAt();
}
/**
* @param {string} word
* @return {void}
*/
insert(word) {
let root = this;
for (let i = 0; i < word.length; i++) {
let idx = this.getIdx(word[i]);
console.log(`word:${word[i]}, idx:${idx}`)
if (root.children[idx] === null) root.children[idx] = new Trie();
root = root.children[idx];
}
root.isEndOfWord = true;
// console.log(this)
}
/**
* @param {string} word
* @return {boolean}
*/
search(word) {
console.log(`Searching "${word}" ...`)
const dfs = (i, node) => {
// if (i === word.length) return false;
console.log(`i:${i}, word:${word[i]}`)
console.log(node)
if (word[i] === undefined) return node.isEndOfWord;
let child = node.children[this.getIdx(word[i])];
if (node.isEndOfWord && i === word.length) return true;
if (null === child) return false;
// console.log(child)
return dfs(i + 1, child);
}
return dfs(0, this);
}
/**
* @param {string} prefix
* @return {boolean}
*/
startsWith(prefix) {
const dfs = (i, node) => {
console.log(`i:${i}, prefix:${prefix[i]}`)
if (prefix[i] === undefined) return !(null === node);
let child = node.children[this.getIdx(prefix[i])];
if (node.isEndOfWord && i === prefix.length) return true;
if (null === child) return false;
return dfs(i + 1, child);
}
return dfs(0, this);
}
}
/**
* Your Trie object will be instantiated and called as such:
* var obj = new Trie()
* obj.insert(word)
* var param_2 = obj.search(word)
* var param_3 = obj.startsWith(prefix)
*/
var obj = new Trie()
obj.insert("hello")
// obj.insert("a")
console.log(obj.search("helloa"))
// obj.insert("wor")
// // console.log(obj.children[22].children[14].children[17]) // 17,3
// console.log(obj.search("wor"))
// console.log(obj.search("wo"))
// console.log(obj.startsWith("z"))
// [
// "Trie",
// "insert",
// "search", "search", "search",
// "startsWith", "startsWith", "startsWith"]
// [
// [],
// ["hello"],
// ["hell"], ["helloa"], ["hello"],
// ["hell"], ["helloa"], ["hello"]]
// [
// null,
// null,
// false, false, true,
// true, false, true]