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

lightningnetwork / lnd / 17830307614

18 Sep 2025 01:29PM UTC coverage: 54.617% (-12.0%) from 66.637%
17830307614

Pull #10200

github

web-flow
Merge 181a0a7bc into b34fc964b
Pull Request #10200: github: change to form-based issue template

109249 of 200028 relevant lines covered (54.62%)

21896.43 hits per line

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

89.81
/routing/payment_lifecycle.go
1
package routing
2

3
import (
4
        "context"
5
        "errors"
6
        "fmt"
7
        "time"
8

9
        "github.com/btcsuite/btcd/btcec/v2"
10
        sphinx "github.com/lightningnetwork/lightning-onion"
11
        "github.com/lightningnetwork/lnd/fn/v2"
12
        "github.com/lightningnetwork/lnd/graph/db/models"
13
        "github.com/lightningnetwork/lnd/htlcswitch"
14
        "github.com/lightningnetwork/lnd/lntypes"
15
        "github.com/lightningnetwork/lnd/lnutils"
16
        "github.com/lightningnetwork/lnd/lnwire"
17
        paymentsdb "github.com/lightningnetwork/lnd/payments/db"
18
        "github.com/lightningnetwork/lnd/routing/route"
19
        "github.com/lightningnetwork/lnd/routing/shards"
20
        "github.com/lightningnetwork/lnd/tlv"
21
)
22

23
// ErrPaymentLifecycleExiting is used when waiting for htlc attempt result, but
24
// the payment lifecycle is exiting .
25
var ErrPaymentLifecycleExiting = errors.New("payment lifecycle exiting")
26

27
// switchResult is the result sent back from the switch after processing the
28
// HTLC.
29
type switchResult struct {
30
        // attempt is the HTLC sent to the switch.
31
        attempt *paymentsdb.HTLCAttempt
32

33
        // result is sent from the switch which contains either a preimage if
34
        // ths HTLC is settled or an error if it's failed.
35
        result *htlcswitch.PaymentResult
36
}
37

38
// paymentLifecycle holds all information about the current state of a payment
39
// needed to resume if from any point.
40
type paymentLifecycle struct {
41
        router                *ChannelRouter
42
        feeLimit              lnwire.MilliSatoshi
43
        identifier            lntypes.Hash
44
        paySession            PaymentSession
45
        shardTracker          shards.ShardTracker
46
        currentHeight         int32
47
        firstHopCustomRecords lnwire.CustomRecords
48

49
        // quit is closed to signal the sub goroutines of the payment lifecycle
50
        // to stop.
51
        quit chan struct{}
52

53
        // resultCollected is used to send the result returned from the switch
54
        // for a given HTLC attempt.
55
        resultCollected chan *switchResult
56

57
        // resultCollector is a function that is used to collect the result of
58
        // an HTLC attempt, which is always mounted to `p.collectResultAsync`
59
        // except in unit test, where we use a much simpler resultCollector to
60
        // decouple the test flow for the payment lifecycle.
61
        resultCollector func(attempt *paymentsdb.HTLCAttempt)
62
}
63

64
// newPaymentLifecycle initiates a new payment lifecycle and returns it.
65
func newPaymentLifecycle(r *ChannelRouter, feeLimit lnwire.MilliSatoshi,
66
        identifier lntypes.Hash, paySession PaymentSession,
67
        shardTracker shards.ShardTracker, currentHeight int32,
68
        firstHopCustomRecords lnwire.CustomRecords) *paymentLifecycle {
51✔
69

51✔
70
        p := &paymentLifecycle{
51✔
71
                router:                r,
51✔
72
                feeLimit:              feeLimit,
51✔
73
                identifier:            identifier,
51✔
74
                paySession:            paySession,
51✔
75
                shardTracker:          shardTracker,
51✔
76
                currentHeight:         currentHeight,
51✔
77
                quit:                  make(chan struct{}),
51✔
78
                resultCollected:       make(chan *switchResult, 1),
51✔
79
                firstHopCustomRecords: firstHopCustomRecords,
51✔
80
        }
51✔
81

51✔
82
        // Mount the result collector.
51✔
83
        p.resultCollector = p.collectResultAsync
51✔
84

51✔
85
        return p
51✔
86
}
51✔
87

88
// calcFeeBudget returns the available fee to be used for sending HTLC
89
// attempts.
90
func (p *paymentLifecycle) calcFeeBudget(
91
        feesPaid lnwire.MilliSatoshi) lnwire.MilliSatoshi {
102✔
92

102✔
93
        budget := p.feeLimit
102✔
94

102✔
95
        // We'll subtract the used fee from our fee budget. In case of
102✔
96
        // overflow, we need to check whether feesPaid exceeds our budget
102✔
97
        // already.
102✔
98
        if feesPaid <= budget {
204✔
99
                budget -= feesPaid
102✔
100
        } else {
102✔
101
                budget = 0
×
102
        }
×
103

104
        return budget
102✔
105
}
106

107
// stateStep defines an action to be taken in our payment lifecycle. We either
108
// quit, continue, or exit the lifecycle, see details below.
109
type stateStep uint8
110

111
const (
112
        // stepSkip is used when we need to skip the current lifecycle and jump
113
        // to the next one.
114
        stepSkip stateStep = iota
115

116
        // stepProceed is used when we can proceed the current lifecycle.
117
        stepProceed
118

119
        // stepExit is used when we need to quit the current lifecycle.
120
        stepExit
121
)
122

123
// decideNextStep is used to determine the next step in the payment lifecycle.
124
// It first checks whether the current state of the payment allows more HTLC
125
// attempts to be made. If allowed, it will return so the lifecycle can continue
126
// making new attempts. Otherwise, it checks whether we need to wait for the
127
// results of already sent attempts. If needed, it will block until one of the
128
// results is sent back. then process its result here. When there's no need to
129
// wait for results, the method will exit with `stepExit` such that the payment
130
// lifecycle loop will terminate.
131
func (p *paymentLifecycle) decideNextStep(
132
        payment paymentsdb.DBMPPayment) (stateStep, error) {
76✔
133

76✔
134
        // Check whether we could make new HTLC attempts.
76✔
135
        allow, err := payment.AllowMoreAttempts()
76✔
136
        if err != nil {
78✔
137
                return stepExit, err
2✔
138
        }
2✔
139

140
        // Exit early we need to make more attempts.
141
        if allow {
105✔
142
                return stepProceed, nil
31✔
143
        }
31✔
144

145
        // We cannot make more attempts, we now check whether we need to wait
146
        // for results.
147
        wait, err := payment.NeedWaitAttempts()
43✔
148
        if err != nil {
44✔
149
                return stepExit, err
1✔
150
        }
1✔
151

152
        // If we are not allowed to make new HTLC attempts and there's no need
153
        // to wait, the lifecycle is done and we can exit.
154
        if !wait {
59✔
155
                return stepExit, nil
17✔
156
        }
17✔
157

158
        log.Tracef("Waiting for attempt results for payment %v", p.identifier)
25✔
159

25✔
160
        // Otherwise we wait for the result for one HTLC attempt then continue
25✔
161
        // the lifecycle.
25✔
162
        select {
25✔
163
        case r := <-p.resultCollected:
23✔
164
                log.Tracef("Received attempt result for payment %v",
23✔
165
                        p.identifier)
23✔
166

23✔
167
                // Handle the result here. If there's no error, we will return
23✔
168
                // stepSkip and move to the next lifecycle iteration, which will
23✔
169
                // refresh the payment and wait for the next attempt result, if
23✔
170
                // any.
23✔
171
                _, err := p.handleAttemptResult(r.attempt, r.result)
23✔
172

23✔
173
                // We would only get a DB-related error here, which will cause
23✔
174
                // us to abort the payment flow.
23✔
175
                if err != nil {
24✔
176
                        return stepExit, err
1✔
177
                }
1✔
178

179
        case <-p.quit:
1✔
180
                return stepExit, ErrPaymentLifecycleExiting
1✔
181

182
        case <-p.router.quit:
1✔
183
                return stepExit, ErrRouterShuttingDown
1✔
184
        }
185

186
        return stepSkip, nil
22✔
187
}
188

189
// resumePayment resumes the paymentLifecycle from the current state.
190
func (p *paymentLifecycle) resumePayment(ctx context.Context) ([32]byte,
191
        *route.Route, error) {
22✔
192

22✔
193
        // When the payment lifecycle loop exits, we make sure to signal any
22✔
194
        // sub goroutine of the HTLC attempt to exit, then wait for them to
22✔
195
        // return.
22✔
196
        defer p.stop()
22✔
197

22✔
198
        // If we had any existing attempts outstanding, we'll start by spinning
22✔
199
        // up goroutines that'll collect their results and deliver them to the
22✔
200
        // lifecycle loop below.
22✔
201
        payment, err := p.reloadInflightAttempts()
22✔
202
        if err != nil {
23✔
203
                return [32]byte{}, nil, err
1✔
204
        }
1✔
205

206
        // Get the payment status.
207
        status := payment.GetStatus()
21✔
208

21✔
209
        // exitWithErr is a helper closure that logs and returns an error.
21✔
210
        exitWithErr := func(err error) ([32]byte, *route.Route, error) {
26✔
211
                // Log an error with the latest payment status.
5✔
212
                //
5✔
213
                // NOTE: this `status` variable is reassigned in the loop
5✔
214
                // below. We could also call `payment.GetStatus` here, but in a
5✔
215
                // rare case when the critical log is triggered when using
5✔
216
                // postgres as db backend, the `payment` could be nil, causing
5✔
217
                // the payment fetching to return an error.
5✔
218
                log.Errorf("Payment %v with status=%v failed: %v", p.identifier,
5✔
219
                        status, err)
5✔
220

5✔
221
                return [32]byte{}, nil, err
5✔
222
        }
5✔
223

224
        // We'll continue until either our payment succeeds, or we encounter a
225
        // critical error during path finding.
226
lifecycle:
21✔
227
        for {
90✔
228
                // Before we attempt any new shard, we'll check to see if we've
69✔
229
                // gone past the payment attempt timeout or if the context was
69✔
230
                // canceled. If the context is done, the payment is marked as
69✔
231
                // failed and we reload the latest payment state to reflect
69✔
232
                // this.
69✔
233
                //
69✔
234
                // NOTE: This can be called several times if there are more
69✔
235
                // attempts to be resolved after the timeout or context is
69✔
236
                // cancelled.
69✔
237
                if err := p.checkContext(ctx); err != nil {
70✔
238
                        return exitWithErr(err)
1✔
239
                }
1✔
240

241
                // We update the payment state on every iteration.
242
                currentPayment, ps, err := p.reloadPayment()
68✔
243
                if err != nil {
68✔
244
                        return exitWithErr(err)
×
245
                }
×
246

247
                // Reassign status so it can be read in `exitWithErr`.
248
                status = currentPayment.GetStatus()
68✔
249

68✔
250
                // Reassign payment such that when the lifecycle exits, the
68✔
251
                // latest payment can be read when we access its terminal info.
68✔
252
                payment = currentPayment
68✔
253

68✔
254
                // We now proceed our lifecycle with the following tasks in
68✔
255
                // order,
68✔
256
                //   1. request route.
68✔
257
                //   2. create HTLC attempt.
68✔
258
                //   3. send HTLC attempt.
68✔
259
                //   4. collect HTLC attempt result.
68✔
260
                //
68✔
261

68✔
262
                // Now decide the next step of the current lifecycle.
68✔
263
                step, err := p.decideNextStep(payment)
68✔
264
                if err != nil {
69✔
265
                        return exitWithErr(err)
1✔
266
                }
1✔
267

268
                switch step {
67✔
269
                // Exit the for loop and return below.
270
                case stepExit:
16✔
271
                        break lifecycle
16✔
272

273
                // Continue the for loop and skip the rest.
274
                case stepSkip:
21✔
275
                        continue lifecycle
21✔
276

277
                // Continue the for loop and proceed the rest.
278
                case stepProceed:
30✔
279

280
                // Unknown step received, exit with an error.
281
                default:
×
282
                        err = fmt.Errorf("unknown step: %v", step)
×
283
                        return exitWithErr(err)
×
284
                }
285

286
                // Now request a route to be used to create our HTLC attempt.
287
                rt, err := p.requestRoute(ps)
30✔
288
                if err != nil {
31✔
289
                        return exitWithErr(err)
1✔
290
                }
1✔
291

292
                // We may not be able to find a route for current attempt. In
293
                // that case, we continue the loop and move straight to the
294
                // next iteration in case there are results for inflight HTLCs
295
                // that still need to be collected.
296
                if rt == nil {
31✔
297
                        log.Errorf("No route found for payment %v",
2✔
298
                                p.identifier)
2✔
299

2✔
300
                        continue lifecycle
2✔
301
                }
302

303
                log.Tracef("Found route: %s", lnutils.SpewLogClosure(rt.Hops))
27✔
304

27✔
305
                // We found a route to try, create a new HTLC attempt to try.
27✔
306
                attempt, err := p.registerAttempt(rt, ps.RemainingAmt)
27✔
307
                if err != nil {
28✔
308
                        return exitWithErr(err)
1✔
309
                }
1✔
310

311
                // Once the attempt is created, send it to the htlcswitch.
312
                result, err := p.sendAttempt(attempt)
26✔
313
                if err != nil {
27✔
314
                        return exitWithErr(err)
1✔
315
                }
1✔
316

317
                // Now that the shard was successfully sent, launch a go
318
                // routine that will handle its result when its back.
319
                if result.err == nil {
49✔
320
                        p.resultCollector(attempt)
24✔
321
                }
24✔
322
        }
323

324
        // Once we are out the lifecycle loop, it means we've reached a
325
        // terminal condition. We either return the settled preimage or the
326
        // payment's failure reason.
327
        //
328
        // Optionally delete the failed attempts from the database. Depends on
329
        // the database options deleting attempts is not allowed so this will
330
        // just be a no-op.
331
        err = p.router.cfg.Control.DeleteFailedAttempts(p.identifier)
16✔
332
        if err != nil {
16✔
333
                log.Errorf("Error deleting failed htlc attempts for payment "+
×
334
                        "%v: %v", p.identifier, err)
×
335
        }
×
336

337
        htlc, failure := payment.TerminalInfo()
16✔
338
        if htlc != nil {
28✔
339
                return htlc.Settle.Preimage, &htlc.Route, nil
12✔
340
        }
12✔
341

342
        // Otherwise return the payment failure reason.
343
        return [32]byte{}, nil, *failure
4✔
344
}
345

346
// checkContext checks whether the payment context has been canceled.
347
// Cancellation occurs manually or if the context times out.
348
func (p *paymentLifecycle) checkContext(ctx context.Context) error {
72✔
349
        select {
72✔
350
        case <-ctx.Done():
4✔
351
                // If the context was canceled, we'll mark the payment as
4✔
352
                // failed. There are two cases to distinguish here: Either a
4✔
353
                // user-provided timeout was reached, or the context was
4✔
354
                // canceled, either to a manual cancellation or due to an
4✔
355
                // unknown error.
4✔
356
                var reason paymentsdb.FailureReason
4✔
357
                if errors.Is(ctx.Err(), context.DeadlineExceeded) {
7✔
358
                        reason = paymentsdb.FailureReasonTimeout
3✔
359
                        log.Warnf("Payment attempt not completed before "+
3✔
360
                                "context timeout, id=%s", p.identifier.String())
3✔
361
                } else {
4✔
362
                        reason = paymentsdb.FailureReasonCanceled
1✔
363
                        log.Warnf("Payment attempt context canceled, id=%s",
1✔
364
                                p.identifier.String())
1✔
365
                }
1✔
366

367
                // By marking the payment failed, depending on whether it has
368
                // inflight HTLCs or not, its status will now either be
369
                // `StatusInflight` or `StatusFailed`. In either case, no more
370
                // HTLCs will be attempted.
371
                err := p.router.cfg.Control.FailPayment(p.identifier, reason)
4✔
372
                if err != nil {
5✔
373
                        return fmt.Errorf("FailPayment got %w", err)
1✔
374
                }
1✔
375

376
        case <-p.router.quit:
2✔
377
                return fmt.Errorf("check payment timeout got: %w",
2✔
378
                        ErrRouterShuttingDown)
2✔
379

380
        // Fall through if we haven't hit our time limit.
381
        default:
66✔
382
        }
383

384
        return nil
69✔
385
}
386

387
// requestRoute is responsible for finding a route to be used to create an HTLC
388
// attempt.
389
func (p *paymentLifecycle) requestRoute(
390
        ps *paymentsdb.MPPaymentState) (*route.Route, error) {
34✔
391

34✔
392
        remainingFees := p.calcFeeBudget(ps.FeesPaid)
34✔
393

34✔
394
        // Query our payment session to construct a route.
34✔
395
        rt, err := p.paySession.RequestRoute(
34✔
396
                ps.RemainingAmt, remainingFees,
34✔
397
                uint32(ps.NumAttemptsInFlight), uint32(p.currentHeight),
34✔
398
                p.firstHopCustomRecords,
34✔
399
        )
34✔
400

34✔
401
        // Exit early if there's no error.
34✔
402
        if err == nil {
62✔
403
                // Allow the traffic shaper to add custom records to the
28✔
404
                // outgoing HTLC and also adjust the amount if needed.
28✔
405
                err = p.amendFirstHopData(rt)
28✔
406
                if err != nil {
28✔
407
                        return nil, err
×
408
                }
×
409

410
                return rt, nil
28✔
411
        }
412

413
        // Otherwise we need to handle the error.
414
        log.Warnf("Failed to find route for payment %v: %v", p.identifier, err)
6✔
415

6✔
416
        // If the error belongs to `noRouteError` set, it means a non-critical
6✔
417
        // error has happened during path finding, and we will mark the payment
6✔
418
        // failed with this reason. Otherwise, we'll return the critical error
6✔
419
        // found to abort the lifecycle.
6✔
420
        var routeErr noRouteError
6✔
421
        if !errors.As(err, &routeErr) {
8✔
422
                return nil, fmt.Errorf("requestRoute got: %w", err)
2✔
423
        }
2✔
424

425
        // It's the `paymentSession`'s responsibility to find a route for us
426
        // with the best effort. When it cannot find a path, we need to treat it
427
        // as a terminal condition and fail the payment no matter it has
428
        // inflight HTLCs or not.
429
        failureCode := routeErr.FailureReason()
4✔
430
        log.Warnf("Marking payment %v permanently failed with no route: %v",
4✔
431
                p.identifier, failureCode)
4✔
432

4✔
433
        err = p.router.cfg.Control.FailPayment(p.identifier, failureCode)
4✔
434
        if err != nil {
5✔
435
                return nil, fmt.Errorf("FailPayment got: %w", err)
1✔
436
        }
1✔
437

438
        // NOTE: we decide to not return the non-critical noRouteError here to
439
        // avoid terminating the payment lifecycle as there might be other
440
        // inflight HTLCs which we must wait for their results.
441
        return nil, nil
3✔
442
}
443

444
// stop signals any active shard goroutine to exit.
445
func (p *paymentLifecycle) stop() {
23✔
446
        close(p.quit)
23✔
447
}
23✔
448

449
// attemptResult holds the HTLC attempt and a possible error returned from
450
// sending it.
451
type attemptResult struct {
452
        // err is non-nil if a non-critical error was encountered when trying
453
        // to send the attempt, and we successfully updated the control tower
454
        // to reflect this error. This can be errors like not enough local
455
        // balance for the given route etc.
456
        err error
457

458
        // attempt is the attempt structure as recorded in the database.
459
        attempt *paymentsdb.HTLCAttempt
460
}
461

462
// collectResultAsync launches a goroutine that will wait for the result of the
463
// given HTLC attempt to be available then save its result in a map. Once
464
// received, it will send the result returned from the switch to channel
465
// `resultCollected`.
466
func (p *paymentLifecycle) collectResultAsync(attempt *paymentsdb.HTLCAttempt) {
23✔
467
        log.Debugf("Collecting result for attempt %v in payment %v",
23✔
468
                attempt.AttemptID, p.identifier)
23✔
469

23✔
470
        go func() {
46✔
471
                result, err := p.collectResult(attempt)
23✔
472
                if err != nil {
23✔
473
                        log.Errorf("Error collecting result for attempt %v in "+
×
474
                                "payment %v: %v", attempt.AttemptID,
×
475
                                p.identifier, err)
×
476

×
477
                        return
×
478
                }
×
479

480
                log.Debugf("Result collected for attempt %v in payment %v",
23✔
481
                        attempt.AttemptID, p.identifier)
23✔
482

23✔
483
                // Create a switch result and send it to the resultCollected
23✔
484
                // chan, which gets processed when the lifecycle is waiting for
23✔
485
                // a result to be received in decideNextStep.
23✔
486
                r := &switchResult{
23✔
487
                        attempt: attempt,
23✔
488
                        result:  result,
23✔
489
                }
23✔
490

23✔
491
                // Signal that a result has been collected.
23✔
492
                select {
23✔
493
                // Send the result so decideNextStep can proceed.
494
                case p.resultCollected <- r:
23✔
495

496
                case <-p.quit:
×
497
                        log.Debugf("Lifecycle exiting while collecting "+
×
498
                                "result for payment %v", p.identifier)
×
499

500
                case <-p.router.quit:
×
501
                }
502
        }()
503
}
504

505
// collectResult waits for the result of the given HTLC attempt to be sent by
506
// the switch and returns it.
507
func (p *paymentLifecycle) collectResult(
508
        attempt *paymentsdb.HTLCAttempt) (*htlcswitch.PaymentResult, error) {
35✔
509

35✔
510
        log.Tracef("Collecting result for attempt %v",
35✔
511
                lnutils.SpewLogClosure(attempt))
35✔
512

35✔
513
        result := &htlcswitch.PaymentResult{}
35✔
514

35✔
515
        // Regenerate the circuit for this attempt.
35✔
516
        circuit, err := attempt.Circuit()
35✔
517

35✔
518
        // TODO(yy): We generate this circuit to create the error decryptor,
35✔
519
        // which is then used in htlcswitch as the deobfuscator to decode the
35✔
520
        // error from `UpdateFailHTLC`. However, suppose it's an
35✔
521
        // `UpdateFulfillHTLC` message yet for some reason the sphinx packet is
35✔
522
        // failed to be generated, we'd miss settling it. This means we should
35✔
523
        // give it a second chance to try the settlement path in case
35✔
524
        // `GetAttemptResult` gives us back the preimage. And move the circuit
35✔
525
        // creation into htlcswitch so it's only constructed when there's a
35✔
526
        // failure message we need to decode.
35✔
527
        if err != nil {
35✔
528
                log.Debugf("Unable to generate circuit for attempt %v: %v",
×
529
                        attempt.AttemptID, err)
×
530
                return nil, err
×
531
        }
×
532

533
        // Using the created circuit, initialize the error decrypter, so we can
534
        // parse+decode any failures incurred by this payment within the
535
        // switch.
536
        errorDecryptor := &htlcswitch.SphinxErrorDecrypter{
35✔
537
                OnionErrorDecrypter: sphinx.NewOnionErrorDecrypter(circuit),
35✔
538
        }
35✔
539

35✔
540
        // Now ask the switch to return the result of the payment when
35✔
541
        // available.
35✔
542
        //
35✔
543
        // TODO(yy): consider using htlcswitch to create the `errorDecryptor`
35✔
544
        // since the htlc is already in db. This will also make the interface
35✔
545
        // `PaymentAttemptDispatcher` deeper and easier to use. Moreover, we'd
35✔
546
        // only create the decryptor when received a failure, further saving us
35✔
547
        // a few CPU cycles.
35✔
548
        resultChan, err := p.router.cfg.Payer.GetAttemptResult(
35✔
549
                attempt.AttemptID, p.identifier, errorDecryptor,
35✔
550
        )
35✔
551
        // Handle the switch error.
35✔
552
        if err != nil {
36✔
553
                log.Errorf("Failed getting result for attemptID %d "+
1✔
554
                        "from switch: %v", attempt.AttemptID, err)
1✔
555

1✔
556
                result.Error = err
1✔
557

1✔
558
                return result, nil
1✔
559
        }
1✔
560

561
        // The switch knows about this payment, we'll wait for a result to be
562
        // available.
563
        select {
34✔
564
        case r, ok := <-resultChan:
32✔
565
                if !ok {
33✔
566
                        return nil, htlcswitch.ErrSwitchExiting
1✔
567
                }
1✔
568

569
                result = r
31✔
570

571
        case <-p.quit:
1✔
572
                return nil, ErrPaymentLifecycleExiting
1✔
573

574
        case <-p.router.quit:
1✔
575
                return nil, ErrRouterShuttingDown
1✔
576
        }
577

578
        return result, nil
31✔
579
}
580

581
// registerAttempt is responsible for creating and saving an HTLC attempt in db
582
// by using the route info provided. The `remainingAmt` is used to decide
583
// whether this is the last attempt.
584
func (p *paymentLifecycle) registerAttempt(rt *route.Route,
585
        remainingAmt lnwire.MilliSatoshi) (*paymentsdb.HTLCAttempt, error) {
36✔
586

36✔
587
        // If this route will consume the last remaining amount to send
36✔
588
        // to the receiver, this will be our last shard (for now).
36✔
589
        isLastAttempt := rt.ReceiverAmt() == remainingAmt
36✔
590

36✔
591
        // Using the route received from the payment session, create a new
36✔
592
        // shard to send.
36✔
593
        attempt, err := p.createNewPaymentAttempt(rt, isLastAttempt)
36✔
594
        if err != nil {
38✔
595
                return nil, err
2✔
596
        }
2✔
597

598
        // Before sending this HTLC to the switch, we checkpoint the fresh
599
        // paymentID and route to the DB. This lets us know on startup the ID
600
        // of the payment that we attempted to send, such that we can query the
601
        // Switch for its whereabouts. The route is needed to handle the result
602
        // when it eventually comes back.
603
        err = p.router.cfg.Control.RegisterAttempt(
34✔
604
                p.identifier, &attempt.HTLCAttemptInfo,
34✔
605
        )
34✔
606

34✔
607
        return attempt, err
34✔
608
}
609

610
// createNewPaymentAttempt creates a new payment attempt from the given route.
611
func (p *paymentLifecycle) createNewPaymentAttempt(rt *route.Route,
612
        lastShard bool) (*paymentsdb.HTLCAttempt, error) {
36✔
613

36✔
614
        // Generate a new key to be used for this attempt.
36✔
615
        sessionKey, err := generateNewSessionKey()
36✔
616
        if err != nil {
36✔
617
                return nil, err
×
618
        }
×
619

620
        // We generate a new, unique payment ID that we will use for
621
        // this HTLC.
622
        attemptID, err := p.router.cfg.NextPaymentID()
36✔
623
        if err != nil {
36✔
624
                return nil, err
×
625
        }
×
626

627
        // Request a new shard from the ShardTracker. If this is an AMP
628
        // payment, and this is the last shard, the outstanding shards together
629
        // with this one will be enough for the receiver to derive all HTLC
630
        // preimages. If this a non-AMP payment, the ShardTracker will return a
631
        // simple shard with the payment's static payment hash.
632
        shard, err := p.shardTracker.NewShard(attemptID, lastShard)
36✔
633
        if err != nil {
37✔
634
                return nil, err
1✔
635
        }
1✔
636

637
        // If this shard carries MPP or AMP options, add them to the last hop
638
        // on the route.
639
        hop := rt.Hops[len(rt.Hops)-1]
35✔
640
        if shard.MPP() != nil {
39✔
641
                hop.MPP = shard.MPP()
4✔
642
        }
4✔
643

644
        if shard.AMP() != nil {
35✔
645
                hop.AMP = shard.AMP()
×
646
        }
×
647

648
        hash := shard.Hash()
35✔
649

35✔
650
        // We now have all the information needed to populate the current
35✔
651
        // attempt information.
35✔
652
        return paymentsdb.NewHtlcAttempt(
35✔
653
                attemptID, sessionKey, *rt, p.router.cfg.Clock.Now(), &hash,
35✔
654
        )
35✔
655
}
656

657
// sendAttempt attempts to send the current attempt to the switch to complete
658
// the payment. If this attempt fails, then we'll continue on to the next
659
// available route.
660
func (p *paymentLifecycle) sendAttempt(
661
        attempt *paymentsdb.HTLCAttempt) (*attemptResult, error) {
34✔
662

34✔
663
        log.Debugf("Sending HTLC attempt(id=%v, total_amt=%v, first_hop_amt=%d"+
34✔
664
                ") for payment %v", attempt.AttemptID,
34✔
665
                attempt.Route.TotalAmount, attempt.Route.FirstHopAmount.Val,
34✔
666
                p.identifier)
34✔
667

34✔
668
        rt := attempt.Route
34✔
669

34✔
670
        // Construct the first hop.
34✔
671
        firstHop := lnwire.NewShortChanIDFromInt(rt.Hops[0].ChannelID)
34✔
672

34✔
673
        // Craft an HTLC packet to send to the htlcswitch. The metadata within
34✔
674
        // this packet will be used to route the payment through the network,
34✔
675
        // starting with the first-hop.
34✔
676
        htlcAdd := &lnwire.UpdateAddHTLC{
34✔
677
                Amount:        rt.FirstHopAmount.Val.Int(),
34✔
678
                Expiry:        rt.TotalTimeLock,
34✔
679
                PaymentHash:   *attempt.Hash,
34✔
680
                CustomRecords: rt.FirstHopWireCustomRecords,
34✔
681
        }
34✔
682

34✔
683
        // Generate the raw encoded sphinx packet to be included along
34✔
684
        // with the htlcAdd message that we send directly to the
34✔
685
        // switch.
34✔
686
        onionBlob, err := attempt.OnionBlob()
34✔
687
        if err != nil {
34✔
688
                log.Errorf("Failed to create onion blob: attempt=%d in "+
×
689
                        "payment=%v, err:%v", attempt.AttemptID,
×
690
                        p.identifier, err)
×
691

×
692
                return p.failAttempt(attempt.AttemptID, err)
×
693
        }
×
694

695
        htlcAdd.OnionBlob = onionBlob
34✔
696

34✔
697
        // Send it to the Switch. When this method returns we assume
34✔
698
        // the Switch successfully has persisted the payment attempt,
34✔
699
        // such that we can resume waiting for the result after a
34✔
700
        // restart.
34✔
701
        err = p.router.cfg.Payer.SendHTLC(firstHop, attempt.AttemptID, htlcAdd)
34✔
702
        if err != nil {
39✔
703
                log.Errorf("Failed sending attempt %d for payment %v to "+
5✔
704
                        "switch: %v", attempt.AttemptID, p.identifier, err)
5✔
705

5✔
706
                return p.handleSwitchErr(attempt, err)
5✔
707
        }
5✔
708

709
        log.Debugf("Attempt %v for payment %v successfully sent to switch, "+
29✔
710
                "route: %v", attempt.AttemptID, p.identifier, &attempt.Route)
29✔
711

29✔
712
        return &attemptResult{
29✔
713
                attempt: attempt,
29✔
714
        }, nil
29✔
715
}
716

717
// amendFirstHopData is a function that calls the traffic shaper to allow it to
718
// add custom records to the outgoing HTLC and also adjust the amount if
719
// needed.
720
func (p *paymentLifecycle) amendFirstHopData(rt *route.Route) error {
37✔
721
        // The first hop amount on the route is the full route amount if not
37✔
722
        // overwritten by the traffic shaper. So we set the initial value now
37✔
723
        // and potentially overwrite it later.
37✔
724
        rt.FirstHopAmount = tlv.NewRecordT[tlv.TlvType0](
37✔
725
                tlv.NewBigSizeT(rt.TotalAmount),
37✔
726
        )
37✔
727

37✔
728
        // By default, we set the first hop custom records to the initial
37✔
729
        // value requested by the RPC. The traffic shaper may overwrite this
37✔
730
        // value.
37✔
731
        rt.FirstHopWireCustomRecords = p.firstHopCustomRecords
37✔
732

37✔
733
        if len(rt.Hops) == 0 {
37✔
734
                return fmt.Errorf("cannot amend first hop data, route length " +
×
735
                        "is zero")
×
736
        }
×
737

738
        firstHopPK := rt.Hops[0].PubKeyBytes
37✔
739

37✔
740
        // extraDataRequest is a helper struct to pass the custom records and
37✔
741
        // amount back from the traffic shaper.
37✔
742
        type extraDataRequest struct {
37✔
743
                customRecords fn.Option[lnwire.CustomRecords]
37✔
744

37✔
745
                amount fn.Option[lnwire.MilliSatoshi]
37✔
746
        }
37✔
747

37✔
748
        // If a hook exists that may affect our outgoing message, we call it now
37✔
749
        // and apply its side effects to the UpdateAddHTLC message.
37✔
750
        result, err := fn.MapOptionZ(
37✔
751
                p.router.cfg.TrafficShaper,
37✔
752
                //nolint:ll
37✔
753
                func(ts htlcswitch.AuxTrafficShaper) fn.Result[extraDataRequest] {
74✔
754
                        newAmt, newRecords, err := ts.ProduceHtlcExtraData(
37✔
755
                                rt.TotalAmount, p.firstHopCustomRecords,
37✔
756
                                firstHopPK,
37✔
757
                        )
37✔
758
                        if err != nil {
37✔
759
                                return fn.Err[extraDataRequest](err)
×
760
                        }
×
761

762
                        // Make sure we only received valid records.
763
                        if err := newRecords.Validate(); err != nil {
37✔
764
                                return fn.Err[extraDataRequest](err)
×
765
                        }
×
766

767
                        log.Debugf("Aux traffic shaper returned custom "+
37✔
768
                                "records %v and amount %d msat for HTLC",
37✔
769
                                lnutils.SpewLogClosure(newRecords), newAmt)
37✔
770

37✔
771
                        return fn.Ok(extraDataRequest{
37✔
772
                                customRecords: fn.Some(newRecords),
37✔
773
                                amount:        fn.Some(newAmt),
37✔
774
                        })
37✔
775
                },
776
        ).Unpack()
777
        if err != nil {
37✔
778
                return fmt.Errorf("traffic shaper failed to produce extra "+
×
779
                        "data: %w", err)
×
780
        }
×
781

782
        // Apply the side effects to the UpdateAddHTLC message.
783
        result.customRecords.WhenSome(func(records lnwire.CustomRecords) {
74✔
784
                rt.FirstHopWireCustomRecords = records
37✔
785
        })
37✔
786
        result.amount.WhenSome(func(amount lnwire.MilliSatoshi) {
74✔
787
                rt.FirstHopAmount = tlv.NewRecordT[tlv.TlvType0](
37✔
788
                        tlv.NewBigSizeT(amount),
37✔
789
                )
37✔
790
        })
37✔
791

792
        return nil
37✔
793
}
794

795
// failAttemptAndPayment fails both the payment and its attempt via the
796
// router's control tower, which marks the payment as failed in db.
797
func (p *paymentLifecycle) failPaymentAndAttempt(
798
        attemptID uint64, reason *paymentsdb.FailureReason,
799
        sendErr error) (*attemptResult, error) {
5✔
800

5✔
801
        log.Errorf("Payment %v failed: final_outcome=%v, raw_err=%v",
5✔
802
                p.identifier, *reason, sendErr)
5✔
803

5✔
804
        // Fail the payment via control tower.
5✔
805
        //
5✔
806
        // NOTE: we must fail the payment first before failing the attempt.
5✔
807
        // Otherwise, once the attempt is marked as failed, another goroutine
5✔
808
        // might make another attempt while we are failing the payment.
5✔
809
        err := p.router.cfg.Control.FailPayment(p.identifier, *reason)
5✔
810
        if err != nil {
5✔
811
                log.Errorf("Unable to fail payment: %v", err)
×
812
                return nil, err
×
813
        }
×
814

815
        // Fail the attempt.
816
        return p.failAttempt(attemptID, sendErr)
5✔
817
}
818

819
// handleSwitchErr inspects the given error from the Switch and determines
820
// whether we should make another payment attempt, or if it should be
821
// considered a terminal error. Terminal errors will be recorded with the
822
// control tower. It analyzes the sendErr for the payment attempt received from
823
// the switch and updates mission control and/or channel policies. Depending on
824
// the error type, the error is either the final outcome of the payment or we
825
// need to continue with an alternative route. A final outcome is indicated by
826
// a non-nil reason value.
827
func (p *paymentLifecycle) handleSwitchErr(attempt *paymentsdb.HTLCAttempt,
828
        sendErr error) (*attemptResult, error) {
23✔
829

23✔
830
        internalErrorReason := paymentsdb.FailureReasonError
23✔
831
        attemptID := attempt.AttemptID
23✔
832

23✔
833
        // reportAndFail is a helper closure that reports the failure to the
23✔
834
        // mission control, which helps us to decide whether we want to retry
23✔
835
        // the payment or not. If a non nil reason is returned from mission
23✔
836
        // control, it will further fail the payment via control tower.
23✔
837
        reportAndFail := func(srcIdx *int,
23✔
838
                msg lnwire.FailureMessage) (*attemptResult, error) {
42✔
839

19✔
840
                // Report outcome to mission control.
19✔
841
                reason, err := p.router.cfg.MissionControl.ReportPaymentFail(
19✔
842
                        attemptID, &attempt.Route, srcIdx, msg,
19✔
843
                )
19✔
844
                if err != nil {
19✔
845
                        log.Errorf("Error reporting payment result to mc: %v",
×
846
                                err)
×
847

×
848
                        reason = &internalErrorReason
×
849
                }
×
850

851
                // Fail the attempt only if there's no reason.
852
                if reason == nil {
36✔
853
                        // Fail the attempt.
17✔
854
                        return p.failAttempt(attemptID, sendErr)
17✔
855
                }
17✔
856

857
                // Otherwise fail both the payment and the attempt.
858
                return p.failPaymentAndAttempt(attemptID, reason, sendErr)
2✔
859
        }
860

861
        // If this attempt ID is unknown to the Switch, it means it was never
862
        // checkpointed and forwarded by the switch before a restart. In this
863
        // case we can safely send a new payment attempt, and wait for its
864
        // result to be available.
865
        if errors.Is(sendErr, htlcswitch.ErrPaymentIDNotFound) {
24✔
866
                log.Warnf("Failing attempt=%v for payment=%v as it's not "+
1✔
867
                        "found in the Switch", attempt.AttemptID, p.identifier)
1✔
868

1✔
869
                return p.failAttempt(attemptID, sendErr)
1✔
870
        }
1✔
871

872
        if errors.Is(sendErr, htlcswitch.ErrUnreadableFailureMessage) {
23✔
873
                log.Warn("Unreadable failure when sending htlc: id=%v, hash=%v",
1✔
874
                        attempt.AttemptID, attempt.Hash)
1✔
875

1✔
876
                // Since this error message cannot be decrypted, we will send a
1✔
877
                // nil error message to our mission controller and fail the
1✔
878
                // payment.
1✔
879
                return reportAndFail(nil, nil)
1✔
880
        }
1✔
881

882
        // If the error is a ClearTextError, we have received a valid wire
883
        // failure message, either from our own outgoing link or from a node
884
        // down the route. If the error is not related to the propagation of
885
        // our payment, we can stop trying because an internal error has
886
        // occurred.
887
        var rtErr htlcswitch.ClearTextError
21✔
888
        ok := errors.As(sendErr, &rtErr)
21✔
889
        if !ok {
24✔
890
                return p.failPaymentAndAttempt(
3✔
891
                        attemptID, &internalErrorReason, sendErr,
3✔
892
                )
3✔
893
        }
3✔
894

895
        // failureSourceIdx is the index of the node that the failure occurred
896
        // at. If the ClearTextError received is not a ForwardingError the
897
        // payment error occurred at our node, so we leave this value as 0
898
        // to indicate that the failure occurred locally. If the error is a
899
        // ForwardingError, it did not originate at our node, so we set
900
        // failureSourceIdx to the index of the node where the failure occurred.
901
        failureSourceIdx := 0
18✔
902
        var source *htlcswitch.ForwardingError
18✔
903
        ok = errors.As(rtErr, &source)
18✔
904
        if ok {
36✔
905
                failureSourceIdx = source.FailureSourceIdx
18✔
906
        }
18✔
907

908
        // Extract the wire failure and apply channel update if it contains one.
909
        // If we received an unknown failure message from a node along the
910
        // route, the failure message will be nil.
911
        failureMessage := rtErr.WireMessage()
18✔
912
        err := p.handleFailureMessage(
18✔
913
                &attempt.Route, failureSourceIdx, failureMessage,
18✔
914
        )
18✔
915
        if err != nil {
18✔
916
                return p.failPaymentAndAttempt(
×
917
                        attemptID, &internalErrorReason, sendErr,
×
918
                )
×
919
        }
×
920

921
        log.Tracef("Node=%v reported failure when sending htlc",
18✔
922
                failureSourceIdx)
18✔
923

18✔
924
        return reportAndFail(&failureSourceIdx, failureMessage)
18✔
925
}
926

927
// handleFailureMessage tries to apply a channel update present in the failure
928
// message if any.
929
func (p *paymentLifecycle) handleFailureMessage(rt *route.Route,
930
        errorSourceIdx int, failure lnwire.FailureMessage) error {
18✔
931

18✔
932
        if failure == nil {
19✔
933
                return nil
1✔
934
        }
1✔
935

936
        // It makes no sense to apply our own channel updates.
937
        if errorSourceIdx == 0 {
17✔
938
                log.Errorf("Channel update of ourselves received")
×
939

×
940
                return nil
×
941
        }
×
942

943
        // Extract channel update if the error contains one.
944
        update := p.router.extractChannelUpdate(failure)
17✔
945
        if update == nil {
26✔
946
                return nil
9✔
947
        }
9✔
948

949
        // Parse pubkey to allow validation of the channel update. This should
950
        // always succeed, otherwise there is something wrong in our
951
        // implementation. Therefore, return an error.
952
        errVertex := rt.Hops[errorSourceIdx-1].PubKeyBytes
8✔
953
        errSource, err := btcec.ParsePubKey(errVertex[:])
8✔
954
        if err != nil {
8✔
955
                log.Errorf("Cannot parse pubkey: idx=%v, pubkey=%v",
×
956
                        errorSourceIdx, errVertex)
×
957

×
958
                return err
×
959
        }
×
960

961
        var (
8✔
962
                isAdditionalEdge bool
8✔
963
                policy           *models.CachedEdgePolicy
8✔
964
        )
8✔
965

8✔
966
        // Before we apply the channel update, we need to decide whether the
8✔
967
        // update is for additional (ephemeral) edge or normal edge stored in
8✔
968
        // db.
8✔
969
        //
8✔
970
        // Note: the p.paySession might be nil here if it's called inside
8✔
971
        // SendToRoute where there's no payment lifecycle.
8✔
972
        if p.paySession != nil {
13✔
973
                policy = p.paySession.GetAdditionalEdgePolicy(
5✔
974
                        errSource, update.ShortChannelID.ToUint64(),
5✔
975
                )
5✔
976
                if policy != nil {
7✔
977
                        isAdditionalEdge = true
2✔
978
                }
2✔
979
        }
980

981
        // Apply channel update to additional edge policy.
982
        if isAdditionalEdge {
10✔
983
                if !p.paySession.UpdateAdditionalEdge(
2✔
984
                        update, errSource, policy) {
2✔
985

×
986
                        log.Debugf("Invalid channel update received: node=%v",
×
987
                                errVertex)
×
988
                }
×
989
                return nil
2✔
990
        }
991

992
        // Apply channel update to the channel edge policy in our db.
993
        if !p.router.cfg.ApplyChannelUpdate(update) {
8✔
994
                log.Debugf("Invalid channel update received: node=%v",
2✔
995
                        errVertex)
2✔
996
        }
2✔
997
        return nil
6✔
998
}
999

1000
// failAttempt calls control tower to fail the current payment attempt.
1001
func (p *paymentLifecycle) failAttempt(attemptID uint64,
1002
        sendError error) (*attemptResult, error) {
23✔
1003

23✔
1004
        log.Warnf("Attempt %v for payment %v failed: %v", attemptID,
23✔
1005
                p.identifier, sendError)
23✔
1006

23✔
1007
        failInfo := marshallError(
23✔
1008
                sendError,
23✔
1009
                p.router.cfg.Clock.Now(),
23✔
1010
        )
23✔
1011

23✔
1012
        // Now that we are failing this payment attempt, cancel the shard with
23✔
1013
        // the ShardTracker such that it can derive the correct hash for the
23✔
1014
        // next attempt.
23✔
1015
        if err := p.shardTracker.CancelShard(attemptID); err != nil {
23✔
1016
                return nil, err
×
1017
        }
×
1018

1019
        attempt, err := p.router.cfg.Control.FailAttempt(
23✔
1020
                p.identifier, attemptID, failInfo,
23✔
1021
        )
23✔
1022
        if err != nil {
27✔
1023
                return nil, err
4✔
1024
        }
4✔
1025

1026
        return &attemptResult{
19✔
1027
                attempt: attempt,
19✔
1028
                err:     sendError,
19✔
1029
        }, nil
19✔
1030
}
1031

1032
// marshallError marshall an error as received from the switch to a structure
1033
// that is suitable for database storage.
1034
func marshallError(sendError error, time time.Time) *paymentsdb.HTLCFailInfo {
23✔
1035
        response := &paymentsdb.HTLCFailInfo{
23✔
1036
                FailTime: time,
23✔
1037
        }
23✔
1038

23✔
1039
        switch {
23✔
1040
        case errors.Is(sendError, htlcswitch.ErrPaymentIDNotFound):
1✔
1041
                response.Reason = paymentsdb.HTLCFailInternal
1✔
1042
                return response
1✔
1043

1044
        case errors.Is(sendError, htlcswitch.ErrUnreadableFailureMessage):
1✔
1045
                response.Reason = paymentsdb.HTLCFailUnreadable
1✔
1046
                return response
1✔
1047
        }
1048

1049
        var rtErr htlcswitch.ClearTextError
21✔
1050
        ok := errors.As(sendError, &rtErr)
21✔
1051
        if !ok {
24✔
1052
                response.Reason = paymentsdb.HTLCFailInternal
3✔
1053
                return response
3✔
1054
        }
3✔
1055

1056
        message := rtErr.WireMessage()
18✔
1057
        if message != nil {
35✔
1058
                response.Reason = paymentsdb.HTLCFailMessage
17✔
1059
                response.Message = message
17✔
1060
        } else {
18✔
1061
                response.Reason = paymentsdb.HTLCFailUnknown
1✔
1062
        }
1✔
1063

1064
        // If the ClearTextError received is a ForwardingError, the error
1065
        // originated from a node along the route, not locally on our outgoing
1066
        // link. We set failureSourceIdx to the index of the node where the
1067
        // failure occurred. If the error is not a ForwardingError, the failure
1068
        // occurred at our node, so we leave the index as 0 to indicate that
1069
        // we failed locally.
1070
        var fErr *htlcswitch.ForwardingError
18✔
1071
        ok = errors.As(rtErr, &fErr)
18✔
1072
        if ok {
36✔
1073
                response.FailureSourceIndex = uint32(fErr.FailureSourceIdx)
18✔
1074
        }
18✔
1075

1076
        return response
18✔
1077
}
1078

1079
// patchLegacyPaymentHash will make a copy of the passed attempt and sets its
1080
// Hash field to be the payment hash if it's nil.
1081
//
1082
// NOTE: For legacy payments, which were created before the AMP feature was
1083
// enabled, the `Hash` field in their HTLC attempts is nil. In that case, we use
1084
// the payment hash as the `attempt.Hash` as they are identical.
1085
func (p *paymentLifecycle) patchLegacyPaymentHash(
1086
        a paymentsdb.HTLCAttempt) paymentsdb.HTLCAttempt {
1✔
1087

1✔
1088
        // Exit early if this is not a legacy attempt.
1✔
1089
        if a.Hash != nil {
1✔
1090
                return a
×
1091
        }
×
1092

1093
        // Log a warning if the user is still using legacy payments, which has
1094
        // weaker support.
1095
        log.Warnf("Found legacy htlc attempt %v in payment %v", a.AttemptID,
1✔
1096
                p.identifier)
1✔
1097

1✔
1098
        // Set the attempt's hash to be the payment hash, which is the payment's
1✔
1099
        // `PaymentHash`` in the `PaymentCreationInfo`. For legacy payments
1✔
1100
        // before AMP feature, the `Hash` field was not set so we use the
1✔
1101
        // payment hash instead.
1✔
1102
        //
1✔
1103
        // NOTE: During the router's startup, we have a similar logic in
1✔
1104
        // `resumePayments`, in which we will use the payment hash instead if
1✔
1105
        // the attempt's hash is nil.
1✔
1106
        a.Hash = &p.identifier
1✔
1107

1✔
1108
        return a
1✔
1109
}
1110

1111
// reloadInflightAttempts is called when the payment lifecycle is resumed after
1112
// a restart. It reloads all inflight attempts from the control tower and
1113
// collects the results of the attempts that have been sent before.
1114
func (p *paymentLifecycle) reloadInflightAttempts() (paymentsdb.DBMPPayment,
1115
        error) {
23✔
1116

23✔
1117
        payment, err := p.router.cfg.Control.FetchPayment(p.identifier)
23✔
1118
        if err != nil {
24✔
1119
                return nil, err
1✔
1120
        }
1✔
1121

1122
        for _, a := range payment.InFlightHTLCs() {
23✔
1123
                a := a
1✔
1124

1✔
1125
                log.Infof("Resuming HTLC attempt %v for payment %v",
1✔
1126
                        a.AttemptID, p.identifier)
1✔
1127

1✔
1128
                // Potentially attach the payment hash to the `Hash` field if
1✔
1129
                // it's a legacy payment.
1✔
1130
                a = p.patchLegacyPaymentHash(a)
1✔
1131

1✔
1132
                p.resultCollector(&a)
1✔
1133
        }
1✔
1134

1135
        return payment, nil
22✔
1136
}
1137

1138
// reloadPayment returns the latest payment found in the db (control tower).
1139
func (p *paymentLifecycle) reloadPayment() (paymentsdb.DBMPPayment,
1140
        *paymentsdb.MPPaymentState, error) {
68✔
1141

68✔
1142
        // Read the db to get the latest state of the payment.
68✔
1143
        payment, err := p.router.cfg.Control.FetchPayment(p.identifier)
68✔
1144
        if err != nil {
68✔
1145
                return nil, nil, err
×
1146
        }
×
1147

1148
        ps := payment.GetState()
68✔
1149
        remainingFees := p.calcFeeBudget(ps.FeesPaid)
68✔
1150

68✔
1151
        log.Debugf("Payment %v: status=%v, active_shards=%v, rem_value=%v, "+
68✔
1152
                "fee_limit=%v", p.identifier, payment.GetStatus(),
68✔
1153
                ps.NumAttemptsInFlight, ps.RemainingAmt, remainingFees)
68✔
1154

68✔
1155
        return payment, ps, nil
68✔
1156
}
1157

1158
// handleAttemptResult processes the result of an HTLC attempt returned from
1159
// the htlcswitch.
1160
func (p *paymentLifecycle) handleAttemptResult(attempt *paymentsdb.HTLCAttempt,
1161
        result *htlcswitch.PaymentResult) (*attemptResult, error) {
34✔
1162

34✔
1163
        // If the result has an error, we need to further process it by failing
34✔
1164
        // the attempt and maybe fail the payment.
34✔
1165
        if result.Error != nil {
52✔
1166
                return p.handleSwitchErr(attempt, result.Error)
18✔
1167
        }
18✔
1168

1169
        // We got an attempt settled result back from the switch.
1170
        log.Debugf("Payment(%v): attempt(%v) succeeded", p.identifier,
16✔
1171
                attempt.AttemptID)
16✔
1172

16✔
1173
        // Report success to mission control.
16✔
1174
        err := p.router.cfg.MissionControl.ReportPaymentSuccess(
16✔
1175
                attempt.AttemptID, &attempt.Route,
16✔
1176
        )
16✔
1177
        if err != nil {
16✔
1178
                log.Errorf("Error reporting payment success to mc: %v", err)
×
1179
        }
×
1180

1181
        // In case of success we atomically store settle result to the DB and
1182
        // move the shard to the settled state.
1183
        htlcAttempt, err := p.router.cfg.Control.SettleAttempt(
16✔
1184
                p.identifier, attempt.AttemptID,
16✔
1185
                &paymentsdb.HTLCSettleInfo{
16✔
1186
                        Preimage:   result.Preimage,
16✔
1187
                        SettleTime: p.router.cfg.Clock.Now(),
16✔
1188
                },
16✔
1189
        )
16✔
1190
        if err != nil {
18✔
1191
                log.Errorf("Error settling attempt %v for payment %v with "+
2✔
1192
                        "preimage %v: %v", attempt.AttemptID, p.identifier,
2✔
1193
                        result.Preimage, err)
2✔
1194

2✔
1195
                // We won't mark the attempt as failed since we already have
2✔
1196
                // the preimage.
2✔
1197
                return nil, err
2✔
1198
        }
2✔
1199

1200
        return &attemptResult{
14✔
1201
                attempt: htlcAttempt,
14✔
1202
        }, nil
14✔
1203
}
1204

1205
// collectAndHandleResult waits for the result for the given attempt to be
1206
// available from the Switch, then records the attempt outcome with the control
1207
// tower. An attemptResult is returned, indicating the final outcome of this
1208
// HTLC attempt.
1209
func (p *paymentLifecycle) collectAndHandleResult(
1210
        attempt *paymentsdb.HTLCAttempt) (*attemptResult, error) {
12✔
1211

12✔
1212
        result, err := p.collectResult(attempt)
12✔
1213
        if err != nil {
15✔
1214
                return nil, err
3✔
1215
        }
3✔
1216

1217
        return p.handleAttemptResult(attempt, result)
9✔
1218
}
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