使用堆排序的错误输出(用python编写)

时间:2012-10-15 18:53:43

标签: python algorithm sorting heap heapsort

我编写了以下堆排序代码,但有时输出错误(未排序),我似乎无法找到原因......任何帮助都将不胜感激!

def heap_sort(self, a):

    heapsize = self.build_max_heap(a)

    n = len(a)-1
    i = len(a)-1

    for i in range(i, 0, -1):
        temp = a[0]
        a[0] = a[i]
        a[i] = temp
        heapsize = heapsize - 1
        self.max_heapify(heapsize, a, 0)       #rebuild max heap at with new root

    return a

def max_heapify(self, heapsize, a, i):

    left = (2*(i+1))-1      #left child of i
    right = 2*(i+1)             #right child of i
    largest = i

    if left < heapsize and a[left] > a[i]:
        largest = left

    if right < heapsize and a[right] > a[largest]:
        largest = right

    if largest != i:
        temp = a[largest]
        a[largest] = a[i]
        a[i] = temp
        self.max_heapify(heapsize, a, largest)

def build_max_heap(self, a):

    heapsize = len(a)
    i = int(heapsize/2)-1

    for i in range(i, 0):
        self.max_heapify(heapsize, a, i)

    return heapsize

我的测试:

#--Test for 0 in array--#
def zero_array(self):
    a = [12,0,232]
    print self.sort.heap_sort(a)
    return

#--Test for duplicate in array--#
def duplicate_array(self):
    a = [12, 12, 7]
    print self.sort.heap_sort(a)
    return

#--Test for all same values in array--#
def allsame_array(self):
    a = [1,1,1]
    print self.sort.heap_sort(a)
    return

#--Test for negative values in array--#
def negative_array(self):
    a = [-23, -2, 123]
    print self.sort.heap_sort(a)
    return

输出(应该全部排序):

    [0, 232, 12]
    [7, 12, 12]
    [1, 1, 1]
    [-2, 123, -23]

1 个答案:

答案 0 :(得分:0)

可能是因为你的第二个range()正在向前递增而不是向后递增。

for i in range(i, 0):

应该是:

for i in range(i, 0, -1):

您还需要记住range()将在第二个参数之前停止,因此range(5, 0, -1)将返回[5, 4, 3, 2, 1]

相关问题