-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathtrie.py
73 lines (59 loc) · 2.02 KB
/
trie.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
63
64
65
66
67
68
69
70
71
72
73
# Trie Data Strcuture implementation with Linked list
# Trie is mainly used with Storing and Searching Strings
# Properties: any node can store multi chars, every node have links and tracks end of the string
# Create Insert Delete Search
class TrieNode:
def __init__(self):
self.children = {}
self.end_of_string = False
class Trie:
def __init__(self):
self.root = Node()
# diff insertion cases
def insertString(self, word):
current_node = self.root
for i in word:
ch = i
node = current_node.children.get(ch)
if node == None:
node = Node()
current_node.children.update({ch:node})
current_node = node
current_node.end_of_string = True
print("Inserted")
# diff search cases
def searchString(self, word):
current_node = self.root
for i in word:
node = current_node.children.get(i)
if node == None:
return False
current_node = node
if current_node.end_of_string == True:
return True
else:
return False
# diff search cases
def deleteString(root, word, index):
ch = word[index]
current_node = root.children.get(ch)
canThisNodeBeDeleted = False
if len(current_node.children) > 1:
deleteString(current_node, word, index+1)
return False
if index == len(word) - 1:
if len(current_node.children) >= 1:
current_node.end_of_string = False
return False
else:
root.children.pop(ch)
return True
if current_node.end_of_string == True:
deleteString(current_node, word, index+1)
return False
canThisNodeBeDeleted = deleteString(current_node, word, index+1)
if canThisNodeBeDeleted == True:
root.children.pop(ch)
return True
else:
return False