0
0

Delete article

Deleted articles cannot be recovered.

Draft of this article would be also deleted.

Are you sure you want to delete this article?

More than 1 year has passed since last update.

PythonでHeapを実装してみる

Posted at

Heapのデータ構造を理解するためにPythonで書いてみました。

class Heap:
    def __init__(self) -> None:
        self.heap = []

    def push(self, x):
        self.heap.append(x)
        i = len(self.heap) - 1
        while i > 0:
            p = (i - 1) // 2
            if self.heap[p] >= x:
                break

            self.heap[i] = self.heap[p]
            i = p
        self.heap[i] = x

    def top(self):
        if len(self.heap) != 0:
            return self.heap[0]
        else:
            return -1

    def pop(self):
        if len(self.heap) == 0:
            return
        x = self.heap.pop()
        i = 0
        while i * 2 + 1 < len(self.heap):
            child_left = i * 2 + 1
            child_right = i * 2 + 2
            if (
                child_right < len(self.heap)
                and self.heap[child_right] > self.heap[child_left]
            ):
                child_left = child_right
            if self.heap[child_left] <= x:
                break
            self.heap[i] = self.heap[child_left]
            i = child_left
        self.heap[i] = x

# 検証コード
def test_myheap():
    h = Heap()
    h.push(5)
    h.push(3)
    h.push(7)
    h.push(1)
    assert h.top() == 7
    h.pop()
    assert h.top() == 5
    h.push(11)
    assert h.top() == 11

Pythonのライブラリのheapqはどんなもん?

こちら。

push()pop()をする際の木構造の構築しなおしを、_shitup()_shitdown()とくくりだしていてスマートだなぁ。

0
0
0

Register as a new user and use Qiita more conveniently

  1. You get articles that match your needs
  2. You can efficiently read back useful information
  3. You can use dark theme
What you can do with signing up
0
0

Delete article

Deleted articles cannot be recovered.

Draft of this article would be also deleted.

Are you sure you want to delete this article?