Last active
October 22, 2024 14:04
-
-
Save NeoLSN/8368876e3415886118d7651b3e420fa1 to your computer and use it in GitHub Desktop.
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
type CompareFn<T> = (a: T, b: T) => number; | |
class BinaryHeap<T> { | |
array: T[]; | |
compareFn: CompareFn<T>; | |
constructor(compareFn: CompareFn<T>) { | |
this.compareFn = compareFn; | |
this.array = []; | |
} | |
pop() { | |
[this.array[0], this.array[this.array.length - 1]] = [this.array[this.array.length - 1], this.array[0]]; | |
const e = this.array.pop(); | |
this.sinkDown(0); | |
return e; | |
} | |
sinkDown(i: number) { | |
if (i < 0) return; | |
const n = this.array.length; | |
while (i < n) { | |
let left = i * 2 + 1, right = i * 2 + 2; | |
let target = i; | |
if (left < n && this.compareFn(this.array[target], this.array[left]) <= 0) { | |
target = left; | |
} | |
if (right < n && this.compareFn(this.array[target], this.array[right]) <= 0) { | |
target = right; | |
} | |
if (target !== i) { | |
[this.array[i], this.array[target]] = [this.array[target], this.array[i]]; | |
i = target; | |
} else { | |
break; | |
} | |
} | |
} | |
push(value: T): number { | |
const len = this.array.push(value); | |
this.bubbleUp(len - 1); | |
return len; | |
} | |
bubbleUp(i: number): void { | |
let parentIdx = Math.floor((i - 1) / 2); | |
while (parentIdx >= 0 && this.compareFn(this.array[parentIdx], this.array[i]) <= 0) { | |
[this.array[i], this.array[parentIdx]] = [this.array[parentIdx], this.array[i]]; | |
i = parentIdx; | |
parentIdx = Math.floor((i - 1) / 2); | |
} | |
} | |
} |
Sign up for free
to join this conversation on GitHub.
Already have an account?
Sign in to comment