Description
实现一个 Trie (前缀树),包含 insert, search, 和 startsWith 这三个操作。
示例:
Trie trie = new Trie();
trie.insert("apple");
trie.search("apple"); // 返回 true
trie.search("app"); // 返回 false
trie.startsWith("app"); // 返回 true
trie.insert("app");
trie.search("app"); // 返回 true
说明:
你可以假设所有的输入都是由小写字母 a-z 构成的。
保证所有输入均为非空字符串。
来源:力扣(LeetCode)
链接:https://leetcode-cn.com/problems/implement-trie-prefix-tree
著作权归领扣网络所有。商业转载请联系官方授权,非商业转载请注明出处。
Solution
class Trie:
def __init__(self):
self.Trie = {}
def insert(self, word: str) -> None:
curr = self.Trie
for a in word:
if a not in curr:
curr[a] = {}
curr = curr[a]
# 单词结束标志
curr["#"] = 1
def search(self, word: str) -> bool:
curr = self.Trie
for a in word:
if a not in curr:
return False
curr = curr[a]
if "#" in curr:
return True
return False
def startsWith(self, prefix: str) -> bool:
curr = self.Trie
for a in prefix:
if a not in curr:
return False
curr = curr[a]
return True