Created
February 29, 2012 04:17
-
-
Save orclev/1937654 to your computer and use it in GitHub Desktop.
Copied from vivekn / autocomplete / trie.py
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
""" | |
A fast data structure for searching strings with autocomplete support. | |
Copied this from https://github.com/vivekn/autocomplete/blob/master/trie.py | |
so I could embed it as a gist | |
""" | |
class Trie(object): | |
def __init__(self, value=None): | |
self.children = {} | |
self.value = value | |
self.flag = False # Flag to represent that a word ends at this node | |
def add(self, char): | |
val = self.value + char if self.value else char | |
self.children[char] = Trie(val) | |
def insert(self, word): | |
node = self | |
for char in word: | |
if char not in node.children: | |
node.add(char) | |
node = node.children[char] | |
node.flag = True | |
def find(self, word): | |
node = self | |
for char in word: | |
if char not in node.children: | |
return None | |
node = node.children[char] | |
return node.value | |
def all_prefixes(self): | |
results = set() | |
if self.flag: | |
results.add(self.value) | |
if not self.children: return results | |
return reduce(lambda a, b: a | b, [node.all_prefixes() for node in self.children.values()]) | results | |
def autocomplete(self, prefix): | |
node = self | |
for char in prefix: | |
if char not in node.children: | |
return set() | |
node = node.children[char] | |
return node.all_prefixes() |
Sign up for free
to join this conversation on GitHub.
Already have an account?
Sign in to comment