Вы должны добавить метод в свой TrieNode
, если я хорошо понял ваш вопрос, вы хотите этот трие:
root
/ \
*a *b
/ \
*b c
/ \ \
c *d *d
/ /
*d *e
Для возврата 4 (a, ab, abd, abde)
Вы можете сделать это рекурсивно:
class TrieNode:
def __init__(self):
self.children = dict()
self.end_word = 0
def count_end_words(self):
if self.children:
return self.end_word + max(child.count_end_words() for child in self.children.values())
return self.end_word
class Trie:
def __init__(self):
self.root = TrieNode()
def insert(self, key):
current = self.root
for char in key:
if char not in current.children:
current.children[char] = TrieNode()
current = current.children[char]
current.end_word += 1
def max_path_count_end_words(self):
return self.root.count_end_words()
root = Trie()
for word in ('a', 'ab', 'abcd', 'b', 'bcd', 'abd', 'abde'):
root.insert(word)
print(root.max_path_count_end_words()) # returns 4
Как уже упоминалось в комментарии, вы можете избежать создания класса TrieNode
, это способ сделать это:
class Trie:
def __init__(self):
self.children = dict()
self.is_end_word = False
def insert(self, key):
current = self
if not key:
return
if len(key) == 1:
self.is_end_word = True
char = key[0]
if char not in current.children:
self.children[char] = Trie()
return self.children[char].insert(key[1:])
def max_path_count_end_words(self):
if self.children:
return self.is_end_word + max(child.max_path_count_end_words() for child in self.children.values())
return self.is_end_word
root = Trie()
for word in ('a', 'ab', 'abcd', 'b', 'bcd', 'abd', 'abde'):
root.insert(word)
print(root.max_path_count_end_words()) # returns 4