• Home
  • Features
  • Pricing
  • Docs
  • Announcements
  • Sign In

lightningnetwork / lnd / 13589597166

28 Feb 2025 01:55PM UTC coverage: 68.638% (+9.8%) from 58.841%
13589597166

Pull #9521

github

web-flow
Merge 7761e3752 into dc0ba7227
Pull Request #9521: unit: remove GOACC, use Go 1.20 native coverage functionality

129969 of 189353 relevant lines covered (68.64%)

23692.95 hits per line

Source File
Press 'n' to go to next uncovered line, 'b' for previous

11.67
/watchtower/wtdb/migration8/range_index.go
1
package migration8
2

3
import (
4
        "fmt"
5
        "sync"
6
)
7

8
// rangeItem represents the start and end values of a range.
9
type rangeItem struct {
10
        start uint64
11
        end   uint64
12
}
13

14
// RangeIndexOption describes the signature of a functional option that can be
15
// used to modify the behaviour of a RangeIndex.
16
type RangeIndexOption func(*RangeIndex)
17

18
// WithSerializeUint64Fn is a functional option that can be used to set the
19
// function to be used to do the serialization of a uint64 into a byte slice.
20
func WithSerializeUint64Fn(fn func(uint64) ([]byte, error)) RangeIndexOption {
4✔
21
        return func(index *RangeIndex) {
8✔
22
                index.serializeUint64 = fn
4✔
23
        }
4✔
24
}
25

26
// RangeIndex can be used to keep track of which numbers have been added to a
27
// set. It does so by keeping track of a sorted list of rangeItems. Each
28
// rangeItem has a start and end value of a range where all values in-between
29
// have been added to the set. It works well in situations where it is expected
30
// numbers in the set are not sparse.
31
type RangeIndex struct {
32
        // set is a sorted list of rangeItem.
33
        set []rangeItem
34

35
        // mu is used to ensure safe access to set.
36
        mu sync.Mutex
37

38
        // serializeUint64 is the function that can be used to convert a uint64
39
        // to a byte slice.
40
        serializeUint64 func(uint64) ([]byte, error)
41
}
42

43
// NewRangeIndex constructs a new RangeIndex. An initial set of ranges may be
44
// passed to the function in the form of a map.
45
func NewRangeIndex(ranges map[uint64]uint64,
46
        opts ...RangeIndexOption) (*RangeIndex, error) {
4✔
47

4✔
48
        index := &RangeIndex{
4✔
49
                serializeUint64: defaultSerializeUint64,
4✔
50
                set:             make([]rangeItem, 0),
4✔
51
        }
4✔
52

4✔
53
        // Apply any functional options.
4✔
54
        for _, o := range opts {
8✔
55
                o(index)
4✔
56
        }
4✔
57

58
        for s, e := range ranges {
10✔
59
                if err := index.addRange(s, e); err != nil {
6✔
60
                        return nil, err
×
61
                }
×
62
        }
63

64
        return index, nil
4✔
65
}
66

67
// addRange can be used to add an entire new range to the set. This method
68
// should only ever be called by NewRangeIndex to initialise the in-memory
69
// structure and so the RangeIndex mutex is not held during this method.
70
func (a *RangeIndex) addRange(start, end uint64) error {
6✔
71
        // Check that the given range is valid.
6✔
72
        if start > end {
6✔
73
                return fmt.Errorf("invalid range. Start height %d is larger "+
×
74
                        "than end height %d", start, end)
×
75
        }
×
76

77
        // Collect the ranges that fall before and after the new range along
78
        // with the start and end values of the new range.
79
        var before, after []rangeItem
6✔
80
        for _, x := range a.set {
8✔
81
                // If the new start value can't extend the current ranges end
2✔
82
                // value, then the two cannot be merged. The range is added to
2✔
83
                // the group of ranges that fall before the new range.
2✔
84
                if x.end+1 < start {
3✔
85
                        before = append(before, x)
1✔
86
                        continue
1✔
87
                }
88

89
                // If the current ranges start value does not follow on directly
90
                // from the new end value, then the two cannot be merged. The
91
                // range is added to the group of ranges that fall after the new
92
                // range.
93
                if end+1 < x.start {
1✔
94
                        after = append(after, x)
×
95
                        continue
×
96
                }
97

98
                // Otherwise, there is an overlap and so the two can be merged.
99
                start = min(start, x.start)
1✔
100
                end = max(end, x.end)
1✔
101
        }
102

103
        // Re-construct the range index set.
104
        a.set = append(append(before, rangeItem{
6✔
105
                start: start,
6✔
106
                end:   end,
6✔
107
        }), after...)
6✔
108

6✔
109
        return nil
6✔
110
}
111

112
// IsInIndex returns true if the given number is in the range set.
113
func (a *RangeIndex) IsInIndex(n uint64) bool {
×
114
        a.mu.Lock()
×
115
        defer a.mu.Unlock()
×
116

×
117
        _, isCovered := a.lowerBoundIndex(n)
×
118

×
119
        return isCovered
×
120
}
×
121

122
// NumInSet returns the number of items covered by the range set.
123
func (a *RangeIndex) NumInSet() uint64 {
×
124
        a.mu.Lock()
×
125
        defer a.mu.Unlock()
×
126

×
127
        var numItems uint64
×
128
        for _, r := range a.set {
×
129
                numItems += r.end - r.start + 1
×
130
        }
×
131

132
        return numItems
×
133
}
134

135
// MaxHeight returns the highest number covered in the range.
136
func (a *RangeIndex) MaxHeight() uint64 {
4✔
137
        a.mu.Lock()
4✔
138
        defer a.mu.Unlock()
4✔
139

4✔
140
        if len(a.set) == 0 {
4✔
141
                return 0
×
142
        }
×
143

144
        return a.set[len(a.set)-1].end
4✔
145
}
146

147
// GetAllRanges returns a copy of the range set in the form of a map.
148
func (a *RangeIndex) GetAllRanges() map[uint64]uint64 {
×
149
        a.mu.Lock()
×
150
        defer a.mu.Unlock()
×
151

×
152
        cp := make(map[uint64]uint64, len(a.set))
×
153
        for _, item := range a.set {
×
154
                cp[item.start] = item.end
×
155
        }
×
156

157
        return cp
×
158
}
159

160
// lowerBoundIndex returns the index of the RangeIndex that is most appropriate
161
// for the new value, n. In other words, it returns the index of the rangeItem
162
// set of the range where the start value is the highest start value in the set
163
// that is still lower than or equal to the given number, n. The returned
164
// boolean is true if the given number is already covered in the RangeIndex.
165
// A returned index of -1 indicates that no lower bound range exists in the set.
166
// Since the most likely case is that the new number will just extend the
167
// highest range, a check is first done to see if this is the case which will
168
// make the methods' computational complexity O(1). Otherwise, a binary search
169
// is done which brings the computational complexity to O(log N).
170
func (a *RangeIndex) lowerBoundIndex(n uint64) (int, bool) {
×
171
        // If the set is empty, then there is no such index and the value
×
172
        // definitely is not in the set.
×
173
        if len(a.set) == 0 {
×
174
                return -1, false
×
175
        }
×
176

177
        // In most cases, the last index item will be the one we want. So just
178
        // do a quick check on that index first to avoid doing the binary
179
        // search.
180
        lastIndex := len(a.set) - 1
×
181
        lastRange := a.set[lastIndex]
×
182
        if lastRange.start <= n {
×
183
                return lastIndex, lastRange.end >= n
×
184
        }
×
185

186
        // Otherwise, do a binary search to find the index of interest.
187
        var (
×
188
                low        = 0
×
189
                high       = len(a.set) - 1
×
190
                rangeIndex = -1
×
191
        )
×
192
        for {
×
193
                mid := (low + high) / 2
×
194
                currentRange := a.set[mid]
×
195

×
196
                switch {
×
197
                case currentRange.start > n:
×
198
                        // If the start of the range is greater than n, we can
×
199
                        // completely cut out that entire part of the array.
×
200
                        high = mid
×
201

202
                case currentRange.start < n:
×
203
                        // If the range already includes the given height, we
×
204
                        // can stop searching now.
×
205
                        if currentRange.end >= n {
×
206
                                return mid, true
×
207
                        }
×
208

209
                        // If the start of the range is smaller than n, we can
210
                        // store this as the new best index to return.
211
                        rangeIndex = mid
×
212

×
213
                        // If low and mid are already equal, then increment low
×
214
                        // by 1. Exit if this means that low is now greater than
×
215
                        // high.
×
216
                        if low == mid {
×
217
                                low = mid + 1
×
218
                                if low > high {
×
219
                                        return rangeIndex, false
×
220
                                }
×
221
                        } else {
×
222
                                low = mid
×
223
                        }
×
224

225
                        continue
×
226

227
                default:
×
228
                        // If the height is equal to the start value of the
×
229
                        // current range that mid is pointing to, then the
×
230
                        // height is already covered.
×
231
                        return mid, true
×
232
                }
233

234
                // Exit if we have checked all the ranges.
235
                if low == high {
×
236
                        break
×
237
                }
238
        }
239

240
        return rangeIndex, false
×
241
}
242

243
// KVStore is an interface representing a key-value store.
244
type KVStore interface {
245
        // Put saves the specified key/value pair to the store. Keys that do not
246
        // already exist are added and keys that already exist are overwritten.
247
        Put(key, value []byte) error
248

249
        // Delete removes the specified key from the bucket. Deleting a key that
250
        // does not exist does not return an error.
251
        Delete(key []byte) error
252
}
253

254
// Add adds a single number to the range set. It first attempts to apply the
255
// necessary changes to the passed KV store and then only if this succeeds, will
256
// the changes be applied to the in-memory structure.
257
func (a *RangeIndex) Add(newHeight uint64, kv KVStore) error {
×
258
        a.mu.Lock()
×
259
        defer a.mu.Unlock()
×
260

×
261
        // Compute the changes that will need to be applied to both the sorted
×
262
        // rangeItem array representation and the key-value store representation
×
263
        // of the range index.
×
264
        arrayChanges, kvStoreChanges := a.getChanges(newHeight)
×
265

×
266
        // First attempt to apply the KV store changes. Only if this succeeds
×
267
        // will we apply the changes to our in-memory range index structure.
×
268
        err := a.applyKVChanges(kv, kvStoreChanges)
×
269
        if err != nil {
×
270
                return err
×
271
        }
×
272

273
        // Since the DB changes were successful, we can now commit the
274
        // changes to our in-memory representation of the range set.
275
        a.applyArrayChanges(arrayChanges)
×
276

×
277
        return nil
×
278
}
279

280
// applyKVChanges applies the given set of kvChanges to a KV store. It is
281
// assumed that a transaction is being held on the kv store so that if any
282
// of the actions of the function fails, the changes will be reverted.
283
func (a *RangeIndex) applyKVChanges(kv KVStore, changes *kvChanges) error {
×
284
        // Exit early if there are no changes to apply.
×
285
        if kv == nil || changes == nil {
×
286
                return nil
×
287
        }
×
288

289
        // Check if any range pair needs to be deleted.
290
        if changes.deleteKVKey != nil {
×
291
                del, err := a.serializeUint64(*changes.deleteKVKey)
×
292
                if err != nil {
×
293
                        return err
×
294
                }
×
295

296
                if err := kv.Delete(del); err != nil {
×
297
                        return err
×
298
                }
×
299
        }
300

301
        start, err := a.serializeUint64(changes.key)
×
302
        if err != nil {
×
303
                return err
×
304
        }
×
305

306
        end, err := a.serializeUint64(changes.value)
×
307
        if err != nil {
×
308
                return err
×
309
        }
×
310

311
        return kv.Put(start, end)
×
312
}
313

314
// applyArrayChanges applies the given arrayChanges to the in-memory RangeIndex
315
// itself. This should only be done once the persisted kv store changes have
316
// already been applied.
317
func (a *RangeIndex) applyArrayChanges(changes *arrayChanges) {
×
318
        if changes == nil {
×
319
                return
×
320
        }
×
321

322
        if changes.indexToDelete != nil {
×
323
                a.set = append(
×
324
                        a.set[:*changes.indexToDelete],
×
325
                        a.set[*changes.indexToDelete+1:]...,
×
326
                )
×
327
        }
×
328

329
        if changes.newIndex != nil {
×
330
                switch {
×
331
                case *changes.newIndex == 0:
×
332
                        a.set = append([]rangeItem{{
×
333
                                start: changes.start,
×
334
                                end:   changes.end,
×
335
                        }}, a.set...)
×
336

337
                case *changes.newIndex == len(a.set):
×
338
                        a.set = append(a.set, rangeItem{
×
339
                                start: changes.start,
×
340
                                end:   changes.end,
×
341
                        })
×
342

343
                default:
×
344
                        a.set = append(
×
345
                                a.set[:*changes.newIndex+1],
×
346
                                a.set[*changes.newIndex:]...,
×
347
                        )
×
348
                        a.set[*changes.newIndex] = rangeItem{
×
349
                                start: changes.start,
×
350
                                end:   changes.end,
×
351
                        }
×
352
                }
353

354
                return
×
355
        }
356

357
        if changes.indexToEdit != nil {
×
358
                a.set[*changes.indexToEdit] = rangeItem{
×
359
                        start: changes.start,
×
360
                        end:   changes.end,
×
361
                }
×
362
        }
×
363
}
364

365
// arrayChanges encompasses the diff to apply to the sorted rangeItem array
366
// representation of a range index. Such a diff will either include adding a
367
// new range or editing an existing range. If an existing range is edited, then
368
// the diff might also include deleting an index (this will be the case if the
369
// editing of the one range results in the merge of another range).
370
type arrayChanges struct {
371
        start uint64
372
        end   uint64
373

374
        // newIndex, if set, is the index of the in-memory range array where a
375
        // new range, [start:end], should be added. newIndex should never be
376
        // set at the same time as indexToEdit or indexToDelete.
377
        newIndex *int
378

379
        // indexToDelete, if set, is the index of the sorted rangeItem array
380
        // that should be deleted. This should be applied before reading the
381
        // index value of indexToEdit. This should not be set at the same time
382
        // as newIndex.
383
        indexToDelete *int
384

385
        // indexToEdit is the index of the in-memory range array that should be
386
        // edited. The range at this index will be changed to [start:end]. This
387
        // should only be read after indexToDelete index has been deleted.
388
        indexToEdit *int
389
}
390

391
// kvChanges encompasses the diff to apply to a KV-store representation of a
392
// range index. A kv-store diff for the addition of a single number to the range
393
// index will include either a brand new key-value pair or the altering of the
394
// value of an existing key. Optionally, the diff may also include the deletion
395
// of an existing key. A deletion will be required if the addition of the new
396
// number results in the merge of two ranges.
397
type kvChanges struct {
398
        key   uint64
399
        value uint64
400

401
        // deleteKVKey, if set, is the key of the kv store representation that
402
        // should be deleted.
403
        deleteKVKey *uint64
404
}
405

406
// getChanges will calculate and return the changes that need to be applied to
407
// both the sorted-rangeItem-array representation and the key-value store
408
// representation of the range index.
409
func (a *RangeIndex) getChanges(n uint64) (*arrayChanges, *kvChanges) {
×
410
        // If the set is empty then a new range item is added.
×
411
        if len(a.set) == 0 {
×
412
                // For the array representation, a new range [n:n] is added to
×
413
                // the first index of the array.
×
414
                firstIndex := 0
×
415
                ac := &arrayChanges{
×
416
                        newIndex: &firstIndex,
×
417
                        start:    n,
×
418
                        end:      n,
×
419
                }
×
420

×
421
                // For the KV representation, a new [n:n] pair is added.
×
422
                kvc := &kvChanges{
×
423
                        key:   n,
×
424
                        value: n,
×
425
                }
×
426

×
427
                return ac, kvc
×
428
        }
×
429

430
        // Find the index of the lower bound range to the new number.
431
        indexOfRangeBelow, alreadyCovered := a.lowerBoundIndex(n)
×
432

×
433
        switch {
×
434
        // The new number is already covered by the range index. No changes are
435
        // required.
436
        case alreadyCovered:
×
437
                return nil, nil
×
438

439
        // No lower bound index exists.
440
        case indexOfRangeBelow < 0:
×
441
                // Check if the very first range can be merged into this new
×
442
                // one.
×
443
                if n+1 == a.set[0].start {
×
444
                        // If so, the two ranges can be merged and so the start
×
445
                        // value of the range is n and the end value is the end
×
446
                        // of the existing first range.
×
447
                        start := n
×
448
                        end := a.set[0].end
×
449

×
450
                        // For the array representation, we can just edit the
×
451
                        // first entry of the array
×
452
                        editIndex := 0
×
453
                        ac := &arrayChanges{
×
454
                                indexToEdit: &editIndex,
×
455
                                start:       start,
×
456
                                end:         end,
×
457
                        }
×
458

×
459
                        // For the KV store representation, we add a new kv pair
×
460
                        // and delete the range with the key equal to the start
×
461
                        // value of the range we are merging.
×
462
                        kvKeyToDelete := a.set[0].start
×
463
                        kvc := &kvChanges{
×
464
                                key:         start,
×
465
                                value:       end,
×
466
                                deleteKVKey: &kvKeyToDelete,
×
467
                        }
×
468

×
469
                        return ac, kvc
×
470
                }
×
471

472
                // Otherwise, we add a new index.
473

474
                // For the array representation, a new range [n:n] is added to
475
                // the first index of the array.
476
                newIndex := 0
×
477
                ac := &arrayChanges{
×
478
                        newIndex: &newIndex,
×
479
                        start:    n,
×
480
                        end:      n,
×
481
                }
×
482

×
483
                // For the KV representation, a new [n:n] pair is added.
×
484
                kvc := &kvChanges{
×
485
                        key:   n,
×
486
                        value: n,
×
487
                }
×
488

×
489
                return ac, kvc
×
490

491
        // A lower range does exist, and it can be extended to include this new
492
        // number.
493
        case a.set[indexOfRangeBelow].end+1 == n:
×
494
                start := a.set[indexOfRangeBelow].start
×
495
                end := n
×
496
                indexToChange := indexOfRangeBelow
×
497

×
498
                // If there are no intervals above this one or if there are, but
×
499
                // they can't be merged into this one then we just need to edit
×
500
                // this interval.
×
501
                if indexOfRangeBelow == len(a.set)-1 ||
×
502
                        a.set[indexOfRangeBelow+1].start != n+1 {
×
503

×
504
                        // For the array representation, we just edit the index.
×
505
                        ac := &arrayChanges{
×
506
                                indexToEdit: &indexToChange,
×
507
                                start:       start,
×
508
                                end:         end,
×
509
                        }
×
510

×
511
                        // For the key-value representation, we just overwrite
×
512
                        // the end value at the existing start key.
×
513
                        kvc := &kvChanges{
×
514
                                key:   start,
×
515
                                value: end,
×
516
                        }
×
517

×
518
                        return ac, kvc
×
519
                }
×
520

521
                // There is a range above this one that we need to merge into
522
                // this one.
523
                delIndex := indexOfRangeBelow + 1
×
524
                end = a.set[delIndex].end
×
525

×
526
                // For the array representation, we delete the range above this
×
527
                // one and edit this range to include the end value of the range
×
528
                // above.
×
529
                ac := &arrayChanges{
×
530
                        indexToDelete: &delIndex,
×
531
                        indexToEdit:   &indexToChange,
×
532
                        start:         start,
×
533
                        end:           end,
×
534
                }
×
535

×
536
                // For the kv representation, we tweak the end value of an
×
537
                // existing key and delete the key of the range we are deleting.
×
538
                deleteKey := a.set[delIndex].start
×
539
                kvc := &kvChanges{
×
540
                        key:         start,
×
541
                        value:       end,
×
542
                        deleteKVKey: &deleteKey,
×
543
                }
×
544

×
545
                return ac, kvc
×
546

547
        // A lower range does exist, but it can't be extended to include this
548
        // new number, and so we need to add a new range after the lower bound
549
        // range.
550
        default:
×
551
                newIndex := indexOfRangeBelow + 1
×
552

×
553
                // If there are no ranges above this new one or if there are,
×
554
                // but they can't be merged into this new one, then we can just
×
555
                // add the new one as is.
×
556
                if newIndex == len(a.set) || a.set[newIndex].start != n+1 {
×
557
                        ac := &arrayChanges{
×
558
                                newIndex: &newIndex,
×
559
                                start:    n,
×
560
                                end:      n,
×
561
                        }
×
562

×
563
                        kvc := &kvChanges{
×
564
                                key:   n,
×
565
                                value: n,
×
566
                        }
×
567

×
568
                        return ac, kvc
×
569
                }
×
570

571
                // Else, we merge the above index.
572
                start := n
×
573
                end := a.set[newIndex].end
×
574
                toEdit := newIndex
×
575

×
576
                // For the array representation, we edit the range above to
×
577
                // include the new start value.
×
578
                ac := &arrayChanges{
×
579
                        indexToEdit: &toEdit,
×
580
                        start:       start,
×
581
                        end:         end,
×
582
                }
×
583

×
584
                // For the kv representation, we insert the new start-end key
×
585
                // value pair and delete the key using the old start value.
×
586
                delKey := a.set[newIndex].start
×
587
                kvc := &kvChanges{
×
588
                        key:         start,
×
589
                        value:       end,
×
590
                        deleteKVKey: &delKey,
×
591
                }
×
592

×
593
                return ac, kvc
×
594
        }
595
}
596

597
func defaultSerializeUint64(i uint64) ([]byte, error) {
×
598
        var b [8]byte
×
599
        byteOrder.PutUint64(b[:], i)
×
600
        return b[:], nil
×
601
}
×
STATUS · Troubleshooting · Open an Issue · Sales · Support · CAREERS · ENTERPRISE · START FREE · SCHEDULE DEMO
ANNOUNCEMENTS · TWITTER · TOS & SLA · Supported CI Services · What's a CI service? · Automated Testing

© 2025 Coveralls, Inc