-
Notifications
You must be signed in to change notification settings - Fork 491
/
Copy pathmerging_iter_heap.go
90 lines (80 loc) · 2.04 KB
/
merging_iter_heap.go
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
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
// Copyright 2018 The LevelDB-Go and Pebble Authors. All rights reserved. Use
// of this source code is governed by a BSD-style license that can be found in
// the LICENSE file.
package pebble
// mergingIterHeap is a heap of mergingIterLevels. It only reads
// mergingIterLevel.iterKV.K.
//
// REQUIRES: Every mergingIterLevel.iterKV is non-nil.
type mergingIterHeap struct {
cmp Compare
reverse bool
items []*mergingIterLevel
}
// len returns the number of elements in the heap.
func (h *mergingIterHeap) len() int {
return len(h.items)
}
// clear empties the heap.
func (h *mergingIterHeap) clear() {
h.items = h.items[:0]
}
// less is an internal method, to compare the elements at i and j.
func (h *mergingIterHeap) less(i, j int) bool {
ikv, jkv := h.items[i].iterKV, h.items[j].iterKV
if c := h.cmp(ikv.K.UserKey, jkv.K.UserKey); c != 0 {
if h.reverse {
return c > 0
}
return c < 0
}
if h.reverse {
return ikv.K.Trailer < jkv.K.Trailer
}
return ikv.K.Trailer > jkv.K.Trailer
}
// swap is an internal method, used to swap the elements at i and j.
func (h *mergingIterHeap) swap(i, j int) {
h.items[i], h.items[j] = h.items[j], h.items[i]
}
// init initializes the heap.
func (h *mergingIterHeap) init() {
// heapify
n := h.len()
for i := n/2 - 1; i >= 0; i-- {
h.down(i, n)
}
}
// fixTop restores the heap property after the top of the heap has been
// modified.
func (h *mergingIterHeap) fixTop() {
h.down(0, h.len())
}
// pop removes the top of the heap.
func (h *mergingIterHeap) pop() *mergingIterLevel {
n := h.len() - 1
h.swap(0, n)
h.down(0, n)
item := h.items[n]
h.items = h.items[:n]
return item
}
// down is an internal method. It moves i down the heap, which has length n,
// until the heap property is restored.
func (h *mergingIterHeap) down(i, n int) {
for {
j1 := 2*i + 1
if j1 >= n || j1 < 0 { // j1 < 0 after int overflow
break
}
j := j1 // left child
if j2 := j1 + 1; j2 < n && h.less(j2, j1) {
j = j2 // = 2*i + 2 // right child
}
if !h.less(j, i) {
break
}
h.swap(i, j)
i = j
}
}