在使用buildheap时尝试使用HeapSort

问题描述 投票:0回答:1

我正在尝试使用我的buildheap进行heapsort但由于某种原因我的功能不起作用。如果我不在函数之外的HeapSort函数中的代码,但它在内部时,它是有效的。我不知道如何通过创建HeapSort函数来实现

class BinHeap:
    def __init__(self):
        self.heapList = [0]
        self.currentSize = 0
    def percUp(self,i):
        while i // 2 > 0:
          if self.heapList[i] < self.heapList[i // 2]:
             tmp = self.heapList[i // 2]
             self.heapList[i // 2] = self.heapList[i]
             self.heapList[i] = tmp
          i = i // 2
    def insert(self,k):
      self.heapList.append(k)
      self.currentSize = self.currentSize + 1
      self.percUp(self.currentSize)
    def percDown(self,i):
      while (i * 2) <= self.currentSize:
          mc = self.minChild(i)
          if self.heapList[i] > self.heapList[mc]:
              tmp = self.heapList[i]
              self.heapList[i] = self.heapList[mc]
              self.heapList[mc] = tmp
          i = mc
    def minChild(self,i):
      if i * 2 + 1 > self.currentSize:
          return i * 2
      else:
          if self.heapList[i*2] < self.heapList[i*2+1]:
              return i * 2
          else:
              return i * 2 + 1
    def delMin(self):
      retval = self.heapList[1]
      self.heapList[1] = self.heapList[self.currentSize]
      self.currentSize = self.currentSize - 1
      self.heapList.pop()
      self.percDown(1)
      return retval
    def buildHeap(self,alist):
      i = len(alist) // 2
      self.currentSize = len(alist)
      self.heapList = [0] + alist[:]
      while (i > 0):
          self.percDown(i)
          i = i - 1

    def HeapSort(alist): 
        bh = BinHeap()
        bh.buildHeap(alist)
        while bh.currentSize != 0:
            print(bh.delMin())

te = [9,5,6,2,3]                    
print(HeapSort(te))
python sorting data-structures heapsort
1个回答
0
投票

你有答案,你就是不能退货吗?

def HeapSort(alist):
    result = []
    bh = BinHeap()
    bh.buildHeap(alist)
    while bh.currentSize != 0:
        result.append(bh.delMin())
    return result

如果您希望它返回一个列表,只需构建一个列表并返回它。

© www.soinside.com 2019 - 2024. All rights reserved.