我一直在研究算法和数据结构,并为二叉树编写了一个后序遍历,而没有使用递归并且仅使用一个堆栈。
代码如下:
def postorder_iterative(self):
current = self
s = []
current1 = None
done = 0
def peek(s):
return s[-1]
while(not done):
if current and (current != current1):
s.append(current)
current = current.leftChild
elif(len(s) > 0):
if peek(s).rightChild and peek(s).rightChild != current:
current = peek(s).rightChild
else:
current = current1 = s.pop()
print(current.key)
else:
done = 1
此代码实际上有效,但是花了我很多时间才搞定它。
有人可以解释一下解决此问题的直观方式吗?
我希望能够使用逻辑来重现它,而又不花我那么多的时间。
答案 0 :(得分:2)
后序遍历要求仅在遍历左右子树之后才打印当前节点值。您正在使用堆栈仅遍历左侧的树,并使用current1
变量(最后打印的节点)知道您现在正在退出右侧的树,因此您可以打印当前节点。
我将current
重命名为node
,将current1
重命名为last
(对于最后打印的),删除了peek()
函数来将stack[-1]
直接引用为tos
(堆栈顶部),并简化您的方法:
def postorder_iterative(self):
node, last = self, None
stack = []
while True:
if node and node is not last:
# build up the stack from the left tree
stack.append(node)
node = node.leftChild
elif stack:
# no more left-hand tree to process, is there a right-hand tree?
tos = stack[-1]
if tos.rightChild and tos.rightChild is not node:
node = tos.rightChild
else:
# both left and right have been printed
node = last = stack.pop()
print(last.key)
else:
break
但是,仍然很难跟踪发生的情况,因为last
与左右子树已被处理的点之间的联系还不清楚。
我将使用带有状态标志的单个堆栈来跟踪您在进程中的位置:
def postorder_iterative(self):
new, left_done, right_done = range(3) # status of node
stack = [[self, new]] # node, status
while stack:
node, status = stack[-1]
if status == right_done:
stack.pop()
print(node.key)
else:
stack[-1][1] += 1 # from new -> left_done and left_done -> right_done
# new -> add left child, left_done -> add right child
next_node = [node.leftChild, node.rightChild][status]
if next_node is not None:
stack.append((next_node, new))
节点只需增加状态标志即可经历三种状态。它们从 new 节点开始,然后前进到 left ,然后是 right ,并且当堆栈顶部处于最后一个状态时,我们将其删除从堆栈中打印节点值。
当仍处于 new 或 left 状态时,我们将左侧或右侧节点(如果存在)作为新节点添加到堆栈中。
另一种方法将右侧树压入当前节点之前的堆栈。然后,当您从堆栈中取出当前节点时,可以检测到仍然需要处理右侧的情况,因为堆栈的顶部将具有右侧节点。在这种情况下,您将堆栈的顶部与当前节点交换,然后从那里继续;您稍后将返回同一位置,并且不再在堆栈顶部具有该右侧节点,因此可以进行打印:
def postorder_iterative(self):
stack = []
node = self
while node or stack:
while node:
# traverse to the left, but add the right to the stack first
if node.rightChild is not None:
stack.append(node.rightChild)
stack.append(node)
node = stack.leftChild
# left-hand tree traversed, time to process right or print
node = stack.pop()
if stack and node.rightChild is stack[-1]:
# right-hand tree present and not yet done, swap tos and node
node, stack[-1] = stack[-1], node
else:
print(node.key)
node = None