-
Notifications
You must be signed in to change notification settings - Fork 12.5k
/
Copy pathdictionary.py
62 lines (48 loc) · 1.58 KB
/
dictionary.py
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
from typing import Dict, List
class Dictionary:
def __init__(self):
self.node = {}
def add_word(self, word: str) -> None:
node = self.node
for ltr in word:
if ltr not in node:
node[ltr] = {}
node = node[ltr]
node["is_word"] = True
def word_exists(self, word: str) -> bool:
node = self.node
for ltr in word:
if ltr not in node:
return False
node = node[ltr]
return "is_word" in node
def list_words_from_node(self, node: Dict, spelling: str) -> None:
if "is_word" in node:
self.words_list.append(spelling)
return
for ltr in node:
self.list_words_from_node(node[ltr], spelling+ltr)
def print_all_words_in_dictionary(self) -> List[str]:
node = self.node
self.words_list = []
self.list_words_from_node(node, "")
return self.words_list
def suggest_words_starting_with(self, prefix: str) -> List[str]:
node = self.node
for ltr in prefix:
if ltr not in node:
return False
node = node[ltr]
self.words_list = []
self.list_words_from_node(node, prefix)
return self.words_list
# Your Dictionary object will be instantiated and called as such:
obj = Dictionary()
obj.add_word("word")
obj.add_word("woke")
obj.add_word("happy")
param_2 = obj.word_exists("word")
param_3 = obj.suggest_words_starting_with("wo")
print(param_2)
print(param_3)
print(obj.print_all_words_in_dictionary())