Merge pull request #2877 from tnull/2024-02-start-rustfmt-journey
[rust-lightning] / lightning / src / blinded_path / payment.rs
1 //! Data structures and methods for constructing [`BlindedPath`]s to send a payment over.
2 //!
3 //! [`BlindedPath`]: crate::blinded_path::BlindedPath
4
5 use bitcoin::secp256k1::{self, PublicKey, Secp256k1, SecretKey};
6
7 use crate::blinded_path::BlindedHop;
8 use crate::blinded_path::utils;
9 use crate::io;
10 use crate::ln::PaymentSecret;
11 use crate::ln::channelmanager::CounterpartyForwardingInfo;
12 use crate::ln::features::BlindedHopFeatures;
13 use crate::ln::msgs::DecodeError;
14 use crate::offers::invoice::BlindedPayInfo;
15 use crate::prelude::*;
16 use crate::util::ser::{Readable, Writeable, Writer};
17
18 use core::convert::TryFrom;
19
20 /// An intermediate node, its outbound channel, and relay parameters.
21 #[derive(Clone, Debug)]
22 pub struct ForwardNode {
23         /// The TLVs for this node's [`BlindedHop`], where the fee parameters contained within are also
24         /// used for [`BlindedPayInfo`] construction.
25         pub tlvs: ForwardTlvs,
26         /// This node's pubkey.
27         pub node_id: PublicKey,
28         /// The maximum value, in msat, that may be accepted by this node.
29         pub htlc_maximum_msat: u64,
30 }
31
32 /// Data to construct a [`BlindedHop`] for forwarding a payment.
33 #[derive(Clone, Debug)]
34 pub struct ForwardTlvs {
35         /// The short channel id this payment should be forwarded out over.
36         pub short_channel_id: u64,
37         /// Payment parameters for relaying over [`Self::short_channel_id`].
38         pub payment_relay: PaymentRelay,
39         /// Payment constraints for relaying over [`Self::short_channel_id`].
40         pub payment_constraints: PaymentConstraints,
41         /// Supported and required features when relaying a payment onion containing this object's
42         /// corresponding [`BlindedHop::encrypted_payload`].
43         ///
44         /// [`BlindedHop::encrypted_payload`]: crate::blinded_path::BlindedHop::encrypted_payload
45         pub features: BlindedHopFeatures,
46 }
47
48 /// Data to construct a [`BlindedHop`] for receiving a payment. This payload is custom to LDK and
49 /// may not be valid if received by another lightning implementation.
50 #[derive(Clone, Debug)]
51 pub struct ReceiveTlvs {
52         /// Used to authenticate the sender of a payment to the receiver and tie MPP HTLCs together.
53         pub payment_secret: PaymentSecret,
54         /// Constraints for the receiver of this payment.
55         pub payment_constraints: PaymentConstraints,
56 }
57
58 /// Data to construct a [`BlindedHop`] for sending a payment over.
59 ///
60 /// [`BlindedHop`]: crate::blinded_path::BlindedHop
61 pub(crate) enum BlindedPaymentTlvs {
62         /// This blinded payment data is for a forwarding node.
63         Forward(ForwardTlvs),
64         /// This blinded payment data is for the receiving node.
65         Receive(ReceiveTlvs),
66 }
67
68 // Used to include forward and receive TLVs in the same iterator for encoding.
69 enum BlindedPaymentTlvsRef<'a> {
70         Forward(&'a ForwardTlvs),
71         Receive(&'a ReceiveTlvs),
72 }
73
74 /// Parameters for relaying over a given [`BlindedHop`].
75 ///
76 /// [`BlindedHop`]: crate::blinded_path::BlindedHop
77 #[derive(Clone, Debug)]
78 pub struct PaymentRelay {
79         /// Number of blocks subtracted from an incoming HTLC's `cltv_expiry` for this [`BlindedHop`].
80         pub cltv_expiry_delta: u16,
81         /// Liquidity fee charged (in millionths of the amount transferred) for relaying a payment over
82         /// this [`BlindedHop`], (i.e., 10,000 is 1%).
83         pub fee_proportional_millionths: u32,
84         /// Base fee charged (in millisatoshi) for relaying a payment over this [`BlindedHop`].
85         pub fee_base_msat: u32,
86 }
87
88 /// Constraints for relaying over a given [`BlindedHop`].
89 ///
90 /// [`BlindedHop`]: crate::blinded_path::BlindedHop
91 #[derive(Clone, Debug)]
92 pub struct PaymentConstraints {
93         /// The maximum total CLTV that is acceptable when relaying a payment over this [`BlindedHop`].
94         pub max_cltv_expiry: u32,
95         /// The minimum value, in msat, that may be accepted by the node corresponding to this
96         /// [`BlindedHop`].
97         pub htlc_minimum_msat: u64,
98 }
99
100 impl TryFrom<CounterpartyForwardingInfo> for PaymentRelay {
101         type Error = ();
102
103         fn try_from(info: CounterpartyForwardingInfo) -> Result<Self, ()> {
104                 let CounterpartyForwardingInfo {
105                         fee_base_msat, fee_proportional_millionths, cltv_expiry_delta
106                 } = info;
107
108                 // Avoid exposing esoteric CLTV expiry deltas
109                 let cltv_expiry_delta = match cltv_expiry_delta {
110                         0..=40 => 40,
111                         41..=80 => 80,
112                         81..=144 => 144,
113                         145..=216 => 216,
114                         _ => return Err(()),
115                 };
116
117                 Ok(Self { cltv_expiry_delta, fee_proportional_millionths, fee_base_msat })
118         }
119 }
120
121 impl Writeable for ForwardTlvs {
122         fn write<W: Writer>(&self, w: &mut W) -> Result<(), io::Error> {
123                 encode_tlv_stream!(w, {
124                         (2, self.short_channel_id, required),
125                         (10, self.payment_relay, required),
126                         (12, self.payment_constraints, required),
127                         (14, self.features, required)
128                 });
129                 Ok(())
130         }
131 }
132
133 impl Writeable for ReceiveTlvs {
134         fn write<W: Writer>(&self, w: &mut W) -> Result<(), io::Error> {
135                 encode_tlv_stream!(w, {
136                         (12, self.payment_constraints, required),
137                         (65536, self.payment_secret, required)
138                 });
139                 Ok(())
140         }
141 }
142
143 impl<'a> Writeable for BlindedPaymentTlvsRef<'a> {
144         fn write<W: Writer>(&self, w: &mut W) -> Result<(), io::Error> {
145                 // TODO: write padding
146                 match self {
147                         Self::Forward(tlvs) => tlvs.write(w)?,
148                         Self::Receive(tlvs) => tlvs.write(w)?,
149                 }
150                 Ok(())
151         }
152 }
153
154 impl Readable for BlindedPaymentTlvs {
155         fn read<R: io::Read>(r: &mut R) -> Result<Self, DecodeError> {
156                 _init_and_read_tlv_stream!(r, {
157                         (1, _padding, option),
158                         (2, scid, option),
159                         (10, payment_relay, option),
160                         (12, payment_constraints, required),
161                         (14, features, option),
162                         (65536, payment_secret, option),
163                 });
164                 let _padding: Option<utils::Padding> = _padding;
165
166                 if let Some(short_channel_id) = scid {
167                         if payment_secret.is_some() { return Err(DecodeError::InvalidValue) }
168                         Ok(BlindedPaymentTlvs::Forward(ForwardTlvs {
169                                 short_channel_id,
170                                 payment_relay: payment_relay.ok_or(DecodeError::InvalidValue)?,
171                                 payment_constraints: payment_constraints.0.unwrap(),
172                                 features: features.ok_or(DecodeError::InvalidValue)?,
173                         }))
174                 } else {
175                         if payment_relay.is_some() || features.is_some() { return Err(DecodeError::InvalidValue) }
176                         Ok(BlindedPaymentTlvs::Receive(ReceiveTlvs {
177                                 payment_secret: payment_secret.ok_or(DecodeError::InvalidValue)?,
178                                 payment_constraints: payment_constraints.0.unwrap(),
179                         }))
180                 }
181         }
182 }
183
184 /// Construct blinded payment hops for the given `intermediate_nodes` and payee info.
185 pub(super) fn blinded_hops<T: secp256k1::Signing + secp256k1::Verification>(
186         secp_ctx: &Secp256k1<T>, intermediate_nodes: &[ForwardNode],
187         payee_node_id: PublicKey, payee_tlvs: ReceiveTlvs, session_priv: &SecretKey
188 ) -> Result<Vec<BlindedHop>, secp256k1::Error> {
189         let pks = intermediate_nodes.iter().map(|node| &node.node_id)
190                 .chain(core::iter::once(&payee_node_id));
191         let tlvs = intermediate_nodes.iter().map(|node| BlindedPaymentTlvsRef::Forward(&node.tlvs))
192                 .chain(core::iter::once(BlindedPaymentTlvsRef::Receive(&payee_tlvs)));
193         utils::construct_blinded_hops(secp_ctx, pks, tlvs, session_priv)
194 }
195
196 /// `None` if underflow occurs.
197 pub(crate) fn amt_to_forward_msat(inbound_amt_msat: u64, payment_relay: &PaymentRelay) -> Option<u64> {
198         let inbound_amt = inbound_amt_msat as u128;
199         let base = payment_relay.fee_base_msat as u128;
200         let prop = payment_relay.fee_proportional_millionths as u128;
201
202         let post_base_fee_inbound_amt =
203                 if let Some(amt) = inbound_amt.checked_sub(base) { amt } else { return None };
204         let mut amt_to_forward =
205                 (post_base_fee_inbound_amt * 1_000_000 + 1_000_000 + prop - 1) / (prop + 1_000_000);
206
207         let fee = ((amt_to_forward * prop) / 1_000_000) + base;
208         if inbound_amt - fee < amt_to_forward {
209                 // Rounding up the forwarded amount resulted in underpaying this node, so take an extra 1 msat
210                 // in fee to compensate.
211                 amt_to_forward -= 1;
212         }
213         debug_assert_eq!(amt_to_forward + fee, inbound_amt);
214         u64::try_from(amt_to_forward).ok()
215 }
216
217 pub(super) fn compute_payinfo(
218         intermediate_nodes: &[ForwardNode], payee_tlvs: &ReceiveTlvs, payee_htlc_maximum_msat: u64,
219         min_final_cltv_expiry_delta: u16
220 ) -> Result<BlindedPayInfo, ()> {
221         let mut curr_base_fee: u64 = 0;
222         let mut curr_prop_mil: u64 = 0;
223         let mut cltv_expiry_delta: u16 = min_final_cltv_expiry_delta;
224         for tlvs in intermediate_nodes.iter().rev().map(|n| &n.tlvs) {
225                 // In the future, we'll want to take the intersection of all supported features for the
226                 // `BlindedPayInfo`, but there are no features in that context right now.
227                 if tlvs.features.requires_unknown_bits_from(&BlindedHopFeatures::empty()) { return Err(()) }
228
229                 let next_base_fee = tlvs.payment_relay.fee_base_msat as u64;
230                 let next_prop_mil = tlvs.payment_relay.fee_proportional_millionths as u64;
231                 // Use integer arithmetic to compute `ceil(a/b)` as `(a+b-1)/b`
232                 // ((curr_base_fee * (1_000_000 + next_prop_mil)) / 1_000_000) + next_base_fee
233                 curr_base_fee = curr_base_fee.checked_mul(1_000_000 + next_prop_mil)
234                         .and_then(|f| f.checked_add(1_000_000 - 1))
235                         .map(|f| f / 1_000_000)
236                         .and_then(|f| f.checked_add(next_base_fee))
237                         .ok_or(())?;
238                 // ceil(((curr_prop_mil + 1_000_000) * (next_prop_mil + 1_000_000)) / 1_000_000) - 1_000_000
239                 curr_prop_mil = curr_prop_mil.checked_add(1_000_000)
240                         .and_then(|f1| next_prop_mil.checked_add(1_000_000).and_then(|f2| f2.checked_mul(f1)))
241                         .and_then(|f| f.checked_add(1_000_000 - 1))
242                         .map(|f| f / 1_000_000)
243                         .and_then(|f| f.checked_sub(1_000_000))
244                         .ok_or(())?;
245
246                 cltv_expiry_delta = cltv_expiry_delta.checked_add(tlvs.payment_relay.cltv_expiry_delta).ok_or(())?;
247         }
248
249         let mut htlc_minimum_msat: u64 = 1;
250         let mut htlc_maximum_msat: u64 = 21_000_000 * 100_000_000 * 1_000; // Total bitcoin supply
251         for node in intermediate_nodes.iter() {
252                 // The min htlc for an intermediate node is that node's min minus the fees charged by all of the
253                 // following hops for forwarding that min, since that fee amount will automatically be included
254                 // in the amount that this node receives and contribute towards reaching its min.
255                 htlc_minimum_msat = amt_to_forward_msat(
256                         core::cmp::max(node.tlvs.payment_constraints.htlc_minimum_msat, htlc_minimum_msat),
257                         &node.tlvs.payment_relay
258                 ).unwrap_or(1); // If underflow occurs, we definitely reached this node's min
259                 htlc_maximum_msat = amt_to_forward_msat(
260                         core::cmp::min(node.htlc_maximum_msat, htlc_maximum_msat), &node.tlvs.payment_relay
261                 ).ok_or(())?; // If underflow occurs, we cannot send to this hop without exceeding their max
262         }
263         htlc_minimum_msat = core::cmp::max(
264                 payee_tlvs.payment_constraints.htlc_minimum_msat, htlc_minimum_msat
265         );
266         htlc_maximum_msat = core::cmp::min(payee_htlc_maximum_msat, htlc_maximum_msat);
267
268         if htlc_maximum_msat < htlc_minimum_msat { return Err(()) }
269         Ok(BlindedPayInfo {
270                 fee_base_msat: u32::try_from(curr_base_fee).map_err(|_| ())?,
271                 fee_proportional_millionths: u32::try_from(curr_prop_mil).map_err(|_| ())?,
272                 cltv_expiry_delta,
273                 htlc_minimum_msat,
274                 htlc_maximum_msat,
275                 features: BlindedHopFeatures::empty(),
276         })
277 }
278
279 impl_writeable_msg!(PaymentRelay, {
280         cltv_expiry_delta,
281         fee_proportional_millionths,
282         fee_base_msat
283 }, {});
284
285 impl_writeable_msg!(PaymentConstraints, {
286         max_cltv_expiry,
287         htlc_minimum_msat
288 }, {});
289
290 #[cfg(test)]
291 mod tests {
292         use bitcoin::secp256k1::PublicKey;
293         use crate::blinded_path::payment::{ForwardNode, ForwardTlvs, ReceiveTlvs, PaymentConstraints, PaymentRelay};
294         use crate::ln::PaymentSecret;
295         use crate::ln::features::BlindedHopFeatures;
296         use crate::ln::functional_test_utils::TEST_FINAL_CLTV;
297
298         #[test]
299         fn compute_payinfo() {
300                 // Taken from the spec example for aggregating blinded payment info. See
301                 // https://github.com/lightning/bolts/blob/master/proposals/route-blinding.md#blinded-payments
302                 let dummy_pk = PublicKey::from_slice(&[2; 33]).unwrap();
303                 let intermediate_nodes = vec![ForwardNode {
304                         node_id: dummy_pk,
305                         tlvs: ForwardTlvs {
306                                 short_channel_id: 0,
307                                 payment_relay: PaymentRelay {
308                                         cltv_expiry_delta: 144,
309                                         fee_proportional_millionths: 500,
310                                         fee_base_msat: 100,
311                                 },
312                                 payment_constraints: PaymentConstraints {
313                                         max_cltv_expiry: 0,
314                                         htlc_minimum_msat: 100,
315                                 },
316                                 features: BlindedHopFeatures::empty(),
317                         },
318                         htlc_maximum_msat: u64::max_value(),
319                 }, ForwardNode {
320                         node_id: dummy_pk,
321                         tlvs: ForwardTlvs {
322                                 short_channel_id: 0,
323                                 payment_relay: PaymentRelay {
324                                         cltv_expiry_delta: 144,
325                                         fee_proportional_millionths: 500,
326                                         fee_base_msat: 100,
327                                 },
328                                 payment_constraints: PaymentConstraints {
329                                         max_cltv_expiry: 0,
330                                         htlc_minimum_msat: 1_000,
331                                 },
332                                 features: BlindedHopFeatures::empty(),
333                         },
334                         htlc_maximum_msat: u64::max_value(),
335                 }];
336                 let recv_tlvs = ReceiveTlvs {
337                         payment_secret: PaymentSecret([0; 32]),
338                         payment_constraints: PaymentConstraints {
339                                 max_cltv_expiry: 0,
340                                 htlc_minimum_msat: 1,
341                         },
342                 };
343                 let htlc_maximum_msat = 100_000;
344                 let blinded_payinfo = super::compute_payinfo(&intermediate_nodes[..], &recv_tlvs, htlc_maximum_msat, 12).unwrap();
345                 assert_eq!(blinded_payinfo.fee_base_msat, 201);
346                 assert_eq!(blinded_payinfo.fee_proportional_millionths, 1001);
347                 assert_eq!(blinded_payinfo.cltv_expiry_delta, 300);
348                 assert_eq!(blinded_payinfo.htlc_minimum_msat, 900);
349                 assert_eq!(blinded_payinfo.htlc_maximum_msat, htlc_maximum_msat);
350         }
351
352         #[test]
353         fn compute_payinfo_1_hop() {
354                 let recv_tlvs = ReceiveTlvs {
355                         payment_secret: PaymentSecret([0; 32]),
356                         payment_constraints: PaymentConstraints {
357                                 max_cltv_expiry: 0,
358                                 htlc_minimum_msat: 1,
359                         },
360                 };
361                 let blinded_payinfo = super::compute_payinfo(&[], &recv_tlvs, 4242, TEST_FINAL_CLTV as u16).unwrap();
362                 assert_eq!(blinded_payinfo.fee_base_msat, 0);
363                 assert_eq!(blinded_payinfo.fee_proportional_millionths, 0);
364                 assert_eq!(blinded_payinfo.cltv_expiry_delta, TEST_FINAL_CLTV as u16);
365                 assert_eq!(blinded_payinfo.htlc_minimum_msat, 1);
366                 assert_eq!(blinded_payinfo.htlc_maximum_msat, 4242);
367         }
368
369         #[test]
370         fn simple_aggregated_htlc_min() {
371                 // If no hops charge fees, the htlc_minimum_msat should just be the maximum htlc_minimum_msat
372                 // along the path.
373                 let dummy_pk = PublicKey::from_slice(&[2; 33]).unwrap();
374                 let intermediate_nodes = vec![ForwardNode {
375                         node_id: dummy_pk,
376                         tlvs: ForwardTlvs {
377                                 short_channel_id: 0,
378                                 payment_relay: PaymentRelay {
379                                         cltv_expiry_delta: 0,
380                                         fee_proportional_millionths: 0,
381                                         fee_base_msat: 0,
382                                 },
383                                 payment_constraints: PaymentConstraints {
384                                         max_cltv_expiry: 0,
385                                         htlc_minimum_msat: 1,
386                                 },
387                                 features: BlindedHopFeatures::empty(),
388                         },
389                         htlc_maximum_msat: u64::max_value()
390                 }, ForwardNode {
391                         node_id: dummy_pk,
392                         tlvs: ForwardTlvs {
393                                 short_channel_id: 0,
394                                 payment_relay: PaymentRelay {
395                                         cltv_expiry_delta: 0,
396                                         fee_proportional_millionths: 0,
397                                         fee_base_msat: 0,
398                                 },
399                                 payment_constraints: PaymentConstraints {
400                                         max_cltv_expiry: 0,
401                                         htlc_minimum_msat: 2_000,
402                                 },
403                                 features: BlindedHopFeatures::empty(),
404                         },
405                         htlc_maximum_msat: u64::max_value()
406                 }];
407                 let recv_tlvs = ReceiveTlvs {
408                         payment_secret: PaymentSecret([0; 32]),
409                         payment_constraints: PaymentConstraints {
410                                 max_cltv_expiry: 0,
411                                 htlc_minimum_msat: 3,
412                         },
413                 };
414                 let htlc_maximum_msat = 100_000;
415                 let blinded_payinfo = super::compute_payinfo(&intermediate_nodes[..], &recv_tlvs, htlc_maximum_msat, TEST_FINAL_CLTV as u16).unwrap();
416                 assert_eq!(blinded_payinfo.htlc_minimum_msat, 2_000);
417         }
418
419         #[test]
420         fn aggregated_htlc_min() {
421                 // Create a path with varying fees and htlc_mins, and make sure htlc_minimum_msat ends up as the
422                 // max (htlc_min - following_fees) along the path.
423                 let dummy_pk = PublicKey::from_slice(&[2; 33]).unwrap();
424                 let intermediate_nodes = vec![ForwardNode {
425                         node_id: dummy_pk,
426                         tlvs: ForwardTlvs {
427                                 short_channel_id: 0,
428                                 payment_relay: PaymentRelay {
429                                         cltv_expiry_delta: 0,
430                                         fee_proportional_millionths: 500,
431                                         fee_base_msat: 1_000,
432                                 },
433                                 payment_constraints: PaymentConstraints {
434                                         max_cltv_expiry: 0,
435                                         htlc_minimum_msat: 5_000,
436                                 },
437                                 features: BlindedHopFeatures::empty(),
438                         },
439                         htlc_maximum_msat: u64::max_value()
440                 }, ForwardNode {
441                         node_id: dummy_pk,
442                         tlvs: ForwardTlvs {
443                                 short_channel_id: 0,
444                                 payment_relay: PaymentRelay {
445                                         cltv_expiry_delta: 0,
446                                         fee_proportional_millionths: 500,
447                                         fee_base_msat: 200,
448                                 },
449                                 payment_constraints: PaymentConstraints {
450                                         max_cltv_expiry: 0,
451                                         htlc_minimum_msat: 2_000,
452                                 },
453                                 features: BlindedHopFeatures::empty(),
454                         },
455                         htlc_maximum_msat: u64::max_value()
456                 }];
457                 let recv_tlvs = ReceiveTlvs {
458                         payment_secret: PaymentSecret([0; 32]),
459                         payment_constraints: PaymentConstraints {
460                                 max_cltv_expiry: 0,
461                                 htlc_minimum_msat: 1,
462                         },
463                 };
464                 let htlc_minimum_msat = 3798;
465                 assert!(super::compute_payinfo(&intermediate_nodes[..], &recv_tlvs, htlc_minimum_msat - 1, TEST_FINAL_CLTV as u16).is_err());
466
467                 let htlc_maximum_msat = htlc_minimum_msat + 1;
468                 let blinded_payinfo = super::compute_payinfo(&intermediate_nodes[..], &recv_tlvs, htlc_maximum_msat, TEST_FINAL_CLTV as u16).unwrap();
469                 assert_eq!(blinded_payinfo.htlc_minimum_msat, htlc_minimum_msat);
470                 assert_eq!(blinded_payinfo.htlc_maximum_msat, htlc_maximum_msat);
471         }
472
473         #[test]
474         fn aggregated_htlc_max() {
475                 // Create a path with varying fees and `htlc_maximum_msat`s, and make sure the aggregated max
476                 // htlc ends up as the min (htlc_max - following_fees) along the path.
477                 let dummy_pk = PublicKey::from_slice(&[2; 33]).unwrap();
478                 let intermediate_nodes = vec![ForwardNode {
479                         node_id: dummy_pk,
480                         tlvs: ForwardTlvs {
481                                 short_channel_id: 0,
482                                 payment_relay: PaymentRelay {
483                                         cltv_expiry_delta: 0,
484                                         fee_proportional_millionths: 500,
485                                         fee_base_msat: 1_000,
486                                 },
487                                 payment_constraints: PaymentConstraints {
488                                         max_cltv_expiry: 0,
489                                         htlc_minimum_msat: 1,
490                                 },
491                                 features: BlindedHopFeatures::empty(),
492                         },
493                         htlc_maximum_msat: 5_000,
494                 }, ForwardNode {
495                         node_id: dummy_pk,
496                         tlvs: ForwardTlvs {
497                                 short_channel_id: 0,
498                                 payment_relay: PaymentRelay {
499                                         cltv_expiry_delta: 0,
500                                         fee_proportional_millionths: 500,
501                                         fee_base_msat: 1,
502                                 },
503                                 payment_constraints: PaymentConstraints {
504                                         max_cltv_expiry: 0,
505                                         htlc_minimum_msat: 1,
506                                 },
507                                 features: BlindedHopFeatures::empty(),
508                         },
509                         htlc_maximum_msat: 10_000
510                 }];
511                 let recv_tlvs = ReceiveTlvs {
512                         payment_secret: PaymentSecret([0; 32]),
513                         payment_constraints: PaymentConstraints {
514                                 max_cltv_expiry: 0,
515                                 htlc_minimum_msat: 1,
516                         },
517                 };
518
519                 let blinded_payinfo = super::compute_payinfo(&intermediate_nodes[..], &recv_tlvs, 10_000, TEST_FINAL_CLTV as u16).unwrap();
520                 assert_eq!(blinded_payinfo.htlc_maximum_msat, 3997);
521         }
522 }