From 47c5c6ac05e7c42d7586d7248a2ec175b91b620e Mon Sep 17 00:00:00 2001 From: William Carroll Date: Sat, 14 Nov 2020 14:08:58 +0000 Subject: [PATCH] Partially implement a Heap Defining the insert (or "siftup") function described in the "Programming Pearls" book. --- scratch/facebook/heap.py | 30 ++++++++++++++++++++++++++++++ 1 file changed, 30 insertions(+) create mode 100644 scratch/facebook/heap.py diff --git a/scratch/facebook/heap.py b/scratch/facebook/heap.py new file mode 100644 index 000000000..0c0dce91b --- /dev/null +++ b/scratch/facebook/heap.py @@ -0,0 +1,30 @@ +from math import floor + +class Heap(object): + def __init__(self): + self.xs = [None] + self.i = 1 + + def __repr__(self): + return "[{}]".format(", ".join(str(x) for x in self.xs[1:])) + + def insert(self, x): + if len(self.xs) == 1: + self.xs.append(x) + self.i += 1 + return + self.xs.append(x) + i = self.i + while i != 1 and self.xs[floor(i / 2)] > self.xs[i]: + self.xs[floor(i / 2)], self.xs[i] = self.xs[i], self.xs[floor(i / 2)] + i = floor(i / 2) + self.i += 1 + + def root(self): + return self.xs[1] + +xs = Heap() +print(xs) +for x in [12, 15, 14, 21, 1, 10]: + xs.insert(x) + print(xs)