CODE
class Node:
__slots__ = ["children", "word"]
def __init__(self):
self.children = {}
self.word = False
class Trie:
def __init__(self):
self.trie = Node()
def insert(self, word: str) -> None:
curr = self.trie
for c in word:
if c not in curr.children:
curr.children[c] = Node()
curr = curr.children[c]
curr.word = True
def search(self, word: str) -> bool:
curr = self.trie
for c in word:
if c not in curr.children:
return False
curr = curr.children[c]
return curr.word
def startsWith(self, prefix: str) -> bool:
curr = self.trie
for c in prefix:
if c not in curr.children:
return False
curr = curr.children[c]
return True
# Your Trie object will be instantiated and called as such:
# obj = Trie()
# obj.insert(word)
# param_2 = obj.search(word)
# param_3 = obj.startsWith(prefix)
Last updated