我正在尝试在二叉树中打印所有可能的路径。我能够打印所有根到叶子路径,但无法弄清楚如何添加叶子到叶子的路径。(我正在使用preorder遍历root到leaf)。 所以,基本上:
如果我的树
6
/ \
4 0
/ \ \
1 3 1
如果想要代码打印所有路径:
6,4,1
6,4,3
6,0,1
1,4,6,0,1
3,4,6,0,1
1,4,3
4,6,0
4,6,0,1
etc.
任何人都可以帮助我使用这个二叉树吗? 我非常感谢你的帮助,因为我是这个社会和Python / Java的新手。
由于
答案 0 :(得分:3)
树的一个值得注意的属性是,对于节点(x, y)
的每个组合,存在从x
到y
的唯一非重复路径。特别是,可以通过查找z
和x
的第一个共同祖先y
并选择路径x -> z + z -> y
来找到此路径。
因此,找到所有路径的算法可能看起来像这样
for each pair of distinct nodes x, y in the tree:
find all common ancestors of x and y
let z be the lowest common acestor in the tree
let p be the path from x to z
append the path from z to y to p, excluding the duplicate z
print p
这是一种面向对象的方法,它实现了完成上述任务所需的方法。
class Tree:
def __init__(self, value, left=None, right=None):
self.value = value
self.left = left
self.right = right
self.parent = None
if left is not None:
left.parent = self
if right is not None:
right.parent = self
def __iter__(self):
"""Return a left-to-right iterator on the tree"""
if self.left:
yield from iter(self.left)
yield self
if self.right:
yield from iter(self.right)
def __repr__(self):
return str(self.value)
def get_ancestors(self):
"""Return a list of all ancestors including itself"""
ancestors = {self}
parent = self.parent
while parent:
ancestors.add(parent)
parent = parent.parent
return ancestors
def get_path_to_ancestor(self, ancestor):
"""
Return the path from self to ancestor as a list
output format: [self, ..., ancestor]
"""
path = []
parent = self
try:
while True:
path.append(parent)
if parent is ancestor:
break
else:
parent = parent.parent
except AttributeError:
return None
return path
def get_path_to(self, other):
"""
Return the path from self to other as a list
output format: [self, ..., first common acestor, ..., other]
"""
common_ancestors = self.get_ancestors() & other.get_ancestors()
first_common_ancestor = {
a for a in common_ancestors
if a.left not in common_ancestors and a.right not in common_ancestors
}.pop()
return self.get_path_to_ancestor(first_common_ancestor)\
+ list(reversed(other.get_path_to_ancestor(first_common_ancestor)))[1:]
以下是它如何应用于您提供的树。
tree = Tree(
6,
Tree(4,
Tree(1),
Tree(3)),
Tree(0,
Tree(1)))
nodes = list(tree)
for i in range(len(nodes)):
for j in range(i + 1, len(nodes)):
print([t for t in nodes[i].get_path_to(nodes[j])])
以下是所有打印的路径。
[1, 4]
[1, 4, 3]
[1, 4, 6]
[1, 4, 6, 0, 1]
[1, 4, 6, 0]
[4, 3]
[4, 6]
[4, 6, 0, 1]
[4, 6, 0]
[3, 4, 6]
[3, 4, 6, 0, 1]
[3, 4, 6, 0]
[6, 0, 1]
[6, 0]
[1, 0]