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

lightningnetwork / lnd / 18016273007

25 Sep 2025 05:55PM UTC coverage: 54.653% (-12.0%) from 66.622%
18016273007

Pull #10248

github

web-flow
Merge 128443298 into b09b20c69
Pull Request #10248: Enforce TLV when creating a Route

25 of 30 new or added lines in 4 files covered. (83.33%)

23906 existing lines in 281 files now uncovered.

109536 of 200421 relevant lines covered (54.65%)

21816.97 hits per line

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

64.54
/routing/localchans/manager.go
1
package localchans
2

3
import (
4
        "bytes"
5
        "context"
6
        "errors"
7
        "fmt"
8
        "sync"
9
        "time"
10

11
        "github.com/btcsuite/btcd/btcec/v2"
12
        "github.com/btcsuite/btcd/wire"
13
        "github.com/lightningnetwork/lnd/channeldb"
14
        "github.com/lightningnetwork/lnd/discovery"
15
        "github.com/lightningnetwork/lnd/fn/v2"
16
        "github.com/lightningnetwork/lnd/graph/db/models"
17
        "github.com/lightningnetwork/lnd/lnrpc"
18
        "github.com/lightningnetwork/lnd/lnwire"
19
        "github.com/lightningnetwork/lnd/routing"
20
)
21

22
// Manager manages the node's local channels. The only operation that is
23
// currently implemented is updating forwarding policies.
24
type Manager struct {
25
        // SelfPub contains the public key of the local node.
26
        SelfPub *btcec.PublicKey
27

28
        // DefaultRoutingPolicy is the default routing policy.
29
        DefaultRoutingPolicy models.ForwardingPolicy
30

31
        // UpdateForwardingPolicies is used by the manager to update active
32
        // links with a new policy.
33
        UpdateForwardingPolicies func(
34
                chanPolicies map[wire.OutPoint]models.ForwardingPolicy)
35

36
        // PropagateChanPolicyUpdate is called to persist a new policy to disk
37
        // and broadcast it to the network.
38
        PropagateChanPolicyUpdate func(
39
                edgesToUpdate []discovery.EdgeWithInfo) error
40

41
        // ForAllOutgoingChannels is required to iterate over all our local
42
        // channels. The ChannelEdgePolicy parameter may be nil.
43
        ForAllOutgoingChannels func(ctx context.Context,
44
                cb func(*models.ChannelEdgeInfo,
45
                        *models.ChannelEdgePolicy) error, reset func()) error
46

47
        // FetchChannel is used to query local channel parameters. Optionally an
48
        // existing db tx can be supplied.
49
        FetchChannel func(chanPoint wire.OutPoint) (*channeldb.OpenChannel,
50
                error)
51

52
        // AddEdge is used to add edge/channel to the topology of the router.
53
        AddEdge func(ctx context.Context, edge *models.ChannelEdgeInfo) error
54

55
        // policyUpdateLock ensures that the database and the link do not fall
56
        // out of sync if there are concurrent fee update calls. Without it,
57
        // there is a chance that policy A updates the database, then policy B
58
        // updates the database, then policy B updates the link, then policy A
59
        // updates the link.
60
        policyUpdateLock sync.Mutex
61
}
62

63
// UpdatePolicy updates the policy for the specified channels on disk and in
64
// the active links.
65
func (r *Manager) UpdatePolicy(ctx context.Context,
66
        newSchema routing.ChannelPolicy,
67
        createMissingEdge bool, chanPoints ...wire.OutPoint) (
68
        []*lnrpc.FailedUpdate, error) {
6✔
69

6✔
70
        r.policyUpdateLock.Lock()
6✔
71
        defer r.policyUpdateLock.Unlock()
6✔
72

6✔
73
        // First, we'll construct a set of all the channels that we are
6✔
74
        // trying to update.
6✔
75
        unprocessedChans := make(map[wire.OutPoint]struct{})
6✔
76
        for _, chanPoint := range chanPoints {
11✔
77
                unprocessedChans[chanPoint] = struct{}{}
5✔
78
        }
5✔
79

80
        haveChanFilter := len(unprocessedChans) != 0
6✔
81

6✔
82
        var failedUpdates []*lnrpc.FailedUpdate
6✔
83
        var edgesToUpdate []discovery.EdgeWithInfo
6✔
84
        policiesToUpdate := make(map[wire.OutPoint]models.ForwardingPolicy)
6✔
85

6✔
86
        // NOTE: edge may be nil when this function is called.
6✔
87
        processChan := func(info *models.ChannelEdgeInfo,
6✔
88
                edge *models.ChannelEdgePolicy) error {
11✔
89

5✔
90
                // If we have a channel filter, and this channel isn't a part
5✔
91
                // of it, then we'll skip it.
5✔
92
                _, ok := unprocessedChans[info.ChannelPoint]
5✔
93
                if !ok && haveChanFilter {
6✔
94
                        return nil
1✔
95
                }
1✔
96

97
                // Mark this channel as found by removing it. unprocessedChans
98
                // will be used to report invalid channels later on.
99
                delete(unprocessedChans, info.ChannelPoint)
4✔
100

4✔
101
                if edge == nil {
4✔
102
                        log.Errorf("Got nil channel edge policy when updating "+
×
103
                                "a channel. Channel point: %v",
×
104
                                info.ChannelPoint.String())
×
105

×
106
                        failedUpdates = append(failedUpdates, makeFailureItem(
×
107
                                info.ChannelPoint,
×
108
                                lnrpc.UpdateFailure_UPDATE_FAILURE_NOT_FOUND,
×
109
                                "edge policy not found",
×
110
                        ))
×
111

×
112
                        return nil
×
113
                }
×
114

115
                // Apply the new policy to the edge.
116
                err := r.updateEdge(info.ChannelPoint, edge, newSchema)
4✔
117
                if err != nil {
4✔
118
                        failedUpdates = append(failedUpdates,
×
119
                                makeFailureItem(info.ChannelPoint,
×
120
                                        lnrpc.UpdateFailure_UPDATE_FAILURE_INVALID_PARAMETER,
×
121
                                        err.Error(),
×
122
                                ))
×
123

×
124
                        return nil
×
125
                }
×
126

127
                // Add updated edge to list of edges to send to gossiper.
128
                edgesToUpdate = append(edgesToUpdate, discovery.EdgeWithInfo{
4✔
129
                        Info: info,
4✔
130
                        Edge: edge,
4✔
131
                })
4✔
132

4✔
133
                var inboundWireFee lnwire.Fee
4✔
134
                edge.InboundFee.WhenSome(func(fee lnwire.Fee) {
4✔
UNCOV
135
                        inboundWireFee = fee
×
UNCOV
136
                })
×
137
                inboundFee := models.NewInboundFeeFromWire(inboundWireFee)
4✔
138

4✔
139
                // Add updated policy to list of policies to send to switch.
4✔
140
                policiesToUpdate[info.ChannelPoint] = models.ForwardingPolicy{
4✔
141
                        BaseFee:       edge.FeeBaseMSat,
4✔
142
                        FeeRate:       edge.FeeProportionalMillionths,
4✔
143
                        TimeLockDelta: uint32(edge.TimeLockDelta),
4✔
144
                        MinHTLCOut:    edge.MinHTLC,
4✔
145
                        MaxHTLC:       edge.MaxHTLC,
4✔
146
                        InboundFee:    inboundFee,
4✔
147
                }
4✔
148

4✔
149
                return nil
4✔
150
        }
151

152
        // Next, we'll loop over all the outgoing channels the router knows of.
153
        // If we have a filter then we'll only collect those channels, otherwise
154
        // we'll collect them all.
155
        err := r.ForAllOutgoingChannels(
6✔
156
                ctx, processChan,
6✔
157
                func() {
6✔
UNCOV
158
                        failedUpdates = nil
×
UNCOV
159
                        edgesToUpdate = nil
×
UNCOV
160
                        clear(policiesToUpdate)
×
UNCOV
161
                },
×
162
        )
163
        if err != nil {
6✔
164
                return nil, err
×
165
        }
×
166

167
        // Construct a list of failed policy updates.
168
        for chanPoint := range unprocessedChans {
9✔
169
                channel, err := r.FetchChannel(chanPoint)
3✔
170
                switch {
3✔
171
                case errors.Is(err, channeldb.ErrChannelNotFound):
1✔
172
                        failedUpdates = append(failedUpdates,
1✔
173
                                makeFailureItem(chanPoint,
1✔
174
                                        lnrpc.UpdateFailure_UPDATE_FAILURE_NOT_FOUND,
1✔
175
                                        "not found",
1✔
176
                                ))
1✔
177

178
                case err != nil:
×
179
                        failedUpdates = append(failedUpdates,
×
180
                                makeFailureItem(chanPoint,
×
181
                                        lnrpc.UpdateFailure_UPDATE_FAILURE_INTERNAL_ERR,
×
182
                                        err.Error(),
×
183
                                ))
×
184

185
                case channel.IsPending:
×
186
                        failedUpdates = append(failedUpdates,
×
187
                                makeFailureItem(chanPoint,
×
188
                                        lnrpc.UpdateFailure_UPDATE_FAILURE_PENDING,
×
189
                                        "not yet confirmed",
×
190
                                ))
×
191

192
                // If the edge was not found, but the channel is found, that
193
                // means the edge is missing in the graph database and should be
194
                // recreated. The edge and policy are created in-memory. The
195
                // edge is inserted in createEdge below and the policy will be
196
                // added to the graph in the PropagateChanPolicyUpdate call
197
                // below.
198
                case createMissingEdge:
1✔
199
                        log.Warnf("Missing edge for active channel (%s) "+
1✔
200
                                "during policy update. Recreating edge with "+
1✔
201
                                "default policy.",
1✔
202
                                channel.FundingOutpoint.String())
1✔
203

1✔
204
                        info, edge, failedUpdate := r.createMissingEdge(
1✔
205
                                ctx, channel, newSchema,
1✔
206
                        )
1✔
207
                        if failedUpdate == nil {
2✔
208
                                err = processChan(info, edge)
1✔
209
                                if err != nil {
1✔
210
                                        return nil, err
×
211
                                }
×
212
                        } else {
×
213
                                failedUpdates = append(
×
214
                                        failedUpdates, failedUpdate,
×
215
                                )
×
216
                        }
×
217

218
                default:
1✔
219
                        log.Warnf("Missing edge for active channel (%s) "+
1✔
220
                                "during policy update. Could not update "+
1✔
221
                                "policy.", channel.FundingOutpoint.String())
1✔
222

1✔
223
                        failedUpdates = append(failedUpdates,
1✔
224
                                makeFailureItem(chanPoint,
1✔
225
                                        lnrpc.UpdateFailure_UPDATE_FAILURE_UNKNOWN,
1✔
226
                                        "could not update policies",
1✔
227
                                ))
1✔
228
                }
229
        }
230

231
        // Commit the policy updates to disk and broadcast to the network. We
232
        // validated the new policy above, so we expect no validation errors. If
233
        // this would happen because of a bug, the link policy will be
234
        // desynchronized. It is currently not possible to atomically commit
235
        // multiple edge updates.
236
        err = r.PropagateChanPolicyUpdate(edgesToUpdate)
6✔
237
        if err != nil {
6✔
238
                return nil, err
×
239
        }
×
240

241
        // Update active links.
242
        r.UpdateForwardingPolicies(policiesToUpdate)
6✔
243

6✔
244
        return failedUpdates, nil
6✔
245
}
246

247
func (r *Manager) createMissingEdge(ctx context.Context,
248
        channel *channeldb.OpenChannel,
249
        newSchema routing.ChannelPolicy) (*models.ChannelEdgeInfo,
250
        *models.ChannelEdgePolicy, *lnrpc.FailedUpdate) {
1✔
251

1✔
252
        info, edge, err := r.createEdge(channel, time.Now())
1✔
253
        if err != nil {
1✔
254
                log.Errorf("Failed to recreate missing edge "+
×
255
                        "for channel (%s): %v",
×
256
                        channel.FundingOutpoint.String(), err)
×
257

×
258
                return nil, nil, makeFailureItem(
×
259
                        channel.FundingOutpoint,
×
260
                        lnrpc.UpdateFailure_UPDATE_FAILURE_UNKNOWN,
×
261
                        "could not update policies",
×
262
                )
×
263
        }
×
264

265
        // Validate the newly created edge policy with the user defined new
266
        // schema before adding the edge to the database.
267
        err = r.updateEdge(channel.FundingOutpoint, edge, newSchema)
1✔
268
        if err != nil {
1✔
269
                return nil, nil, makeFailureItem(
×
270
                        info.ChannelPoint,
×
271
                        lnrpc.UpdateFailure_UPDATE_FAILURE_INVALID_PARAMETER,
×
272
                        err.Error(),
×
273
                )
×
274
        }
×
275

276
        // Insert the edge into the database to avoid `edge not
277
        // found` errors during policy update propagation.
278
        err = r.AddEdge(ctx, info)
1✔
279
        if err != nil {
1✔
280
                log.Errorf("Attempt to add missing edge for "+
×
281
                        "channel (%s) errored with: %v",
×
282
                        channel.FundingOutpoint.String(), err)
×
283

×
284
                return nil, nil, makeFailureItem(
×
285
                        channel.FundingOutpoint,
×
286
                        lnrpc.UpdateFailure_UPDATE_FAILURE_UNKNOWN,
×
287
                        "could not add edge",
×
288
                )
×
289
        }
×
290

291
        return info, edge, nil
1✔
292
}
293

294
// createEdge recreates an edge and policy from an open channel in-memory.
295
func (r *Manager) createEdge(channel *channeldb.OpenChannel,
296
        timestamp time.Time) (*models.ChannelEdgeInfo,
297
        *models.ChannelEdgePolicy, error) {
3✔
298

3✔
299
        nodeKey1Bytes := r.SelfPub.SerializeCompressed()
3✔
300
        nodeKey2Bytes := channel.IdentityPub.SerializeCompressed()
3✔
301
        bitcoinKey1Bytes := channel.LocalChanCfg.MultiSigKey.PubKey.
3✔
302
                SerializeCompressed()
3✔
303
        bitcoinKey2Bytes := channel.RemoteChanCfg.MultiSigKey.PubKey.
3✔
304
                SerializeCompressed()
3✔
305
        channelFlags := lnwire.ChanUpdateChanFlags(0)
3✔
306

3✔
307
        // Make it such that node_id_1 is the lexicographically-lesser of the
3✔
308
        // two compressed keys sorted in ascending lexicographic order.
3✔
309
        if bytes.Compare(nodeKey2Bytes, nodeKey1Bytes) < 0 {
4✔
310
                nodeKey1Bytes, nodeKey2Bytes = nodeKey2Bytes, nodeKey1Bytes
1✔
311
                bitcoinKey1Bytes, bitcoinKey2Bytes = bitcoinKey2Bytes,
1✔
312
                        bitcoinKey1Bytes
1✔
313
                channelFlags = 1
1✔
314
        }
1✔
315

316
        // We need to make sure we use the real scid for public confirmed
317
        // zero-conf channels.
318
        shortChanID := channel.ShortChanID()
3✔
319
        isPublic := channel.ChannelFlags&lnwire.FFAnnounceChannel != 0
3✔
320
        if isPublic && channel.IsZeroConf() && channel.ZeroConfConfirmed() {
3✔
321
                shortChanID = channel.ZeroConfRealScid()
×
322
        }
×
323

324
        info := &models.ChannelEdgeInfo{
3✔
325
                ChannelID:    shortChanID.ToUint64(),
3✔
326
                ChainHash:    channel.ChainHash,
3✔
327
                Features:     lnwire.EmptyFeatureVector(),
3✔
328
                Capacity:     channel.Capacity,
3✔
329
                ChannelPoint: channel.FundingOutpoint,
3✔
330
        }
3✔
331

3✔
332
        copy(info.NodeKey1Bytes[:], nodeKey1Bytes)
3✔
333
        copy(info.NodeKey2Bytes[:], nodeKey2Bytes)
3✔
334
        copy(info.BitcoinKey1Bytes[:], bitcoinKey1Bytes)
3✔
335
        copy(info.BitcoinKey2Bytes[:], bitcoinKey2Bytes)
3✔
336

3✔
337
        // Construct a dummy channel edge policy with default values that will
3✔
338
        // be updated with the new values in the call to processChan below.
3✔
339
        timeLockDelta := uint16(r.DefaultRoutingPolicy.TimeLockDelta)
3✔
340
        edge := &models.ChannelEdgePolicy{
3✔
341
                ChannelID:                 shortChanID.ToUint64(),
3✔
342
                LastUpdate:                timestamp,
3✔
343
                TimeLockDelta:             timeLockDelta,
3✔
344
                ChannelFlags:              channelFlags,
3✔
345
                MessageFlags:              lnwire.ChanUpdateRequiredMaxHtlc,
3✔
346
                FeeBaseMSat:               r.DefaultRoutingPolicy.BaseFee,
3✔
347
                FeeProportionalMillionths: r.DefaultRoutingPolicy.FeeRate,
3✔
348
                MinHTLC:                   r.DefaultRoutingPolicy.MinHTLCOut,
3✔
349
                MaxHTLC:                   r.DefaultRoutingPolicy.MaxHTLC,
3✔
350
        }
3✔
351

3✔
352
        copy(edge.ToNode[:], channel.IdentityPub.SerializeCompressed())
3✔
353

3✔
354
        return info, edge, nil
3✔
355
}
356

357
// updateEdge updates the given edge with the new schema.
358
func (r *Manager) updateEdge(chanPoint wire.OutPoint,
359
        edge *models.ChannelEdgePolicy,
360
        newSchema routing.ChannelPolicy) error {
5✔
361

5✔
362
        channel, err := r.FetchChannel(chanPoint)
5✔
363
        if err != nil {
5✔
364
                return err
×
365
        }
×
366

367
        // Update forwarding fee scheme and required time lock delta.
368
        edge.FeeBaseMSat = newSchema.BaseFee
5✔
369
        edge.FeeProportionalMillionths = lnwire.MilliSatoshi(
5✔
370
                newSchema.FeeRate,
5✔
371
        )
5✔
372

5✔
373
        // If inbound fees are set, we update the edge with them.
5✔
374
        err = fn.MapOptionZ(newSchema.InboundFee,
5✔
375
                func(f models.InboundFee) error {
5✔
UNCOV
376
                        inboundWireFee := f.ToWire()
×
UNCOV
377
                        edge.InboundFee = fn.Some(inboundWireFee)
×
UNCOV
378

×
UNCOV
379
                        return edge.ExtraOpaqueData.PackRecords(
×
UNCOV
380
                                &inboundWireFee,
×
UNCOV
381
                        )
×
UNCOV
382
                })
×
383
        if err != nil {
5✔
384
                return err
×
385
        }
×
386

387
        edge.TimeLockDelta = uint16(newSchema.TimeLockDelta)
5✔
388

5✔
389
        // Retrieve negotiated channel htlc amt limits.
5✔
390
        amtMin, amtMax, err := r.getHtlcAmtLimits(channel)
5✔
391
        if err != nil {
5✔
392
                return err
×
393
        }
×
394

395
        // We now update the edge max htlc value.
396
        switch {
5✔
397
        // If a non-zero max htlc was specified, use it to update the edge.
398
        // Otherwise keep the value unchanged.
399
        case newSchema.MaxHTLC != 0:
4✔
400
                edge.MaxHTLC = newSchema.MaxHTLC
4✔
401

402
        // If this edge still doesn't have a max htlc set, set it to the max.
403
        // This is an on-the-fly migration.
404
        case !edge.MessageFlags.HasMaxHtlc():
×
405
                edge.MaxHTLC = amtMax
×
406

407
        // If this edge has a max htlc that exceeds what the channel can
408
        // actually carry, correct it now. This can happen, because we
409
        // previously set the max htlc to the channel capacity.
410
        case edge.MaxHTLC > amtMax:
×
411
                edge.MaxHTLC = amtMax
×
412
        }
413

414
        // If a new min htlc is specified, update the edge.
415
        if newSchema.MinHTLC != nil {
5✔
416
                edge.MinHTLC = *newSchema.MinHTLC
×
417
        }
×
418

419
        // If the MaxHtlc flag wasn't already set, we can set it now.
420
        edge.MessageFlags |= lnwire.ChanUpdateRequiredMaxHtlc
5✔
421

5✔
422
        // Validate htlc amount constraints.
5✔
423
        switch {
5✔
424
        case edge.MinHTLC < amtMin:
×
425
                return fmt.Errorf(
×
426
                        "min htlc amount of %v is below min htlc parameter of %v",
×
427
                        edge.MinHTLC, amtMin,
×
428
                )
×
429

430
        case edge.MaxHTLC > amtMax:
×
431
                return fmt.Errorf(
×
432
                        "max htlc size of %v is above max pending amount of %v",
×
433
                        edge.MaxHTLC, amtMax,
×
434
                )
×
435

436
        case edge.MinHTLC > edge.MaxHTLC:
×
437
                return fmt.Errorf(
×
438
                        "min_htlc %v greater than max_htlc %v",
×
439
                        edge.MinHTLC, edge.MaxHTLC,
×
440
                )
×
441
        }
442

443
        // Clear signature to help prevent usage of the previous signature.
444
        edge.SetSigBytes(nil)
5✔
445

5✔
446
        return nil
5✔
447
}
448

449
// getHtlcAmtLimits retrieves the negotiated channel min and max htlc amount
450
// constraints.
451
func (r *Manager) getHtlcAmtLimits(ch *channeldb.OpenChannel) (
452
        lnwire.MilliSatoshi, lnwire.MilliSatoshi, error) {
5✔
453

5✔
454
        // The max htlc policy field must be less than or equal to the channel
5✔
455
        // capacity AND less than or equal to the max in-flight HTLC value.
5✔
456
        // Since the latter is always less than or equal to the former, just
5✔
457
        // return the max in-flight value.
5✔
458
        maxAmt := ch.LocalChanCfg.ChannelStateBounds.MaxPendingAmount
5✔
459

5✔
460
        return ch.LocalChanCfg.MinHTLC, maxAmt, nil
5✔
461
}
5✔
462

463
// makeFailureItem creates a lnrpc.FailedUpdate object.
464
func makeFailureItem(outPoint wire.OutPoint, updateFailure lnrpc.UpdateFailure,
465
        errStr string) *lnrpc.FailedUpdate {
2✔
466

2✔
467
        outpoint := lnrpc.MarshalOutPoint(&outPoint)
2✔
468

2✔
469
        return &lnrpc.FailedUpdate{
2✔
470
                Outpoint:    outpoint,
2✔
471
                Reason:      updateFailure,
2✔
472
                UpdateError: errStr,
2✔
473
        }
2✔
474
}
2✔
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