-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathbinary-heap.rb
61 lines (51 loc) · 953 Bytes
/
binary-heap.rb
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
class BinaryHeap
def initialize(heap = [])
heap.unshift(nil)
@heap = heap
(1 .. size / 2).reverse_each do |i|
downheap(i)
end
end
def [](i)
@heap[1 + i % size]
end
def size
@heap.size - 1
end
def empty?
size <= 0
end
def push(x)
@heap << x
upheap(size)
end
alias << push
def pop
return nil if empty?
return @heap.pop if size == 1
x, @heap[1] = @heap[1], @heap.pop
downheap(1)
x
end
alias shift pop
private
def downheap(i)
while (j = i << 1) <= size
k = j | 1
min = i
min = j if not @heap[min] <= @heap[j]
min = k if k <= size and not @heap[min] <= @heap[k]
break if min == i
@heap[i], @heap[min] = @heap[min], @heap[i]
i = min
end
end
def upheap(i)
while i >= 2
j = i >> 1
break if @heap[j] <= @heap[i]
@heap[i], @heap[j] = @heap[j], @heap[i]
i = j
end
end
end