_siftup 函数的最后一个 _siftdown 是必要的。一个例子有帮助。
堆 = [1,1,1,3,4,5,1]
如果你删除 _siftup 中的最后一个 _siftdown 并执行 heappop() 你会得到 [1, 1, 5, 3, 4, 1] 这不是一个堆。
最后一个 _siftdown 是必要的,因为下面代码中的 while 循环(来自 heapq 源代码)只选择较小的孩子,但没有将新项目的值与 child 进行比较,所以最后我们需要一个 _siftdown。而作者为什么要这样实现_siftup函数呢?为什么它会继续寻找较小的孩子,直到_siftup 中的一片叶子被击中?您可以在源代码中 _siftup 函数上方的作者评论中获得这些信息。
def _siftup(heap, pos):
endpos = len(heap)
startpos = pos
newitem = heap[pos]
# Bubble up the smaller child until hitting a leaf.
childpos = 2*pos + 1 # leftmost child position
while childpos < endpos:
# Set childpos to index of smaller child.
rightpos = childpos + 1
if rightpos < endpos and not heap[childpos] < heap[rightpos]:
childpos = rightpos
# Move the smaller child up.
heap[pos] = heap[childpos]
pos = childpos
childpos = 2*pos + 1
# The leaf at pos is empty now. Put newitem there, and bubble it up
# to its final resting place (by sifting its parents down).
heap[pos] = newitem
_siftdown(heap, startpos, pos)
希望这个回复对你有帮助。