-
Notifications
You must be signed in to change notification settings - Fork 27
/
Copy path745. Prefix and Suffix Search
75 lines (62 loc) · 1.83 KB
/
745. Prefix and Suffix Search
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
//Total : N*K + Q(K+N)
//Space : N*K
class WordFilter {
Trie prefix = null;
Trie suffix = null;
//Time : N*K
public WordFilter(String[] words) {
prefix = new Trie();
suffix = new Trie();
for(int i = 0; i < words.length; i++) {
prefix.insert(words[i], i);
suffix.insert(new StringBuilder(words[i]).reverse().toString(), i);
}
}
//Time : K + N
public int f(String pre, String suff) {
List<Integer> pList = prefix.startswith(pre);
List<Integer> sList = suffix.startswith(new StringBuilder(suff).reverse().toString());
int i = pList.size()-1, j = sList.size()-1;
while(i >= 0 && j >= 0) {
if(Objects.equals(pList.get(i), sList.get(j))) return pList.get(i);
else if(pList.get(i) > sList.get(j)) i--;
else j--;
}
return -1;
}
}
class Trie {
public Trie[] t;
List<Integer> index;
Trie() {
t = new Trie[26];
index = new ArrayList<>();
}
//insert
public void insert(String word, int i) {
Trie root = this;
for(char c: word.toCharArray()) {
if(root.t[c-'a'] == null) {
root.t[c-'a'] = new Trie();
}
root = root.t[c-'a'];
root.index.add(i);
}
}
//startswith
public List<Integer> startswith(String word) {
Trie root = this;
for(char c : word.toCharArray()) {
if(root.t[c-'a'] == null) {
return new ArrayList<>();
}
root = root.t[c-'a'];
}
return root.index;
}
}
/**
* Your WordFilter object will be instantiated and called as such:
* WordFilter obj = new WordFilter(words);
* int param_1 = obj.f(prefix,suffix);
*/