BOLT 12 invoice: extract helper for invoice signing pubkey checks
[rust-lightning] / lightning / src / offers / invoice.rs
1     // This file is Copyright its original authors, visible in version control
2 // history.
3 //
4 // This file is licensed under the Apache License, Version 2.0 <LICENSE-APACHE
5 // or http://www.apache.org/licenses/LICENSE-2.0> or the MIT license
6 // <LICENSE-MIT or http://opensource.org/licenses/MIT>, at your option.
7 // You may not use this file except in accordance with one or both of these
8 // licenses.
9
10 //! Data structures and encoding for `invoice` messages.
11 //!
12 //! A [`Bolt12Invoice`] can be built from a parsed [`InvoiceRequest`] for the "offer to be paid"
13 //! flow or from a [`Refund`] as an "offer for money" flow. The expected recipient of the payment
14 //! then sends the invoice to the intended payer, who will then pay it.
15 //!
16 //! The payment recipient must include a [`PaymentHash`], so as to reveal the preimage upon payment
17 //! receipt, and one or more [`BlindedPath`]s for the payer to use when sending the payment.
18 //!
19 //! ```
20 //! extern crate bitcoin;
21 //! extern crate lightning;
22 //!
23 //! use bitcoin::hashes::Hash;
24 //! use bitcoin::secp256k1::{Keypair, PublicKey, Secp256k1, SecretKey};
25 //! use core::convert::TryFrom;
26 //! use lightning::offers::invoice::UnsignedBolt12Invoice;
27 //! use lightning::offers::invoice_request::InvoiceRequest;
28 //! use lightning::offers::refund::Refund;
29 //! use lightning::util::ser::Writeable;
30 //!
31 //! # use lightning::ln::types::PaymentHash;
32 //! # use lightning::offers::invoice::{BlindedPayInfo, ExplicitSigningPubkey, InvoiceBuilder};
33 //! # use lightning::blinded_path::BlindedPath;
34 //! #
35 //! # fn create_payment_paths() -> Vec<(BlindedPayInfo, BlindedPath)> { unimplemented!() }
36 //! # fn create_payment_hash() -> PaymentHash { unimplemented!() }
37 //! #
38 //! # fn parse_invoice_request(bytes: Vec<u8>) -> Result<(), lightning::offers::parse::Bolt12ParseError> {
39 //! let payment_paths = create_payment_paths();
40 //! let payment_hash = create_payment_hash();
41 //! let secp_ctx = Secp256k1::new();
42 //! let keys = Keypair::from_secret_key(&secp_ctx, &SecretKey::from_slice(&[42; 32])?);
43 //! let pubkey = PublicKey::from(keys);
44 //! let wpubkey_hash = bitcoin::key::PublicKey::new(pubkey).wpubkey_hash().unwrap();
45 //! let mut buffer = Vec::new();
46 //!
47 //! // Invoice for the "offer to be paid" flow.
48 //! # <InvoiceBuilder<ExplicitSigningPubkey>>::from(
49 //! InvoiceRequest::try_from(bytes)?
50 #![cfg_attr(feature = "std", doc = "
51     .respond_with(payment_paths, payment_hash)?
52 ")]
53 #![cfg_attr(not(feature = "std"), doc = "
54     .respond_with_no_std(payment_paths, payment_hash, core::time::Duration::from_secs(0))?
55 ")]
56 //! # )
57 //!     .relative_expiry(3600)
58 //!     .allow_mpp()
59 //!     .fallback_v0_p2wpkh(&wpubkey_hash)
60 //!     .build()?
61 //!     .sign(|message: &UnsignedBolt12Invoice|
62 //!         Ok(secp_ctx.sign_schnorr_no_aux_rand(message.as_ref().as_digest(), &keys))
63 //!     )
64 //!     .expect("failed verifying signature")
65 //!     .write(&mut buffer)
66 //!     .unwrap();
67 //! # Ok(())
68 //! # }
69 //!
70 //! # fn parse_refund(bytes: Vec<u8>) -> Result<(), lightning::offers::parse::Bolt12ParseError> {
71 //! # let payment_paths = create_payment_paths();
72 //! # let payment_hash = create_payment_hash();
73 //! # let secp_ctx = Secp256k1::new();
74 //! # let keys = Keypair::from_secret_key(&secp_ctx, &SecretKey::from_slice(&[42; 32])?);
75 //! # let pubkey = PublicKey::from(keys);
76 //! # let wpubkey_hash = bitcoin::key::PublicKey::new(pubkey).wpubkey_hash().unwrap();
77 //! # let mut buffer = Vec::new();
78 //!
79 //! // Invoice for the "offer for money" flow.
80 //! # <InvoiceBuilder<ExplicitSigningPubkey>>::from(
81 //! "lnr1qcp4256ypq"
82 //!     .parse::<Refund>()?
83 #![cfg_attr(feature = "std", doc = "
84     .respond_with(payment_paths, payment_hash, pubkey)?
85 ")]
86 #![cfg_attr(not(feature = "std"), doc = "
87     .respond_with_no_std(payment_paths, payment_hash, pubkey, core::time::Duration::from_secs(0))?
88 ")]
89 //! # )
90 //!     .relative_expiry(3600)
91 //!     .allow_mpp()
92 //!     .fallback_v0_p2wpkh(&wpubkey_hash)
93 //!     .build()?
94 //!     .sign(|message: &UnsignedBolt12Invoice|
95 //!         Ok(secp_ctx.sign_schnorr_no_aux_rand(message.as_ref().as_digest(), &keys))
96 //!     )
97 //!     .expect("failed verifying signature")
98 //!     .write(&mut buffer)
99 //!     .unwrap();
100 //! # Ok(())
101 //! # }
102 //!
103 //! ```
104
105 use bitcoin::{WitnessProgram, Network, WitnessVersion};
106 use bitcoin::blockdata::constants::ChainHash;
107 use bitcoin::secp256k1::{Keypair, PublicKey, Secp256k1, self};
108 use bitcoin::secp256k1::schnorr::Signature;
109 use bitcoin::address::{Address, Payload};
110 use core::time::Duration;
111 use core::hash::{Hash, Hasher};
112 use crate::io;
113 use crate::blinded_path::BlindedPath;
114 use crate::ln::types::PaymentHash;
115 use crate::ln::channelmanager::PaymentId;
116 use crate::ln::features::{BlindedHopFeatures, Bolt12InvoiceFeatures, InvoiceRequestFeatures, OfferFeatures};
117 use crate::ln::inbound_payment::ExpandedKey;
118 use crate::ln::msgs::DecodeError;
119 use crate::offers::invoice_macros::{invoice_accessors_common, invoice_builder_methods_common};
120 use crate::offers::invoice_request::{INVOICE_REQUEST_PAYER_ID_TYPE, INVOICE_REQUEST_TYPES, IV_BYTES as INVOICE_REQUEST_IV_BYTES, InvoiceRequest, InvoiceRequestContents, InvoiceRequestTlvStream, InvoiceRequestTlvStreamRef};
121 use crate::offers::merkle::{SignError, SignFn, SignatureTlvStream, SignatureTlvStreamRef, TaggedHash, TlvStream, WithoutSignatures, self};
122 use crate::offers::offer::{Amount, OFFER_TYPES, OfferTlvStream, OfferTlvStreamRef, Quantity};
123 use crate::offers::parse::{Bolt12ParseError, Bolt12SemanticError, ParsedMessage};
124 use crate::offers::payer::{PAYER_METADATA_TYPE, PayerTlvStream, PayerTlvStreamRef};
125 use crate::offers::refund::{IV_BYTES as REFUND_IV_BYTES, Refund, RefundContents};
126 use crate::offers::signer;
127 use crate::util::ser::{HighZeroBytesDroppedBigSize, Iterable, SeekReadable, WithoutLength, Writeable, Writer};
128 use crate::util::string::PrintableString;
129
130 #[allow(unused_imports)]
131 use crate::prelude::*;
132
133 #[cfg(feature = "std")]
134 use std::time::SystemTime;
135
136 pub(crate) const DEFAULT_RELATIVE_EXPIRY: Duration = Duration::from_secs(7200);
137
138 /// Tag for the hash function used when signing a [`Bolt12Invoice`]'s merkle root.
139 pub const SIGNATURE_TAG: &'static str = concat!("lightning", "invoice", "signature");
140
141 /// Builds a [`Bolt12Invoice`] from either:
142 /// - an [`InvoiceRequest`] for the "offer to be paid" flow or
143 /// - a [`Refund`] for the "offer for money" flow.
144 ///
145 /// See [module-level documentation] for usage.
146 ///
147 /// This is not exported to bindings users as builder patterns don't map outside of move semantics.
148 ///
149 /// [`InvoiceRequest`]: crate::offers::invoice_request::InvoiceRequest
150 /// [`Refund`]: crate::offers::refund::Refund
151 /// [module-level documentation]: self
152 pub struct InvoiceBuilder<'a, S: SigningPubkeyStrategy> {
153         invreq_bytes: &'a Vec<u8>,
154         invoice: InvoiceContents,
155         signing_pubkey_strategy: S,
156 }
157
158 /// Builds a [`Bolt12Invoice`] from either:
159 /// - an [`InvoiceRequest`] for the "offer to be paid" flow or
160 /// - a [`Refund`] for the "offer for money" flow.
161 ///
162 /// See [module-level documentation] for usage.
163 ///
164 /// [`InvoiceRequest`]: crate::offers::invoice_request::InvoiceRequest
165 /// [`Refund`]: crate::offers::refund::Refund
166 /// [module-level documentation]: self
167 #[cfg(c_bindings)]
168 pub struct InvoiceWithExplicitSigningPubkeyBuilder<'a> {
169         invreq_bytes: &'a Vec<u8>,
170         invoice: InvoiceContents,
171         signing_pubkey_strategy: ExplicitSigningPubkey,
172 }
173
174 /// Builds a [`Bolt12Invoice`] from either:
175 /// - an [`InvoiceRequest`] for the "offer to be paid" flow or
176 /// - a [`Refund`] for the "offer for money" flow.
177 ///
178 /// See [module-level documentation] for usage.
179 ///
180 /// [`InvoiceRequest`]: crate::offers::invoice_request::InvoiceRequest
181 /// [`Refund`]: crate::offers::refund::Refund
182 /// [module-level documentation]: self
183 #[cfg(c_bindings)]
184 pub struct InvoiceWithDerivedSigningPubkeyBuilder<'a> {
185         invreq_bytes: &'a Vec<u8>,
186         invoice: InvoiceContents,
187         signing_pubkey_strategy: DerivedSigningPubkey,
188 }
189
190 /// Indicates how [`Bolt12Invoice::signing_pubkey`] was set.
191 ///
192 /// This is not exported to bindings users as builder patterns don't map outside of move semantics.
193 pub trait SigningPubkeyStrategy {}
194
195 /// [`Bolt12Invoice::signing_pubkey`] was explicitly set.
196 ///
197 /// This is not exported to bindings users as builder patterns don't map outside of move semantics.
198 pub struct ExplicitSigningPubkey {}
199
200 /// [`Bolt12Invoice::signing_pubkey`] was derived.
201 ///
202 /// This is not exported to bindings users as builder patterns don't map outside of move semantics.
203 pub struct DerivedSigningPubkey(pub(super) Keypair);
204
205 impl SigningPubkeyStrategy for ExplicitSigningPubkey {}
206 impl SigningPubkeyStrategy for DerivedSigningPubkey {}
207
208 macro_rules! invoice_explicit_signing_pubkey_builder_methods { ($self: ident, $self_type: ty) => {
209         #[cfg_attr(c_bindings, allow(dead_code))]
210         pub(super) fn for_offer(
211                 invoice_request: &'a InvoiceRequest, payment_paths: Vec<(BlindedPayInfo, BlindedPath)>,
212                 created_at: Duration, payment_hash: PaymentHash, signing_pubkey: PublicKey
213         ) -> Result<Self, Bolt12SemanticError> {
214                 let amount_msats = Self::amount_msats(invoice_request)?;
215                 let contents = InvoiceContents::ForOffer {
216                         invoice_request: invoice_request.contents.clone(),
217                         fields: Self::fields(
218                                 payment_paths, created_at, payment_hash, amount_msats, signing_pubkey
219                         ),
220                 };
221
222                 Self::new(&invoice_request.bytes, contents, ExplicitSigningPubkey {})
223         }
224
225         #[cfg_attr(c_bindings, allow(dead_code))]
226         pub(super) fn for_refund(
227                 refund: &'a Refund, payment_paths: Vec<(BlindedPayInfo, BlindedPath)>, created_at: Duration,
228                 payment_hash: PaymentHash, signing_pubkey: PublicKey
229         ) -> Result<Self, Bolt12SemanticError> {
230                 let amount_msats = refund.amount_msats();
231                 let contents = InvoiceContents::ForRefund {
232                         refund: refund.contents.clone(),
233                         fields: Self::fields(
234                                 payment_paths, created_at, payment_hash, amount_msats, signing_pubkey
235                         ),
236                 };
237
238                 Self::new(&refund.bytes, contents, ExplicitSigningPubkey {})
239         }
240
241         /// Builds an unsigned [`Bolt12Invoice`] after checking for valid semantics. It can be signed by
242         /// [`UnsignedBolt12Invoice::sign`].
243         pub fn build($self: $self_type) -> Result<UnsignedBolt12Invoice, Bolt12SemanticError> {
244                 #[cfg(feature = "std")] {
245                         if $self.invoice.is_offer_or_refund_expired() {
246                                 return Err(Bolt12SemanticError::AlreadyExpired);
247                         }
248                 }
249
250                 #[cfg(not(feature = "std"))] {
251                         if $self.invoice.is_offer_or_refund_expired_no_std($self.invoice.created_at()) {
252                                 return Err(Bolt12SemanticError::AlreadyExpired);
253                         }
254                 }
255
256                 let Self { invreq_bytes, invoice, .. } = $self;
257                 #[cfg(not(c_bindings))] {
258                         Ok(UnsignedBolt12Invoice::new(invreq_bytes, invoice))
259                 }
260                 #[cfg(c_bindings)] {
261                         Ok(UnsignedBolt12Invoice::new(invreq_bytes, invoice.clone()))
262                 }
263         }
264 } }
265
266 macro_rules! invoice_derived_signing_pubkey_builder_methods { ($self: ident, $self_type: ty) => {
267         #[cfg_attr(c_bindings, allow(dead_code))]
268         pub(super) fn for_offer_using_keys(
269                 invoice_request: &'a InvoiceRequest, payment_paths: Vec<(BlindedPayInfo, BlindedPath)>,
270                 created_at: Duration, payment_hash: PaymentHash, keys: Keypair
271         ) -> Result<Self, Bolt12SemanticError> {
272                 let amount_msats = Self::amount_msats(invoice_request)?;
273                 let signing_pubkey = keys.public_key();
274                 let contents = InvoiceContents::ForOffer {
275                         invoice_request: invoice_request.contents.clone(),
276                         fields: Self::fields(
277                                 payment_paths, created_at, payment_hash, amount_msats, signing_pubkey
278                         ),
279                 };
280
281                 Self::new(&invoice_request.bytes, contents, DerivedSigningPubkey(keys))
282         }
283
284         #[cfg_attr(c_bindings, allow(dead_code))]
285         pub(super) fn for_refund_using_keys(
286                 refund: &'a Refund, payment_paths: Vec<(BlindedPayInfo, BlindedPath)>, created_at: Duration,
287                 payment_hash: PaymentHash, keys: Keypair,
288         ) -> Result<Self, Bolt12SemanticError> {
289                 let amount_msats = refund.amount_msats();
290                 let signing_pubkey = keys.public_key();
291                 let contents = InvoiceContents::ForRefund {
292                         refund: refund.contents.clone(),
293                         fields: Self::fields(
294                                 payment_paths, created_at, payment_hash, amount_msats, signing_pubkey
295                         ),
296                 };
297
298                 Self::new(&refund.bytes, contents, DerivedSigningPubkey(keys))
299         }
300
301         /// Builds a signed [`Bolt12Invoice`] after checking for valid semantics.
302         pub fn build_and_sign<T: secp256k1::Signing>(
303                 $self: $self_type, secp_ctx: &Secp256k1<T>
304         ) -> Result<Bolt12Invoice, Bolt12SemanticError> {
305                 #[cfg(feature = "std")] {
306                         if $self.invoice.is_offer_or_refund_expired() {
307                                 return Err(Bolt12SemanticError::AlreadyExpired);
308                         }
309                 }
310
311                 #[cfg(not(feature = "std"))] {
312                         if $self.invoice.is_offer_or_refund_expired_no_std($self.invoice.created_at()) {
313                                 return Err(Bolt12SemanticError::AlreadyExpired);
314                         }
315                 }
316
317                 let Self {
318                         invreq_bytes, invoice, signing_pubkey_strategy: DerivedSigningPubkey(keys)
319                 } = $self;
320                 #[cfg(not(c_bindings))]
321                 let unsigned_invoice = UnsignedBolt12Invoice::new(invreq_bytes, invoice);
322                 #[cfg(c_bindings)]
323                 let mut unsigned_invoice = UnsignedBolt12Invoice::new(invreq_bytes, invoice.clone());
324
325                 let invoice = unsigned_invoice
326                         .sign(|message: &UnsignedBolt12Invoice|
327                                 Ok(secp_ctx.sign_schnorr_no_aux_rand(message.as_ref().as_digest(), &keys))
328                         )
329                         .unwrap();
330                 Ok(invoice)
331         }
332 } }
333
334 macro_rules! invoice_builder_methods { (
335         $self: ident, $self_type: ty, $return_type: ty, $return_value: expr, $type_param: ty $(, $self_mut: tt)?
336 ) => {
337         pub(crate) fn amount_msats(
338                 invoice_request: &InvoiceRequest
339         ) -> Result<u64, Bolt12SemanticError> {
340                 match invoice_request.amount_msats() {
341                         Some(amount_msats) => Ok(amount_msats),
342                         None => match invoice_request.contents.inner.offer.amount() {
343                                 Some(Amount::Bitcoin { amount_msats }) => {
344                                         amount_msats.checked_mul(invoice_request.quantity().unwrap_or(1))
345                                                 .ok_or(Bolt12SemanticError::InvalidAmount)
346                                 },
347                                 Some(Amount::Currency { .. }) => Err(Bolt12SemanticError::UnsupportedCurrency),
348                                 None => Err(Bolt12SemanticError::MissingAmount),
349                         },
350                 }
351         }
352
353         #[cfg_attr(c_bindings, allow(dead_code))]
354         fn fields(
355                 payment_paths: Vec<(BlindedPayInfo, BlindedPath)>, created_at: Duration,
356                 payment_hash: PaymentHash, amount_msats: u64, signing_pubkey: PublicKey
357         ) -> InvoiceFields {
358                 InvoiceFields {
359                         payment_paths, created_at, relative_expiry: None, payment_hash, amount_msats,
360                         fallbacks: None, features: Bolt12InvoiceFeatures::empty(), signing_pubkey,
361                 }
362         }
363
364         #[cfg_attr(c_bindings, allow(dead_code))]
365         fn new(
366                 invreq_bytes: &'a Vec<u8>, contents: InvoiceContents, signing_pubkey_strategy: $type_param
367         ) -> Result<Self, Bolt12SemanticError> {
368                 if contents.fields().payment_paths.is_empty() {
369                         return Err(Bolt12SemanticError::MissingPaths);
370                 }
371
372                 Ok(Self { invreq_bytes, invoice: contents, signing_pubkey_strategy })
373         }
374 } }
375
376 impl<'a> InvoiceBuilder<'a, ExplicitSigningPubkey> {
377         invoice_explicit_signing_pubkey_builder_methods!(self, Self);
378 }
379
380 impl<'a> InvoiceBuilder<'a, DerivedSigningPubkey> {
381         invoice_derived_signing_pubkey_builder_methods!(self, Self);
382 }
383
384 impl<'a, S: SigningPubkeyStrategy> InvoiceBuilder<'a, S> {
385         invoice_builder_methods!(self, Self, Self, self, S, mut);
386         invoice_builder_methods_common!(self, Self, self.invoice.fields_mut(), Self, self, S, Bolt12Invoice, mut);
387 }
388
389 #[cfg(all(c_bindings, not(test)))]
390 impl<'a> InvoiceWithExplicitSigningPubkeyBuilder<'a> {
391         invoice_explicit_signing_pubkey_builder_methods!(self, &mut Self);
392         invoice_builder_methods!(self, &mut Self, (), (), ExplicitSigningPubkey);
393         invoice_builder_methods_common!(self, &mut Self, self.invoice.fields_mut(), (), (), ExplicitSigningPubkey, Bolt12Invoice);
394 }
395
396 #[cfg(all(c_bindings, test))]
397 impl<'a> InvoiceWithExplicitSigningPubkeyBuilder<'a> {
398         invoice_explicit_signing_pubkey_builder_methods!(self, &mut Self);
399         invoice_builder_methods!(self, &mut Self, &mut Self, self, ExplicitSigningPubkey);
400         invoice_builder_methods_common!(self, &mut Self, self.invoice.fields_mut(), &mut Self, self, ExplicitSigningPubkey, Bolt12Invoice);
401 }
402
403 #[cfg(all(c_bindings, not(test)))]
404 impl<'a> InvoiceWithDerivedSigningPubkeyBuilder<'a> {
405         invoice_derived_signing_pubkey_builder_methods!(self, &mut Self);
406         invoice_builder_methods!(self, &mut Self, (), (), DerivedSigningPubkey);
407         invoice_builder_methods_common!(self, &mut Self, self.invoice.fields_mut(), (), (), DerivedSigningPubkey, Bolt12Invoice);
408 }
409
410 #[cfg(all(c_bindings, test))]
411 impl<'a> InvoiceWithDerivedSigningPubkeyBuilder<'a> {
412         invoice_derived_signing_pubkey_builder_methods!(self, &mut Self);
413         invoice_builder_methods!(self, &mut Self, &mut Self, self, DerivedSigningPubkey);
414         invoice_builder_methods_common!(self, &mut Self, self.invoice.fields_mut(), &mut Self, self, DerivedSigningPubkey, Bolt12Invoice);
415 }
416
417 #[cfg(c_bindings)]
418 impl<'a> From<InvoiceWithExplicitSigningPubkeyBuilder<'a>>
419 for InvoiceBuilder<'a, ExplicitSigningPubkey> {
420         fn from(builder: InvoiceWithExplicitSigningPubkeyBuilder<'a>) -> Self {
421                 let InvoiceWithExplicitSigningPubkeyBuilder {
422                         invreq_bytes, invoice, signing_pubkey_strategy,
423                 } = builder;
424
425                 Self {
426                         invreq_bytes, invoice, signing_pubkey_strategy,
427                 }
428         }
429 }
430
431 #[cfg(c_bindings)]
432 impl<'a> From<InvoiceWithDerivedSigningPubkeyBuilder<'a>>
433 for InvoiceBuilder<'a, DerivedSigningPubkey> {
434         fn from(builder: InvoiceWithDerivedSigningPubkeyBuilder<'a>) -> Self {
435                 let InvoiceWithDerivedSigningPubkeyBuilder {
436                         invreq_bytes, invoice, signing_pubkey_strategy,
437                 } = builder;
438
439                 Self {
440                         invreq_bytes, invoice, signing_pubkey_strategy,
441                 }
442         }
443 }
444
445 /// A semantically valid [`Bolt12Invoice`] that hasn't been signed.
446 ///
447 /// # Serialization
448 ///
449 /// This is serialized as a TLV stream, which includes TLV records from the originating message. As
450 /// such, it may include unknown, odd TLV records.
451 #[derive(Clone)]
452 pub struct UnsignedBolt12Invoice {
453         bytes: Vec<u8>,
454         contents: InvoiceContents,
455         tagged_hash: TaggedHash,
456 }
457
458 /// A function for signing an [`UnsignedBolt12Invoice`].
459 pub trait SignBolt12InvoiceFn {
460         /// Signs a [`TaggedHash`] computed over the merkle root of `message`'s TLV stream.
461         fn sign_invoice(&self, message: &UnsignedBolt12Invoice) -> Result<Signature, ()>;
462 }
463
464 impl<F> SignBolt12InvoiceFn for F
465 where
466         F: Fn(&UnsignedBolt12Invoice) -> Result<Signature, ()>,
467 {
468         fn sign_invoice(&self, message: &UnsignedBolt12Invoice) -> Result<Signature, ()> {
469                 self(message)
470         }
471 }
472
473 impl<F> SignFn<UnsignedBolt12Invoice> for F
474 where
475         F: SignBolt12InvoiceFn,
476 {
477         fn sign(&self, message: &UnsignedBolt12Invoice) -> Result<Signature, ()> {
478                 self.sign_invoice(message)
479         }
480 }
481
482 impl UnsignedBolt12Invoice {
483         fn new(invreq_bytes: &[u8], contents: InvoiceContents) -> Self {
484                 // Use the invoice_request bytes instead of the invoice_request TLV stream as the latter may
485                 // have contained unknown TLV records, which are not stored in `InvoiceRequestContents` or
486                 // `RefundContents`.
487                 let (_, _, _, invoice_tlv_stream) = contents.as_tlv_stream();
488                 let invoice_request_bytes = WithoutSignatures(invreq_bytes);
489                 let unsigned_tlv_stream = (invoice_request_bytes, invoice_tlv_stream);
490
491                 let mut bytes = Vec::new();
492                 unsigned_tlv_stream.write(&mut bytes).unwrap();
493
494                 let tagged_hash = TaggedHash::from_valid_tlv_stream_bytes(SIGNATURE_TAG, &bytes);
495
496                 Self { bytes, contents, tagged_hash }
497         }
498
499         /// Returns the [`TaggedHash`] of the invoice to sign.
500         pub fn tagged_hash(&self) -> &TaggedHash {
501                 &self.tagged_hash
502         }
503 }
504
505 macro_rules! unsigned_invoice_sign_method { ($self: ident, $self_type: ty $(, $self_mut: tt)?) => {
506         /// Signs the [`TaggedHash`] of the invoice using the given function.
507         ///
508         /// Note: The hash computation may have included unknown, odd TLV records.
509         pub fn sign<F: SignBolt12InvoiceFn>(
510                 $($self_mut)* $self: $self_type, sign: F
511         ) -> Result<Bolt12Invoice, SignError> {
512                 let pubkey = $self.contents.fields().signing_pubkey;
513                 let signature = merkle::sign_message(sign, &$self, pubkey)?;
514
515                 // Append the signature TLV record to the bytes.
516                 let signature_tlv_stream = SignatureTlvStreamRef {
517                         signature: Some(&signature),
518                 };
519                 signature_tlv_stream.write(&mut $self.bytes).unwrap();
520
521                 Ok(Bolt12Invoice {
522                         #[cfg(not(c_bindings))]
523                         bytes: $self.bytes,
524                         #[cfg(c_bindings)]
525                         bytes: $self.bytes.clone(),
526                         #[cfg(not(c_bindings))]
527                         contents: $self.contents,
528                         #[cfg(c_bindings)]
529                         contents: $self.contents.clone(),
530                         signature,
531                         #[cfg(not(c_bindings))]
532                         tagged_hash: $self.tagged_hash,
533                         #[cfg(c_bindings)]
534                         tagged_hash: $self.tagged_hash.clone(),
535                 })
536         }
537 } }
538
539 #[cfg(not(c_bindings))]
540 impl UnsignedBolt12Invoice {
541         unsigned_invoice_sign_method!(self, Self, mut);
542 }
543
544 #[cfg(c_bindings)]
545 impl UnsignedBolt12Invoice {
546         unsigned_invoice_sign_method!(self, &mut Self);
547 }
548
549 impl AsRef<TaggedHash> for UnsignedBolt12Invoice {
550         fn as_ref(&self) -> &TaggedHash {
551                 &self.tagged_hash
552         }
553 }
554
555 /// A `Bolt12Invoice` is a payment request, typically corresponding to an [`Offer`] or a [`Refund`].
556 ///
557 /// An invoice may be sent in response to an [`InvoiceRequest`] in the case of an offer or sent
558 /// directly after scanning a refund. It includes all the information needed to pay a recipient.
559 ///
560 /// [`Offer`]: crate::offers::offer::Offer
561 /// [`Refund`]: crate::offers::refund::Refund
562 /// [`InvoiceRequest`]: crate::offers::invoice_request::InvoiceRequest
563 #[derive(Clone, Debug)]
564 pub struct Bolt12Invoice {
565         bytes: Vec<u8>,
566         contents: InvoiceContents,
567         signature: Signature,
568         tagged_hash: TaggedHash,
569 }
570
571 /// The contents of an [`Bolt12Invoice`] for responding to either an [`Offer`] or a [`Refund`].
572 ///
573 /// [`Offer`]: crate::offers::offer::Offer
574 /// [`Refund`]: crate::offers::refund::Refund
575 #[derive(Clone, Debug)]
576 #[cfg_attr(test, derive(PartialEq))]
577 enum InvoiceContents {
578         /// Contents for an [`Bolt12Invoice`] corresponding to an [`Offer`].
579         ///
580         /// [`Offer`]: crate::offers::offer::Offer
581         ForOffer {
582                 invoice_request: InvoiceRequestContents,
583                 fields: InvoiceFields,
584         },
585         /// Contents for an [`Bolt12Invoice`] corresponding to a [`Refund`].
586         ///
587         /// [`Refund`]: crate::offers::refund::Refund
588         ForRefund {
589                 refund: RefundContents,
590                 fields: InvoiceFields,
591         },
592 }
593
594 /// Invoice-specific fields for an `invoice` message.
595 #[derive(Clone, Debug, PartialEq)]
596 struct InvoiceFields {
597         payment_paths: Vec<(BlindedPayInfo, BlindedPath)>,
598         created_at: Duration,
599         relative_expiry: Option<Duration>,
600         payment_hash: PaymentHash,
601         amount_msats: u64,
602         fallbacks: Option<Vec<FallbackAddress>>,
603         features: Bolt12InvoiceFeatures,
604         signing_pubkey: PublicKey,
605 }
606
607 macro_rules! invoice_accessors { ($self: ident, $contents: expr) => {
608         /// The chains that may be used when paying a requested invoice.
609         ///
610         /// From [`Offer::chains`]; `None` if the invoice was created in response to a [`Refund`].
611         ///
612         /// [`Offer::chains`]: crate::offers::offer::Offer::chains
613         pub fn offer_chains(&$self) -> Option<Vec<ChainHash>> {
614                 $contents.offer_chains()
615         }
616
617         /// The chain that must be used when paying the invoice; selected from [`offer_chains`] if the
618         /// invoice originated from an offer.
619         ///
620         /// From [`InvoiceRequest::chain`] or [`Refund::chain`].
621         ///
622         /// [`offer_chains`]: Self::offer_chains
623         /// [`InvoiceRequest::chain`]: crate::offers::invoice_request::InvoiceRequest::chain
624         pub fn chain(&$self) -> ChainHash {
625                 $contents.chain()
626         }
627
628         /// Opaque bytes set by the originating [`Offer`].
629         ///
630         /// From [`Offer::metadata`]; `None` if the invoice was created in response to a [`Refund`] or
631         /// if the [`Offer`] did not set it.
632         ///
633         /// [`Offer`]: crate::offers::offer::Offer
634         /// [`Offer::metadata`]: crate::offers::offer::Offer::metadata
635         pub fn metadata(&$self) -> Option<&Vec<u8>> {
636                 $contents.metadata()
637         }
638
639         /// The minimum amount required for a successful payment of a single item.
640         ///
641         /// From [`Offer::amount`]; `None` if the invoice was created in response to a [`Refund`] or if
642         /// the [`Offer`] did not set it.
643         ///
644         /// [`Offer`]: crate::offers::offer::Offer
645         /// [`Offer::amount`]: crate::offers::offer::Offer::amount
646         pub fn amount(&$self) -> Option<Amount> {
647                 $contents.amount()
648         }
649
650         /// Features pertaining to the originating [`Offer`].
651         ///
652         /// From [`Offer::offer_features`]; `None` if the invoice was created in response to a
653         /// [`Refund`].
654         ///
655         /// [`Offer`]: crate::offers::offer::Offer
656         /// [`Offer::offer_features`]: crate::offers::offer::Offer::offer_features
657         pub fn offer_features(&$self) -> Option<&OfferFeatures> {
658                 $contents.offer_features()
659         }
660
661         /// A complete description of the purpose of the originating offer or refund.
662         ///
663         /// From [`Offer::description`] or [`Refund::description`].
664         ///
665         /// [`Offer::description`]: crate::offers::offer::Offer::description
666         pub fn description(&$self) -> Option<PrintableString> {
667                 $contents.description()
668         }
669
670         /// Duration since the Unix epoch when an invoice should no longer be requested.
671         ///
672         /// From [`Offer::absolute_expiry`] or [`Refund::absolute_expiry`].
673         ///
674         /// [`Offer::absolute_expiry`]: crate::offers::offer::Offer::absolute_expiry
675         pub fn absolute_expiry(&$self) -> Option<Duration> {
676                 $contents.absolute_expiry()
677         }
678
679         /// The issuer of the offer or refund.
680         ///
681         /// From [`Offer::issuer`] or [`Refund::issuer`].
682         ///
683         /// [`Offer::issuer`]: crate::offers::offer::Offer::issuer
684         pub fn issuer(&$self) -> Option<PrintableString> {
685                 $contents.issuer()
686         }
687
688         /// Paths to the recipient originating from publicly reachable nodes.
689         ///
690         /// From [`Offer::paths`] or [`Refund::paths`].
691         ///
692         /// [`Offer::paths`]: crate::offers::offer::Offer::paths
693         pub fn message_paths(&$self) -> &[BlindedPath] {
694                 $contents.message_paths()
695         }
696
697         /// The quantity of items supported.
698         ///
699         /// From [`Offer::supported_quantity`]; `None` if the invoice was created in response to a
700         /// [`Refund`].
701         ///
702         /// [`Offer::supported_quantity`]: crate::offers::offer::Offer::supported_quantity
703         pub fn supported_quantity(&$self) -> Option<Quantity> {
704                 $contents.supported_quantity()
705         }
706
707         /// An unpredictable series of bytes from the payer.
708         ///
709         /// From [`InvoiceRequest::payer_metadata`] or [`Refund::payer_metadata`].
710         pub fn payer_metadata(&$self) -> &[u8] {
711                 $contents.payer_metadata()
712         }
713
714         /// Features pertaining to requesting an invoice.
715         ///
716         /// From [`InvoiceRequest::invoice_request_features`] or [`Refund::features`].
717         pub fn invoice_request_features(&$self) -> &InvoiceRequestFeatures {
718                 &$contents.invoice_request_features()
719         }
720
721         /// The quantity of items requested or refunded for.
722         ///
723         /// From [`InvoiceRequest::quantity`] or [`Refund::quantity`].
724         pub fn quantity(&$self) -> Option<u64> {
725                 $contents.quantity()
726         }
727
728         /// A possibly transient pubkey used to sign the invoice request or to send an invoice for a
729         /// refund in case there are no [`message_paths`].
730         ///
731         /// [`message_paths`]: Self::message_paths
732         pub fn payer_id(&$self) -> PublicKey {
733                 $contents.payer_id()
734         }
735
736         /// A payer-provided note reflected back in the invoice.
737         ///
738         /// From [`InvoiceRequest::payer_note`] or [`Refund::payer_note`].
739         pub fn payer_note(&$self) -> Option<PrintableString> {
740                 $contents.payer_note()
741         }
742
743         /// SHA256 hash of the payment preimage that will be given in return for paying the invoice.
744         pub fn payment_hash(&$self) -> PaymentHash {
745                 $contents.payment_hash()
746         }
747
748         /// The minimum amount required for a successful payment of the invoice.
749         pub fn amount_msats(&$self) -> u64 {
750                 $contents.amount_msats()
751         }
752 } }
753
754 impl UnsignedBolt12Invoice {
755         invoice_accessors_common!(self, self.contents, Bolt12Invoice);
756         invoice_accessors!(self, self.contents);
757 }
758
759 impl Bolt12Invoice {
760         invoice_accessors_common!(self, self.contents, Bolt12Invoice);
761         invoice_accessors!(self, self.contents);
762
763         /// Signature of the invoice verified using [`Bolt12Invoice::signing_pubkey`].
764         pub fn signature(&self) -> Signature {
765                 self.signature
766         }
767
768         /// Hash that was used for signing the invoice.
769         pub fn signable_hash(&self) -> [u8; 32] {
770                 self.tagged_hash.as_digest().as_ref().clone()
771         }
772
773         /// Verifies that the invoice was for a request or refund created using the given key. Returns
774         /// the associated [`PaymentId`] to use when sending the payment.
775         pub fn verify<T: secp256k1::Signing>(
776                 &self, key: &ExpandedKey, secp_ctx: &Secp256k1<T>
777         ) -> Result<PaymentId, ()> {
778                 self.contents.verify(TlvStream::new(&self.bytes), key, secp_ctx)
779         }
780
781         pub(crate) fn as_tlv_stream(&self) -> FullInvoiceTlvStreamRef {
782                 let (payer_tlv_stream, offer_tlv_stream, invoice_request_tlv_stream, invoice_tlv_stream) =
783                         self.contents.as_tlv_stream();
784                 let signature_tlv_stream = SignatureTlvStreamRef {
785                         signature: Some(&self.signature),
786                 };
787                 (payer_tlv_stream, offer_tlv_stream, invoice_request_tlv_stream, invoice_tlv_stream,
788                  signature_tlv_stream)
789         }
790 }
791
792 impl PartialEq for Bolt12Invoice {
793         fn eq(&self, other: &Self) -> bool {
794                 self.bytes.eq(&other.bytes)
795         }
796 }
797
798 impl Eq for Bolt12Invoice {}
799
800 impl Hash for Bolt12Invoice {
801         fn hash<H: Hasher>(&self, state: &mut H) {
802                 self.bytes.hash(state);
803         }
804 }
805
806 impl InvoiceContents {
807         /// Whether the original offer or refund has expired.
808         #[cfg(feature = "std")]
809         fn is_offer_or_refund_expired(&self) -> bool {
810                 match self {
811                         InvoiceContents::ForOffer { invoice_request, .. } =>
812                                 invoice_request.inner.offer.is_expired(),
813                         InvoiceContents::ForRefund { refund, .. } => refund.is_expired(),
814                 }
815         }
816
817         #[cfg(not(feature = "std"))]
818         fn is_offer_or_refund_expired_no_std(&self, duration_since_epoch: Duration) -> bool {
819                 match self {
820                         InvoiceContents::ForOffer { invoice_request, .. } =>
821                                 invoice_request.inner.offer.is_expired_no_std(duration_since_epoch),
822                         InvoiceContents::ForRefund { refund, .. } =>
823                                 refund.is_expired_no_std(duration_since_epoch),
824                 }
825         }
826
827         fn offer_chains(&self) -> Option<Vec<ChainHash>> {
828                 match self {
829                         InvoiceContents::ForOffer { invoice_request, .. } =>
830                                 Some(invoice_request.inner.offer.chains()),
831                         InvoiceContents::ForRefund { .. } => None,
832                 }
833         }
834
835         fn chain(&self) -> ChainHash {
836                 match self {
837                         InvoiceContents::ForOffer { invoice_request, .. } => invoice_request.chain(),
838                         InvoiceContents::ForRefund { refund, .. } => refund.chain(),
839                 }
840         }
841
842         fn metadata(&self) -> Option<&Vec<u8>> {
843                 match self {
844                         InvoiceContents::ForOffer { invoice_request, .. } =>
845                                 invoice_request.inner.offer.metadata(),
846                         InvoiceContents::ForRefund { .. } => None,
847                 }
848         }
849
850         fn amount(&self) -> Option<Amount> {
851                 match self {
852                         InvoiceContents::ForOffer { invoice_request, .. } =>
853                                 invoice_request.inner.offer.amount(),
854                         InvoiceContents::ForRefund { .. } => None,
855                 }
856         }
857
858         fn description(&self) -> Option<PrintableString> {
859                 match self {
860                         InvoiceContents::ForOffer { invoice_request, .. } => {
861                                 invoice_request.inner.offer.description()
862                         },
863                         InvoiceContents::ForRefund { refund, .. } => Some(refund.description()),
864                 }
865         }
866
867         fn offer_features(&self) -> Option<&OfferFeatures> {
868                 match self {
869                         InvoiceContents::ForOffer { invoice_request, .. } => {
870                                 Some(invoice_request.inner.offer.features())
871                         },
872                         InvoiceContents::ForRefund { .. } => None,
873                 }
874         }
875
876         fn absolute_expiry(&self) -> Option<Duration> {
877                 match self {
878                         InvoiceContents::ForOffer { invoice_request, .. } => {
879                                 invoice_request.inner.offer.absolute_expiry()
880                         },
881                         InvoiceContents::ForRefund { refund, .. } => refund.absolute_expiry(),
882                 }
883         }
884
885         fn issuer(&self) -> Option<PrintableString> {
886                 match self {
887                         InvoiceContents::ForOffer { invoice_request, .. } => {
888                                 invoice_request.inner.offer.issuer()
889                         },
890                         InvoiceContents::ForRefund { refund, .. } => refund.issuer(),
891                 }
892         }
893
894         fn message_paths(&self) -> &[BlindedPath] {
895                 match self {
896                         InvoiceContents::ForOffer { invoice_request, .. } => {
897                                 invoice_request.inner.offer.paths()
898                         },
899                         InvoiceContents::ForRefund { refund, .. } => refund.paths(),
900                 }
901         }
902
903         fn supported_quantity(&self) -> Option<Quantity> {
904                 match self {
905                         InvoiceContents::ForOffer { invoice_request, .. } => {
906                                 Some(invoice_request.inner.offer.supported_quantity())
907                         },
908                         InvoiceContents::ForRefund { .. } => None,
909                 }
910         }
911
912         fn payer_metadata(&self) -> &[u8] {
913                 match self {
914                         InvoiceContents::ForOffer { invoice_request, .. } => invoice_request.metadata(),
915                         InvoiceContents::ForRefund { refund, .. } => refund.metadata(),
916                 }
917         }
918
919         fn invoice_request_features(&self) -> &InvoiceRequestFeatures {
920                 match self {
921                         InvoiceContents::ForOffer { invoice_request, .. } => invoice_request.features(),
922                         InvoiceContents::ForRefund { refund, .. } => refund.features(),
923                 }
924         }
925
926         fn quantity(&self) -> Option<u64> {
927                 match self {
928                         InvoiceContents::ForOffer { invoice_request, .. } => invoice_request.quantity(),
929                         InvoiceContents::ForRefund { refund, .. } => refund.quantity(),
930                 }
931         }
932
933         fn payer_id(&self) -> PublicKey {
934                 match self {
935                         InvoiceContents::ForOffer { invoice_request, .. } => invoice_request.payer_id(),
936                         InvoiceContents::ForRefund { refund, .. } => refund.payer_id(),
937                 }
938         }
939
940         fn payer_note(&self) -> Option<PrintableString> {
941                 match self {
942                         InvoiceContents::ForOffer { invoice_request, .. } => invoice_request.payer_note(),
943                         InvoiceContents::ForRefund { refund, .. } => refund.payer_note(),
944                 }
945         }
946
947         fn payment_paths(&self) -> &[(BlindedPayInfo, BlindedPath)] {
948                 &self.fields().payment_paths[..]
949         }
950
951         fn created_at(&self) -> Duration {
952                 self.fields().created_at
953         }
954
955         fn relative_expiry(&self) -> Duration {
956                 self.fields().relative_expiry.unwrap_or(DEFAULT_RELATIVE_EXPIRY)
957         }
958
959         #[cfg(feature = "std")]
960         fn is_expired(&self) -> bool {
961                 is_expired(self.created_at(), self.relative_expiry())
962         }
963
964         fn payment_hash(&self) -> PaymentHash {
965                 self.fields().payment_hash
966         }
967
968         fn amount_msats(&self) -> u64 {
969                 self.fields().amount_msats
970         }
971
972         fn fallbacks(&self) -> Vec<Address> {
973                 self.fields().fallbacks
974                         .as_ref()
975                         .map(|fallbacks| filter_fallbacks(self.chain(), fallbacks))
976                         .unwrap_or_else(Vec::new)
977         }
978
979         fn features(&self) -> &Bolt12InvoiceFeatures {
980                 &self.fields().features
981         }
982
983         fn signing_pubkey(&self) -> PublicKey {
984                 self.fields().signing_pubkey
985         }
986
987         fn fields(&self) -> &InvoiceFields {
988                 match self {
989                         InvoiceContents::ForOffer { fields, .. } => fields,
990                         InvoiceContents::ForRefund { fields, .. } => fields,
991                 }
992         }
993
994         fn fields_mut(&mut self) -> &mut InvoiceFields {
995                 match self {
996                         InvoiceContents::ForOffer { fields, .. } => fields,
997                         InvoiceContents::ForRefund { fields, .. } => fields,
998                 }
999         }
1000
1001         fn verify<T: secp256k1::Signing>(
1002                 &self, tlv_stream: TlvStream<'_>, key: &ExpandedKey, secp_ctx: &Secp256k1<T>
1003         ) -> Result<PaymentId, ()> {
1004                 let offer_records = tlv_stream.clone().range(OFFER_TYPES);
1005                 let invreq_records = tlv_stream.range(INVOICE_REQUEST_TYPES).filter(|record| {
1006                         match record.r#type {
1007                                 PAYER_METADATA_TYPE => false, // Should be outside range
1008                                 INVOICE_REQUEST_PAYER_ID_TYPE => !self.derives_keys(),
1009                                 _ => true,
1010                         }
1011                 });
1012                 let tlv_stream = offer_records.chain(invreq_records);
1013
1014                 let (metadata, payer_id, iv_bytes) = match self {
1015                         InvoiceContents::ForOffer { invoice_request, .. } => {
1016                                 (invoice_request.metadata(), invoice_request.payer_id(), INVOICE_REQUEST_IV_BYTES)
1017                         },
1018                         InvoiceContents::ForRefund { refund, .. } => {
1019                                 (refund.metadata(), refund.payer_id(), REFUND_IV_BYTES)
1020                         },
1021                 };
1022
1023                 signer::verify_payer_metadata(metadata, key, iv_bytes, payer_id, tlv_stream, secp_ctx)
1024         }
1025
1026         fn derives_keys(&self) -> bool {
1027                 match self {
1028                         InvoiceContents::ForOffer { invoice_request, .. } => invoice_request.derives_keys(),
1029                         InvoiceContents::ForRefund { refund, .. } => refund.derives_keys(),
1030                 }
1031         }
1032
1033         fn as_tlv_stream(&self) -> PartialInvoiceTlvStreamRef {
1034                 let (payer, offer, invoice_request) = match self {
1035                         InvoiceContents::ForOffer { invoice_request, .. } => invoice_request.as_tlv_stream(),
1036                         InvoiceContents::ForRefund { refund, .. } => refund.as_tlv_stream(),
1037                 };
1038                 let invoice = self.fields().as_tlv_stream();
1039
1040                 (payer, offer, invoice_request, invoice)
1041         }
1042 }
1043
1044 #[cfg(feature = "std")]
1045 pub(super) fn is_expired(created_at: Duration, relative_expiry: Duration) -> bool {
1046         let absolute_expiry = created_at.checked_add(relative_expiry);
1047         match absolute_expiry {
1048                 Some(seconds_from_epoch) => match SystemTime::UNIX_EPOCH.elapsed() {
1049                         Ok(elapsed) => elapsed > seconds_from_epoch,
1050                         Err(_) => false,
1051                 },
1052                 None => false,
1053         }
1054 }
1055
1056 pub(super) fn filter_fallbacks(
1057         chain: ChainHash, fallbacks: &Vec<FallbackAddress>
1058 ) -> Vec<Address> {
1059         let network = if chain == ChainHash::using_genesis_block(Network::Bitcoin) {
1060                 Network::Bitcoin
1061         } else if chain == ChainHash::using_genesis_block(Network::Testnet) {
1062                 Network::Testnet
1063         } else if chain == ChainHash::using_genesis_block(Network::Signet) {
1064                 Network::Signet
1065         } else if chain == ChainHash::using_genesis_block(Network::Regtest) {
1066                 Network::Regtest
1067         } else {
1068                 return Vec::new()
1069         };
1070
1071         let to_valid_address = |address: &FallbackAddress| {
1072                 let version = match WitnessVersion::try_from(address.version) {
1073                         Ok(version) => version,
1074                         Err(_) => return None,
1075                 };
1076
1077                 let program = address.program.clone();
1078                 let witness_program = match WitnessProgram::new(version, program) {
1079                         Ok(witness_program) => witness_program,
1080                         Err(_) => return None,
1081                 };
1082                 Some(Address::new(network, Payload::WitnessProgram(witness_program)))
1083         };
1084
1085         fallbacks.iter().filter_map(to_valid_address).collect()
1086 }
1087
1088 impl InvoiceFields {
1089         fn as_tlv_stream(&self) -> InvoiceTlvStreamRef {
1090                 let features = {
1091                         if self.features == Bolt12InvoiceFeatures::empty() { None }
1092                         else { Some(&self.features) }
1093                 };
1094
1095                 InvoiceTlvStreamRef {
1096                         paths: Some(Iterable(self.payment_paths.iter().map(|(_, path)| path))),
1097                         blindedpay: Some(Iterable(self.payment_paths.iter().map(|(payinfo, _)| payinfo))),
1098                         created_at: Some(self.created_at.as_secs()),
1099                         relative_expiry: self.relative_expiry.map(|duration| duration.as_secs() as u32),
1100                         payment_hash: Some(&self.payment_hash),
1101                         amount: Some(self.amount_msats),
1102                         fallbacks: self.fallbacks.as_ref(),
1103                         features,
1104                         node_id: Some(&self.signing_pubkey),
1105                 }
1106         }
1107 }
1108
1109 impl Writeable for UnsignedBolt12Invoice {
1110         fn write<W: Writer>(&self, writer: &mut W) -> Result<(), io::Error> {
1111                 WithoutLength(&self.bytes).write(writer)
1112         }
1113 }
1114
1115 impl Writeable for Bolt12Invoice {
1116         fn write<W: Writer>(&self, writer: &mut W) -> Result<(), io::Error> {
1117                 WithoutLength(&self.bytes).write(writer)
1118         }
1119 }
1120
1121 impl Writeable for InvoiceContents {
1122         fn write<W: Writer>(&self, writer: &mut W) -> Result<(), io::Error> {
1123                 self.as_tlv_stream().write(writer)
1124         }
1125 }
1126
1127 impl TryFrom<Vec<u8>> for UnsignedBolt12Invoice {
1128         type Error = Bolt12ParseError;
1129
1130         fn try_from(bytes: Vec<u8>) -> Result<Self, Self::Error> {
1131                 let invoice = ParsedMessage::<PartialInvoiceTlvStream>::try_from(bytes)?;
1132                 let ParsedMessage { bytes, tlv_stream } = invoice;
1133                 let (
1134                         payer_tlv_stream, offer_tlv_stream, invoice_request_tlv_stream, invoice_tlv_stream,
1135                 ) = tlv_stream;
1136                 let contents = InvoiceContents::try_from(
1137                         (payer_tlv_stream, offer_tlv_stream, invoice_request_tlv_stream, invoice_tlv_stream)
1138                 )?;
1139
1140                 let tagged_hash = TaggedHash::from_valid_tlv_stream_bytes(SIGNATURE_TAG, &bytes);
1141
1142                 Ok(UnsignedBolt12Invoice { bytes, contents, tagged_hash })
1143         }
1144 }
1145
1146 impl TryFrom<Vec<u8>> for Bolt12Invoice {
1147         type Error = Bolt12ParseError;
1148
1149         fn try_from(bytes: Vec<u8>) -> Result<Self, Self::Error> {
1150                 let parsed_invoice = ParsedMessage::<FullInvoiceTlvStream>::try_from(bytes)?;
1151                 Bolt12Invoice::try_from(parsed_invoice)
1152         }
1153 }
1154
1155 tlv_stream!(InvoiceTlvStream, InvoiceTlvStreamRef, 160..240, {
1156         (160, paths: (Vec<BlindedPath>, WithoutLength, Iterable<'a, BlindedPathIter<'a>, BlindedPath>)),
1157         (162, blindedpay: (Vec<BlindedPayInfo>, WithoutLength, Iterable<'a, BlindedPayInfoIter<'a>, BlindedPayInfo>)),
1158         (164, created_at: (u64, HighZeroBytesDroppedBigSize)),
1159         (166, relative_expiry: (u32, HighZeroBytesDroppedBigSize)),
1160         (168, payment_hash: PaymentHash),
1161         (170, amount: (u64, HighZeroBytesDroppedBigSize)),
1162         (172, fallbacks: (Vec<FallbackAddress>, WithoutLength)),
1163         (174, features: (Bolt12InvoiceFeatures, WithoutLength)),
1164         (176, node_id: PublicKey),
1165 });
1166
1167 pub(super) type BlindedPathIter<'a> = core::iter::Map<
1168         core::slice::Iter<'a, (BlindedPayInfo, BlindedPath)>,
1169         for<'r> fn(&'r (BlindedPayInfo, BlindedPath)) -> &'r BlindedPath,
1170 >;
1171
1172 pub(super) type BlindedPayInfoIter<'a> = core::iter::Map<
1173         core::slice::Iter<'a, (BlindedPayInfo, BlindedPath)>,
1174         for<'r> fn(&'r (BlindedPayInfo, BlindedPath)) -> &'r BlindedPayInfo,
1175 >;
1176
1177 /// Information needed to route a payment across a [`BlindedPath`].
1178 #[derive(Clone, Debug, Hash, Eq, PartialEq)]
1179 pub struct BlindedPayInfo {
1180         /// Base fee charged (in millisatoshi) for the entire blinded path.
1181         pub fee_base_msat: u32,
1182
1183         /// Liquidity fee charged (in millionths of the amount transferred) for the entire blinded path
1184         /// (i.e., 10,000 is 1%).
1185         pub fee_proportional_millionths: u32,
1186
1187         /// Number of blocks subtracted from an incoming HTLC's `cltv_expiry` for the entire blinded
1188         /// path.
1189         pub cltv_expiry_delta: u16,
1190
1191         /// The minimum HTLC value (in millisatoshi) that is acceptable to all channel peers on the
1192         /// blinded path from the introduction node to the recipient, accounting for any fees, i.e., as
1193         /// seen by the recipient.
1194         pub htlc_minimum_msat: u64,
1195
1196         /// The maximum HTLC value (in millisatoshi) that is acceptable to all channel peers on the
1197         /// blinded path from the introduction node to the recipient, accounting for any fees, i.e., as
1198         /// seen by the recipient.
1199         pub htlc_maximum_msat: u64,
1200
1201         /// Features set in `encrypted_data_tlv` for the `encrypted_recipient_data` TLV record in an
1202         /// onion payload.
1203         pub features: BlindedHopFeatures,
1204 }
1205
1206 impl_writeable!(BlindedPayInfo, {
1207         fee_base_msat,
1208         fee_proportional_millionths,
1209         cltv_expiry_delta,
1210         htlc_minimum_msat,
1211         htlc_maximum_msat,
1212         features
1213 });
1214
1215 /// Wire representation for an on-chain fallback address.
1216 #[derive(Clone, Debug, PartialEq)]
1217 pub(super) struct FallbackAddress {
1218         pub(super) version: u8,
1219         pub(super) program: Vec<u8>,
1220 }
1221
1222 impl_writeable!(FallbackAddress, { version, program });
1223
1224 type FullInvoiceTlvStream =
1225         (PayerTlvStream, OfferTlvStream, InvoiceRequestTlvStream, InvoiceTlvStream, SignatureTlvStream);
1226
1227 type FullInvoiceTlvStreamRef<'a> = (
1228         PayerTlvStreamRef<'a>,
1229         OfferTlvStreamRef<'a>,
1230         InvoiceRequestTlvStreamRef<'a>,
1231         InvoiceTlvStreamRef<'a>,
1232         SignatureTlvStreamRef<'a>,
1233 );
1234
1235 impl SeekReadable for FullInvoiceTlvStream {
1236         fn read<R: io::Read + io::Seek>(r: &mut R) -> Result<Self, DecodeError> {
1237                 let payer = SeekReadable::read(r)?;
1238                 let offer = SeekReadable::read(r)?;
1239                 let invoice_request = SeekReadable::read(r)?;
1240                 let invoice = SeekReadable::read(r)?;
1241                 let signature = SeekReadable::read(r)?;
1242
1243                 Ok((payer, offer, invoice_request, invoice, signature))
1244         }
1245 }
1246
1247 type PartialInvoiceTlvStream =
1248         (PayerTlvStream, OfferTlvStream, InvoiceRequestTlvStream, InvoiceTlvStream);
1249
1250 type PartialInvoiceTlvStreamRef<'a> = (
1251         PayerTlvStreamRef<'a>,
1252         OfferTlvStreamRef<'a>,
1253         InvoiceRequestTlvStreamRef<'a>,
1254         InvoiceTlvStreamRef<'a>,
1255 );
1256
1257 impl SeekReadable for PartialInvoiceTlvStream {
1258         fn read<R: io::Read + io::Seek>(r: &mut R) -> Result<Self, DecodeError> {
1259                 let payer = SeekReadable::read(r)?;
1260                 let offer = SeekReadable::read(r)?;
1261                 let invoice_request = SeekReadable::read(r)?;
1262                 let invoice = SeekReadable::read(r)?;
1263
1264                 Ok((payer, offer, invoice_request, invoice))
1265         }
1266 }
1267
1268 impl TryFrom<ParsedMessage<FullInvoiceTlvStream>> for Bolt12Invoice {
1269         type Error = Bolt12ParseError;
1270
1271         fn try_from(invoice: ParsedMessage<FullInvoiceTlvStream>) -> Result<Self, Self::Error> {
1272                 let ParsedMessage { bytes, tlv_stream } = invoice;
1273                 let (
1274                         payer_tlv_stream, offer_tlv_stream, invoice_request_tlv_stream, invoice_tlv_stream,
1275                         SignatureTlvStream { signature },
1276                 ) = tlv_stream;
1277                 let contents = InvoiceContents::try_from(
1278                         (payer_tlv_stream, offer_tlv_stream, invoice_request_tlv_stream, invoice_tlv_stream)
1279                 )?;
1280
1281                 let signature = match signature {
1282                         None => return Err(Bolt12ParseError::InvalidSemantics(Bolt12SemanticError::MissingSignature)),
1283                         Some(signature) => signature,
1284                 };
1285                 let tagged_hash = TaggedHash::from_valid_tlv_stream_bytes(SIGNATURE_TAG, &bytes);
1286                 let pubkey = contents.fields().signing_pubkey;
1287                 merkle::verify_signature(&signature, &tagged_hash, pubkey)?;
1288
1289                 Ok(Bolt12Invoice { bytes, contents, signature, tagged_hash })
1290         }
1291 }
1292
1293 impl TryFrom<PartialInvoiceTlvStream> for InvoiceContents {
1294         type Error = Bolt12SemanticError;
1295
1296         fn try_from(tlv_stream: PartialInvoiceTlvStream) -> Result<Self, Self::Error> {
1297                 let (
1298                         payer_tlv_stream,
1299                         offer_tlv_stream,
1300                         invoice_request_tlv_stream,
1301                         InvoiceTlvStream {
1302                                 paths, blindedpay, created_at, relative_expiry, payment_hash, amount, fallbacks,
1303                                 features, node_id,
1304                         },
1305                 ) = tlv_stream;
1306
1307                 let payment_paths = construct_payment_paths(blindedpay, paths)?;
1308
1309                 let created_at = match created_at {
1310                         None => return Err(Bolt12SemanticError::MissingCreationTime),
1311                         Some(timestamp) => Duration::from_secs(timestamp),
1312                 };
1313
1314                 let relative_expiry = relative_expiry
1315                         .map(Into::<u64>::into)
1316                         .map(Duration::from_secs);
1317
1318                 let payment_hash = match payment_hash {
1319                         None => return Err(Bolt12SemanticError::MissingPaymentHash),
1320                         Some(payment_hash) => payment_hash,
1321                 };
1322
1323                 let amount_msats = match amount {
1324                         None => return Err(Bolt12SemanticError::MissingAmount),
1325                         Some(amount) => amount,
1326                 };
1327
1328                 let features = features.unwrap_or_else(Bolt12InvoiceFeatures::empty);
1329
1330                 let signing_pubkey = match node_id {
1331                         None => return Err(Bolt12SemanticError::MissingSigningPubkey),
1332                         Some(node_id) => node_id,
1333                 };
1334
1335                 let fields = InvoiceFields {
1336                         payment_paths, created_at, relative_expiry, payment_hash, amount_msats, fallbacks,
1337                         features, signing_pubkey,
1338                 };
1339
1340                 check_invoice_signing_pubkey(&fields.signing_pubkey, &offer_tlv_stream)?;
1341
1342                 if offer_tlv_stream.node_id.is_none() && offer_tlv_stream.paths.is_none() {
1343                         let refund = RefundContents::try_from(
1344                                 (payer_tlv_stream, offer_tlv_stream, invoice_request_tlv_stream)
1345                         )?;
1346                         Ok(InvoiceContents::ForRefund { refund, fields })
1347                 } else {
1348                         let invoice_request = InvoiceRequestContents::try_from(
1349                                 (payer_tlv_stream, offer_tlv_stream, invoice_request_tlv_stream)
1350                         )?;
1351                         Ok(InvoiceContents::ForOffer { invoice_request, fields })
1352                 }
1353         }
1354 }
1355
1356 pub(super) fn construct_payment_paths(
1357         blinded_payinfos: Option<Vec<BlindedPayInfo>>, blinded_paths: Option<Vec<BlindedPath>>
1358 ) -> Result<Vec<(BlindedPayInfo, BlindedPath)>, Bolt12SemanticError> {
1359         match (blinded_payinfos, blinded_paths) {
1360                 (_, None) => Err(Bolt12SemanticError::MissingPaths),
1361                 (None, _) => Err(Bolt12SemanticError::InvalidPayInfo),
1362                 (_, Some(paths)) if paths.is_empty() => Err(Bolt12SemanticError::MissingPaths),
1363                 (Some(blindedpay), Some(paths)) if paths.len() != blindedpay.len() => {
1364                         Err(Bolt12SemanticError::InvalidPayInfo)
1365                 },
1366                 (Some(blindedpay), Some(paths)) => {
1367                         Ok(blindedpay.into_iter().zip(paths.into_iter()).collect::<Vec<_>>())
1368                 },
1369         }
1370 }
1371
1372 pub(super) fn check_invoice_signing_pubkey(
1373         invoice_signing_pubkey: &PublicKey, offer_tlv_stream: &OfferTlvStream
1374 ) -> Result<(), Bolt12SemanticError> {
1375         match (&offer_tlv_stream.node_id, &offer_tlv_stream.paths) {
1376                 (Some(expected_signing_pubkey), _) => {
1377                         if invoice_signing_pubkey != expected_signing_pubkey {
1378                                 return Err(Bolt12SemanticError::InvalidSigningPubkey);
1379                         }
1380                 },
1381                 (None, Some(paths)) => {
1382                         if !paths
1383                                 .iter()
1384                                 .filter_map(|path| path.blinded_hops.last())
1385                                 .any(|last_hop| invoice_signing_pubkey == &last_hop.blinded_node_id)
1386                         {
1387                                 return Err(Bolt12SemanticError::InvalidSigningPubkey);
1388                         }
1389                 },
1390                 _ => {},
1391         }
1392         Ok(())
1393 }
1394
1395 #[cfg(test)]
1396 mod tests {
1397         use super::{Bolt12Invoice, DEFAULT_RELATIVE_EXPIRY, FallbackAddress, FullInvoiceTlvStreamRef, InvoiceTlvStreamRef, SIGNATURE_TAG, UnsignedBolt12Invoice};
1398
1399         use bitcoin::{WitnessProgram, WitnessVersion};
1400         use bitcoin::blockdata::constants::ChainHash;
1401         use bitcoin::blockdata::script::ScriptBuf;
1402         use bitcoin::hashes::Hash;
1403         use bitcoin::network::Network;
1404         use bitcoin::secp256k1::{Keypair, Message, Secp256k1, SecretKey, XOnlyPublicKey, self};
1405         use bitcoin::address::{Address, Payload};
1406         use bitcoin::key::TweakedPublicKey;
1407
1408         use core::time::Duration;
1409
1410         use crate::blinded_path::{BlindedHop, BlindedPath, IntroductionNode};
1411         use crate::sign::KeyMaterial;
1412         use crate::ln::features::{Bolt12InvoiceFeatures, InvoiceRequestFeatures, OfferFeatures};
1413         use crate::ln::inbound_payment::ExpandedKey;
1414         use crate::ln::msgs::DecodeError;
1415         use crate::offers::invoice_request::InvoiceRequestTlvStreamRef;
1416         use crate::offers::merkle::{SignError, SignatureTlvStreamRef, TaggedHash, self};
1417         use crate::offers::offer::{Amount, OfferTlvStreamRef, Quantity};
1418         use crate::prelude::*;
1419         #[cfg(not(c_bindings))]
1420         use {
1421                 crate::offers::offer::OfferBuilder,
1422                 crate::offers::refund::RefundBuilder,
1423         };
1424         #[cfg(c_bindings)]
1425         use {
1426                 crate::offers::offer::OfferWithExplicitMetadataBuilder as OfferBuilder,
1427                 crate::offers::refund::RefundMaybeWithDerivedMetadataBuilder as RefundBuilder,
1428         };
1429         use crate::offers::parse::{Bolt12ParseError, Bolt12SemanticError};
1430         use crate::offers::payer::PayerTlvStreamRef;
1431         use crate::offers::test_utils::*;
1432         use crate::util::ser::{BigSize, Iterable, Writeable};
1433         use crate::util::string::PrintableString;
1434
1435         trait ToBytes {
1436                 fn to_bytes(&self) -> Vec<u8>;
1437         }
1438
1439         impl<'a> ToBytes for FullInvoiceTlvStreamRef<'a> {
1440                 fn to_bytes(&self) -> Vec<u8> {
1441                         let mut buffer = Vec::new();
1442                         self.0.write(&mut buffer).unwrap();
1443                         self.1.write(&mut buffer).unwrap();
1444                         self.2.write(&mut buffer).unwrap();
1445                         self.3.write(&mut buffer).unwrap();
1446                         self.4.write(&mut buffer).unwrap();
1447                         buffer
1448                 }
1449         }
1450
1451         #[test]
1452         fn builds_invoice_for_offer_with_defaults() {
1453                 let payment_paths = payment_paths();
1454                 let payment_hash = payment_hash();
1455                 let now = now();
1456                 let unsigned_invoice = OfferBuilder::new(recipient_pubkey())
1457                         .amount_msats(1000)
1458                         .build().unwrap()
1459                         .request_invoice(vec![1; 32], payer_pubkey()).unwrap()
1460                         .build().unwrap()
1461                         .sign(payer_sign).unwrap()
1462                         .respond_with_no_std(payment_paths.clone(), payment_hash, now).unwrap()
1463                         .build().unwrap();
1464
1465                 let mut buffer = Vec::new();
1466                 unsigned_invoice.write(&mut buffer).unwrap();
1467
1468                 assert_eq!(unsigned_invoice.bytes, buffer.as_slice());
1469                 assert_eq!(unsigned_invoice.payer_metadata(), &[1; 32]);
1470                 assert_eq!(unsigned_invoice.offer_chains(), Some(vec![ChainHash::using_genesis_block(Network::Bitcoin)]));
1471                 assert_eq!(unsigned_invoice.metadata(), None);
1472                 assert_eq!(unsigned_invoice.amount(), Some(Amount::Bitcoin { amount_msats: 1000 }));
1473                 assert_eq!(unsigned_invoice.description(), Some(PrintableString("")));
1474                 assert_eq!(unsigned_invoice.offer_features(), Some(&OfferFeatures::empty()));
1475                 assert_eq!(unsigned_invoice.absolute_expiry(), None);
1476                 assert_eq!(unsigned_invoice.message_paths(), &[]);
1477                 assert_eq!(unsigned_invoice.issuer(), None);
1478                 assert_eq!(unsigned_invoice.supported_quantity(), Some(Quantity::One));
1479                 assert_eq!(unsigned_invoice.signing_pubkey(), recipient_pubkey());
1480                 assert_eq!(unsigned_invoice.chain(), ChainHash::using_genesis_block(Network::Bitcoin));
1481                 assert_eq!(unsigned_invoice.amount_msats(), 1000);
1482                 assert_eq!(unsigned_invoice.invoice_request_features(), &InvoiceRequestFeatures::empty());
1483                 assert_eq!(unsigned_invoice.quantity(), None);
1484                 assert_eq!(unsigned_invoice.payer_id(), payer_pubkey());
1485                 assert_eq!(unsigned_invoice.payer_note(), None);
1486                 assert_eq!(unsigned_invoice.payment_paths(), payment_paths.as_slice());
1487                 assert_eq!(unsigned_invoice.created_at(), now);
1488                 assert_eq!(unsigned_invoice.relative_expiry(), DEFAULT_RELATIVE_EXPIRY);
1489                 #[cfg(feature = "std")]
1490                 assert!(!unsigned_invoice.is_expired());
1491                 assert_eq!(unsigned_invoice.payment_hash(), payment_hash);
1492                 assert!(unsigned_invoice.fallbacks().is_empty());
1493                 assert_eq!(unsigned_invoice.invoice_features(), &Bolt12InvoiceFeatures::empty());
1494
1495                 match UnsignedBolt12Invoice::try_from(buffer) {
1496                         Err(e) => panic!("error parsing unsigned invoice: {:?}", e),
1497                         Ok(parsed) => {
1498                                 assert_eq!(parsed.bytes, unsigned_invoice.bytes);
1499                                 assert_eq!(parsed.tagged_hash, unsigned_invoice.tagged_hash);
1500                         },
1501                 }
1502
1503                 #[cfg(c_bindings)]
1504                 let mut unsigned_invoice = unsigned_invoice;
1505                 let invoice = unsigned_invoice.sign(recipient_sign).unwrap();
1506
1507                 let mut buffer = Vec::new();
1508                 invoice.write(&mut buffer).unwrap();
1509
1510                 assert_eq!(invoice.bytes, buffer.as_slice());
1511                 assert_eq!(invoice.payer_metadata(), &[1; 32]);
1512                 assert_eq!(invoice.offer_chains(), Some(vec![ChainHash::using_genesis_block(Network::Bitcoin)]));
1513                 assert_eq!(invoice.metadata(), None);
1514                 assert_eq!(invoice.amount(), Some(Amount::Bitcoin { amount_msats: 1000 }));
1515                 assert_eq!(invoice.description(), Some(PrintableString("")));
1516                 assert_eq!(invoice.offer_features(), Some(&OfferFeatures::empty()));
1517                 assert_eq!(invoice.absolute_expiry(), None);
1518                 assert_eq!(invoice.message_paths(), &[]);
1519                 assert_eq!(invoice.issuer(), None);
1520                 assert_eq!(invoice.supported_quantity(), Some(Quantity::One));
1521                 assert_eq!(invoice.signing_pubkey(), recipient_pubkey());
1522                 assert_eq!(invoice.chain(), ChainHash::using_genesis_block(Network::Bitcoin));
1523                 assert_eq!(invoice.amount_msats(), 1000);
1524                 assert_eq!(invoice.invoice_request_features(), &InvoiceRequestFeatures::empty());
1525                 assert_eq!(invoice.quantity(), None);
1526                 assert_eq!(invoice.payer_id(), payer_pubkey());
1527                 assert_eq!(invoice.payer_note(), None);
1528                 assert_eq!(invoice.payment_paths(), payment_paths.as_slice());
1529                 assert_eq!(invoice.created_at(), now);
1530                 assert_eq!(invoice.relative_expiry(), DEFAULT_RELATIVE_EXPIRY);
1531                 #[cfg(feature = "std")]
1532                 assert!(!invoice.is_expired());
1533                 assert_eq!(invoice.payment_hash(), payment_hash);
1534                 assert!(invoice.fallbacks().is_empty());
1535                 assert_eq!(invoice.invoice_features(), &Bolt12InvoiceFeatures::empty());
1536
1537                 let message = TaggedHash::from_valid_tlv_stream_bytes(SIGNATURE_TAG, &invoice.bytes);
1538                 assert!(merkle::verify_signature(&invoice.signature, &message, recipient_pubkey()).is_ok());
1539
1540                 let digest = Message::from_digest(invoice.signable_hash());
1541                 let pubkey = recipient_pubkey().into();
1542                 let secp_ctx = Secp256k1::verification_only();
1543                 assert!(secp_ctx.verify_schnorr(&invoice.signature, &digest, &pubkey).is_ok());
1544
1545                 assert_eq!(
1546                         invoice.as_tlv_stream(),
1547                         (
1548                                 PayerTlvStreamRef { metadata: Some(&vec![1; 32]) },
1549                                 OfferTlvStreamRef {
1550                                         chains: None,
1551                                         metadata: None,
1552                                         currency: None,
1553                                         amount: Some(1000),
1554                                         description: Some(&String::from("")),
1555                                         features: None,
1556                                         absolute_expiry: None,
1557                                         paths: None,
1558                                         issuer: None,
1559                                         quantity_max: None,
1560                                         node_id: Some(&recipient_pubkey()),
1561                                 },
1562                                 InvoiceRequestTlvStreamRef {
1563                                         chain: None,
1564                                         amount: None,
1565                                         features: None,
1566                                         quantity: None,
1567                                         payer_id: Some(&payer_pubkey()),
1568                                         payer_note: None,
1569                                         paths: None,
1570                                 },
1571                                 InvoiceTlvStreamRef {
1572                                         paths: Some(Iterable(payment_paths.iter().map(|(_, path)| path))),
1573                                         blindedpay: Some(Iterable(payment_paths.iter().map(|(payinfo, _)| payinfo))),
1574                                         created_at: Some(now.as_secs()),
1575                                         relative_expiry: None,
1576                                         payment_hash: Some(&payment_hash),
1577                                         amount: Some(1000),
1578                                         fallbacks: None,
1579                                         features: None,
1580                                         node_id: Some(&recipient_pubkey()),
1581                                 },
1582                                 SignatureTlvStreamRef { signature: Some(&invoice.signature()) },
1583                         ),
1584                 );
1585
1586                 if let Err(e) = Bolt12Invoice::try_from(buffer) {
1587                         panic!("error parsing invoice: {:?}", e);
1588                 }
1589         }
1590
1591         #[test]
1592         fn builds_invoice_for_refund_with_defaults() {
1593                 let payment_paths = payment_paths();
1594                 let payment_hash = payment_hash();
1595                 let now = now();
1596                 let invoice = RefundBuilder::new(vec![1; 32], payer_pubkey(), 1000).unwrap()
1597                         .build().unwrap()
1598                         .respond_with_no_std(payment_paths.clone(), payment_hash, recipient_pubkey(), now)
1599                         .unwrap()
1600                         .build().unwrap()
1601                         .sign(recipient_sign).unwrap();
1602
1603                 let mut buffer = Vec::new();
1604                 invoice.write(&mut buffer).unwrap();
1605
1606                 assert_eq!(invoice.bytes, buffer.as_slice());
1607                 assert_eq!(invoice.payer_metadata(), &[1; 32]);
1608                 assert_eq!(invoice.offer_chains(), None);
1609                 assert_eq!(invoice.metadata(), None);
1610                 assert_eq!(invoice.amount(), None);
1611                 assert_eq!(invoice.description(), Some(PrintableString("")));
1612                 assert_eq!(invoice.offer_features(), None);
1613                 assert_eq!(invoice.absolute_expiry(), None);
1614                 assert_eq!(invoice.message_paths(), &[]);
1615                 assert_eq!(invoice.issuer(), None);
1616                 assert_eq!(invoice.supported_quantity(), None);
1617                 assert_eq!(invoice.signing_pubkey(), recipient_pubkey());
1618                 assert_eq!(invoice.chain(), ChainHash::using_genesis_block(Network::Bitcoin));
1619                 assert_eq!(invoice.amount_msats(), 1000);
1620                 assert_eq!(invoice.invoice_request_features(), &InvoiceRequestFeatures::empty());
1621                 assert_eq!(invoice.quantity(), None);
1622                 assert_eq!(invoice.payer_id(), payer_pubkey());
1623                 assert_eq!(invoice.payer_note(), None);
1624                 assert_eq!(invoice.payment_paths(), payment_paths.as_slice());
1625                 assert_eq!(invoice.created_at(), now);
1626                 assert_eq!(invoice.relative_expiry(), DEFAULT_RELATIVE_EXPIRY);
1627                 #[cfg(feature = "std")]
1628                 assert!(!invoice.is_expired());
1629                 assert_eq!(invoice.payment_hash(), payment_hash);
1630                 assert!(invoice.fallbacks().is_empty());
1631                 assert_eq!(invoice.invoice_features(), &Bolt12InvoiceFeatures::empty());
1632
1633                 let message = TaggedHash::from_valid_tlv_stream_bytes(SIGNATURE_TAG, &invoice.bytes);
1634                 assert!(merkle::verify_signature(&invoice.signature, &message, recipient_pubkey()).is_ok());
1635
1636                 assert_eq!(
1637                         invoice.as_tlv_stream(),
1638                         (
1639                                 PayerTlvStreamRef { metadata: Some(&vec![1; 32]) },
1640                                 OfferTlvStreamRef {
1641                                         chains: None,
1642                                         metadata: None,
1643                                         currency: None,
1644                                         amount: None,
1645                                         description: Some(&String::from("")),
1646                                         features: None,
1647                                         absolute_expiry: None,
1648                                         paths: None,
1649                                         issuer: None,
1650                                         quantity_max: None,
1651                                         node_id: None,
1652                                 },
1653                                 InvoiceRequestTlvStreamRef {
1654                                         chain: None,
1655                                         amount: Some(1000),
1656                                         features: None,
1657                                         quantity: None,
1658                                         payer_id: Some(&payer_pubkey()),
1659                                         payer_note: None,
1660                                         paths: None,
1661                                 },
1662                                 InvoiceTlvStreamRef {
1663                                         paths: Some(Iterable(payment_paths.iter().map(|(_, path)| path))),
1664                                         blindedpay: Some(Iterable(payment_paths.iter().map(|(payinfo, _)| payinfo))),
1665                                         created_at: Some(now.as_secs()),
1666                                         relative_expiry: None,
1667                                         payment_hash: Some(&payment_hash),
1668                                         amount: Some(1000),
1669                                         fallbacks: None,
1670                                         features: None,
1671                                         node_id: Some(&recipient_pubkey()),
1672                                 },
1673                                 SignatureTlvStreamRef { signature: Some(&invoice.signature()) },
1674                         ),
1675                 );
1676
1677                 if let Err(e) = Bolt12Invoice::try_from(buffer) {
1678                         panic!("error parsing invoice: {:?}", e);
1679                 }
1680         }
1681
1682         #[cfg(feature = "std")]
1683         #[test]
1684         fn builds_invoice_from_offer_with_expiration() {
1685                 let future_expiry = Duration::from_secs(u64::max_value());
1686                 let past_expiry = Duration::from_secs(0);
1687
1688                 if let Err(e) = OfferBuilder::new(recipient_pubkey())
1689                         .amount_msats(1000)
1690                         .absolute_expiry(future_expiry)
1691                         .build().unwrap()
1692                         .request_invoice(vec![1; 32], payer_pubkey()).unwrap()
1693                         .build().unwrap()
1694                         .sign(payer_sign).unwrap()
1695                         .respond_with(payment_paths(), payment_hash())
1696                         .unwrap()
1697                         .build()
1698                 {
1699                         panic!("error building invoice: {:?}", e);
1700                 }
1701
1702                 match OfferBuilder::new(recipient_pubkey())
1703                         .amount_msats(1000)
1704                         .absolute_expiry(past_expiry)
1705                         .build().unwrap()
1706                         .request_invoice(vec![1; 32], payer_pubkey()).unwrap()
1707                         .build_unchecked()
1708                         .sign(payer_sign).unwrap()
1709                         .respond_with(payment_paths(), payment_hash())
1710                         .unwrap()
1711                         .build()
1712                 {
1713                         Ok(_) => panic!("expected error"),
1714                         Err(e) => assert_eq!(e, Bolt12SemanticError::AlreadyExpired),
1715                 }
1716         }
1717
1718         #[cfg(feature = "std")]
1719         #[test]
1720         fn builds_invoice_from_refund_with_expiration() {
1721                 let future_expiry = Duration::from_secs(u64::max_value());
1722                 let past_expiry = Duration::from_secs(0);
1723
1724                 if let Err(e) = RefundBuilder::new(vec![1; 32], payer_pubkey(), 1000).unwrap()
1725                         .absolute_expiry(future_expiry)
1726                         .build().unwrap()
1727                         .respond_with(payment_paths(), payment_hash(), recipient_pubkey())
1728                         .unwrap()
1729                         .build()
1730                 {
1731                         panic!("error building invoice: {:?}", e);
1732                 }
1733
1734                 match RefundBuilder::new(vec![1; 32], payer_pubkey(), 1000).unwrap()
1735                         .absolute_expiry(past_expiry)
1736                         .build().unwrap()
1737                         .respond_with(payment_paths(), payment_hash(), recipient_pubkey())
1738                         .unwrap()
1739                         .build()
1740                 {
1741                         Ok(_) => panic!("expected error"),
1742                         Err(e) => assert_eq!(e, Bolt12SemanticError::AlreadyExpired),
1743                 }
1744         }
1745
1746         #[test]
1747         fn builds_invoice_from_offer_using_derived_keys() {
1748                 let node_id = recipient_pubkey();
1749                 let expanded_key = ExpandedKey::new(&KeyMaterial([42; 32]));
1750                 let entropy = FixedEntropy {};
1751                 let secp_ctx = Secp256k1::new();
1752
1753                 let blinded_path = BlindedPath {
1754                         introduction_node: IntroductionNode::NodeId(pubkey(40)),
1755                         blinding_point: pubkey(41),
1756                         blinded_hops: vec![
1757                                 BlindedHop { blinded_node_id: pubkey(42), encrypted_payload: vec![0; 43] },
1758                                 BlindedHop { blinded_node_id: node_id, encrypted_payload: vec![0; 44] },
1759                         ],
1760                 };
1761
1762                 #[cfg(c_bindings)]
1763                 use crate::offers::offer::OfferWithDerivedMetadataBuilder as OfferBuilder;
1764                 let offer = OfferBuilder
1765                         ::deriving_signing_pubkey(node_id, &expanded_key, &entropy, &secp_ctx)
1766                         .amount_msats(1000)
1767                         .path(blinded_path)
1768                         .build().unwrap();
1769                 let invoice_request = offer.request_invoice(vec![1; 32], payer_pubkey()).unwrap()
1770                         .build().unwrap()
1771                         .sign(payer_sign).unwrap();
1772
1773                 if let Err(e) = invoice_request.clone()
1774                         .verify(&expanded_key, &secp_ctx).unwrap()
1775                         .respond_using_derived_keys_no_std(payment_paths(), payment_hash(), now()).unwrap()
1776                         .build_and_sign(&secp_ctx)
1777                 {
1778                         panic!("error building invoice: {:?}", e);
1779                 }
1780
1781                 let expanded_key = ExpandedKey::new(&KeyMaterial([41; 32]));
1782                 assert!(invoice_request.verify(&expanded_key, &secp_ctx).is_err());
1783
1784                 let offer = OfferBuilder
1785                         ::deriving_signing_pubkey(node_id, &expanded_key, &entropy, &secp_ctx)
1786                         .amount_msats(1000)
1787                         // Omit the path so that node_id is used for the signing pubkey instead of deriving
1788                         .build().unwrap();
1789                 let invoice_request = offer.request_invoice(vec![1; 32], payer_pubkey()).unwrap()
1790                         .build().unwrap()
1791                         .sign(payer_sign).unwrap();
1792
1793                 match invoice_request
1794                         .verify(&expanded_key, &secp_ctx).unwrap()
1795                         .respond_using_derived_keys_no_std(payment_paths(), payment_hash(), now())
1796                 {
1797                         Ok(_) => panic!("expected error"),
1798                         Err(e) => assert_eq!(e, Bolt12SemanticError::InvalidMetadata),
1799                 }
1800         }
1801
1802         #[test]
1803         fn builds_invoice_from_refund_using_derived_keys() {
1804                 let expanded_key = ExpandedKey::new(&KeyMaterial([42; 32]));
1805                 let entropy = FixedEntropy {};
1806                 let secp_ctx = Secp256k1::new();
1807
1808                 let refund = RefundBuilder::new(vec![1; 32], payer_pubkey(), 1000).unwrap()
1809                         .build().unwrap();
1810
1811                 if let Err(e) = refund
1812                         .respond_using_derived_keys_no_std(
1813                                 payment_paths(), payment_hash(), now(), &expanded_key, &entropy
1814                         )
1815                         .unwrap()
1816                         .build_and_sign(&secp_ctx)
1817                 {
1818                         panic!("error building invoice: {:?}", e);
1819                 }
1820         }
1821
1822         #[test]
1823         fn builds_invoice_with_relative_expiry() {
1824                 let now = now();
1825                 let one_hour = Duration::from_secs(3600);
1826
1827                 let invoice = OfferBuilder::new(recipient_pubkey())
1828                         .amount_msats(1000)
1829                         .build().unwrap()
1830                         .request_invoice(vec![1; 32], payer_pubkey()).unwrap()
1831                         .build().unwrap()
1832                         .sign(payer_sign).unwrap()
1833                         .respond_with_no_std(payment_paths(), payment_hash(), now).unwrap()
1834                         .relative_expiry(one_hour.as_secs() as u32)
1835                         .build().unwrap()
1836                         .sign(recipient_sign).unwrap();
1837                 let (_, _, _, tlv_stream, _) = invoice.as_tlv_stream();
1838                 #[cfg(feature = "std")]
1839                 assert!(!invoice.is_expired());
1840                 assert_eq!(invoice.relative_expiry(), one_hour);
1841                 assert_eq!(tlv_stream.relative_expiry, Some(one_hour.as_secs() as u32));
1842
1843                 let invoice = OfferBuilder::new(recipient_pubkey())
1844                         .amount_msats(1000)
1845                         .build().unwrap()
1846                         .request_invoice(vec![1; 32], payer_pubkey()).unwrap()
1847                         .build().unwrap()
1848                         .sign(payer_sign).unwrap()
1849                         .respond_with_no_std(payment_paths(), payment_hash(), now - one_hour).unwrap()
1850                         .relative_expiry(one_hour.as_secs() as u32 - 1)
1851                         .build().unwrap()
1852                         .sign(recipient_sign).unwrap();
1853                 let (_, _, _, tlv_stream, _) = invoice.as_tlv_stream();
1854                 #[cfg(feature = "std")]
1855                 assert!(invoice.is_expired());
1856                 assert_eq!(invoice.relative_expiry(), one_hour - Duration::from_secs(1));
1857                 assert_eq!(tlv_stream.relative_expiry, Some(one_hour.as_secs() as u32 - 1));
1858         }
1859
1860         #[test]
1861         fn builds_invoice_with_amount_from_request() {
1862                 let invoice = OfferBuilder::new(recipient_pubkey())
1863                         .amount_msats(1000)
1864                         .build().unwrap()
1865                         .request_invoice(vec![1; 32], payer_pubkey()).unwrap()
1866                         .amount_msats(1001).unwrap()
1867                         .build().unwrap()
1868                         .sign(payer_sign).unwrap()
1869                         .respond_with_no_std(payment_paths(), payment_hash(), now()).unwrap()
1870                         .build().unwrap()
1871                         .sign(recipient_sign).unwrap();
1872                 let (_, _, _, tlv_stream, _) = invoice.as_tlv_stream();
1873                 assert_eq!(invoice.amount_msats(), 1001);
1874                 assert_eq!(tlv_stream.amount, Some(1001));
1875         }
1876
1877         #[test]
1878         fn builds_invoice_with_quantity_from_request() {
1879                 let invoice = OfferBuilder::new(recipient_pubkey())
1880                         .amount_msats(1000)
1881                         .supported_quantity(Quantity::Unbounded)
1882                         .build().unwrap()
1883                         .request_invoice(vec![1; 32], payer_pubkey()).unwrap()
1884                         .quantity(2).unwrap()
1885                         .build().unwrap()
1886                         .sign(payer_sign).unwrap()
1887                         .respond_with_no_std(payment_paths(), payment_hash(), now()).unwrap()
1888                         .build().unwrap()
1889                         .sign(recipient_sign).unwrap();
1890                 let (_, _, _, tlv_stream, _) = invoice.as_tlv_stream();
1891                 assert_eq!(invoice.amount_msats(), 2000);
1892                 assert_eq!(tlv_stream.amount, Some(2000));
1893
1894                 match OfferBuilder::new(recipient_pubkey())
1895                         .amount_msats(1000)
1896                         .supported_quantity(Quantity::Unbounded)
1897                         .build().unwrap()
1898                         .request_invoice(vec![1; 32], payer_pubkey()).unwrap()
1899                         .quantity(u64::max_value()).unwrap()
1900                         .build_unchecked()
1901                         .sign(payer_sign).unwrap()
1902                         .respond_with_no_std(payment_paths(), payment_hash(), now())
1903                 {
1904                         Ok(_) => panic!("expected error"),
1905                         Err(e) => assert_eq!(e, Bolt12SemanticError::InvalidAmount),
1906                 }
1907         }
1908
1909         #[test]
1910         fn builds_invoice_with_fallback_address() {
1911                 let script = ScriptBuf::new();
1912                 let pubkey = bitcoin::key::PublicKey::new(recipient_pubkey());
1913                 let x_only_pubkey = XOnlyPublicKey::from_keypair(&recipient_keys()).0;
1914                 let tweaked_pubkey = TweakedPublicKey::dangerous_assume_tweaked(x_only_pubkey);
1915
1916                 let invoice = OfferBuilder::new(recipient_pubkey())
1917                         .amount_msats(1000)
1918                         .build().unwrap()
1919                         .request_invoice(vec![1; 32], payer_pubkey()).unwrap()
1920                         .build().unwrap()
1921                         .sign(payer_sign).unwrap()
1922                         .respond_with_no_std(payment_paths(), payment_hash(), now()).unwrap()
1923                         .fallback_v0_p2wsh(&script.wscript_hash())
1924                         .fallback_v0_p2wpkh(&pubkey.wpubkey_hash().unwrap())
1925                         .fallback_v1_p2tr_tweaked(&tweaked_pubkey)
1926                         .build().unwrap()
1927                         .sign(recipient_sign).unwrap();
1928                 let (_, _, _, tlv_stream, _) = invoice.as_tlv_stream();
1929                 assert_eq!(
1930                         invoice.fallbacks(),
1931                         vec![
1932                                 Address::p2wsh(&script, Network::Bitcoin),
1933                                 Address::p2wpkh(&pubkey, Network::Bitcoin).unwrap(),
1934                                 Address::p2tr_tweaked(tweaked_pubkey, Network::Bitcoin),
1935                         ],
1936                 );
1937                 assert_eq!(
1938                         tlv_stream.fallbacks,
1939                         Some(&vec![
1940                                 FallbackAddress {
1941                                         version: WitnessVersion::V0.to_num(),
1942                                         program: Vec::from(script.wscript_hash().to_byte_array()),
1943                                 },
1944                                 FallbackAddress {
1945                                         version: WitnessVersion::V0.to_num(),
1946                                         program: Vec::from(pubkey.wpubkey_hash().unwrap().to_byte_array()),
1947                                 },
1948                                 FallbackAddress {
1949                                         version: WitnessVersion::V1.to_num(),
1950                                         program: Vec::from(&tweaked_pubkey.serialize()[..]),
1951                                 },
1952                         ])
1953                 );
1954         }
1955
1956         #[test]
1957         fn builds_invoice_with_allow_mpp() {
1958                 let mut features = Bolt12InvoiceFeatures::empty();
1959                 features.set_basic_mpp_optional();
1960
1961                 let invoice = OfferBuilder::new(recipient_pubkey())
1962                         .amount_msats(1000)
1963                         .build().unwrap()
1964                         .request_invoice(vec![1; 32], payer_pubkey()).unwrap()
1965                         .build().unwrap()
1966                         .sign(payer_sign).unwrap()
1967                         .respond_with_no_std(payment_paths(), payment_hash(), now()).unwrap()
1968                         .allow_mpp()
1969                         .build().unwrap()
1970                         .sign(recipient_sign).unwrap();
1971                 let (_, _, _, tlv_stream, _) = invoice.as_tlv_stream();
1972                 assert_eq!(invoice.invoice_features(), &features);
1973                 assert_eq!(tlv_stream.features, Some(&features));
1974         }
1975
1976         #[test]
1977         fn fails_signing_invoice() {
1978                 match OfferBuilder::new(recipient_pubkey())
1979                         .amount_msats(1000)
1980                         .build().unwrap()
1981                         .request_invoice(vec![1; 32], payer_pubkey()).unwrap()
1982                         .build().unwrap()
1983                         .sign(payer_sign).unwrap()
1984                         .respond_with_no_std(payment_paths(), payment_hash(), now()).unwrap()
1985                         .build().unwrap()
1986                         .sign(fail_sign)
1987                 {
1988                         Ok(_) => panic!("expected error"),
1989                         Err(e) => assert_eq!(e, SignError::Signing),
1990                 }
1991
1992                 match OfferBuilder::new(recipient_pubkey())
1993                         .amount_msats(1000)
1994                         .build().unwrap()
1995                         .request_invoice(vec![1; 32], payer_pubkey()).unwrap()
1996                         .build().unwrap()
1997                         .sign(payer_sign).unwrap()
1998                         .respond_with_no_std(payment_paths(), payment_hash(), now()).unwrap()
1999                         .build().unwrap()
2000                         .sign(payer_sign)
2001                 {
2002                         Ok(_) => panic!("expected error"),
2003                         Err(e) => assert_eq!(e, SignError::Verification(secp256k1::Error::InvalidSignature)),
2004                 }
2005         }
2006
2007         #[test]
2008         fn parses_invoice_with_payment_paths() {
2009                 let invoice = OfferBuilder::new(recipient_pubkey())
2010                         .amount_msats(1000)
2011                         .build().unwrap()
2012                         .request_invoice(vec![1; 32], payer_pubkey()).unwrap()
2013                         .build().unwrap()
2014                         .sign(payer_sign).unwrap()
2015                         .respond_with_no_std(payment_paths(), payment_hash(), now()).unwrap()
2016                         .build().unwrap()
2017                         .sign(recipient_sign).unwrap();
2018
2019                 let mut buffer = Vec::new();
2020                 invoice.write(&mut buffer).unwrap();
2021
2022                 if let Err(e) = Bolt12Invoice::try_from(buffer) {
2023                         panic!("error parsing invoice: {:?}", e);
2024                 }
2025
2026                 let mut tlv_stream = invoice.as_tlv_stream();
2027                 tlv_stream.3.paths = None;
2028
2029                 match Bolt12Invoice::try_from(tlv_stream.to_bytes()) {
2030                         Ok(_) => panic!("expected error"),
2031                         Err(e) => assert_eq!(e, Bolt12ParseError::InvalidSemantics(Bolt12SemanticError::MissingPaths)),
2032                 }
2033
2034                 let mut tlv_stream = invoice.as_tlv_stream();
2035                 tlv_stream.3.blindedpay = None;
2036
2037                 match Bolt12Invoice::try_from(tlv_stream.to_bytes()) {
2038                         Ok(_) => panic!("expected error"),
2039                         Err(e) => assert_eq!(e, Bolt12ParseError::InvalidSemantics(Bolt12SemanticError::InvalidPayInfo)),
2040                 }
2041
2042                 let empty_payment_paths = vec![];
2043                 let mut tlv_stream = invoice.as_tlv_stream();
2044                 tlv_stream.3.paths = Some(Iterable(empty_payment_paths.iter().map(|(_, path)| path)));
2045
2046                 match Bolt12Invoice::try_from(tlv_stream.to_bytes()) {
2047                         Ok(_) => panic!("expected error"),
2048                         Err(e) => assert_eq!(e, Bolt12ParseError::InvalidSemantics(Bolt12SemanticError::MissingPaths)),
2049                 }
2050
2051                 let mut payment_paths = payment_paths();
2052                 payment_paths.pop();
2053                 let mut tlv_stream = invoice.as_tlv_stream();
2054                 tlv_stream.3.blindedpay = Some(Iterable(payment_paths.iter().map(|(payinfo, _)| payinfo)));
2055
2056                 match Bolt12Invoice::try_from(tlv_stream.to_bytes()) {
2057                         Ok(_) => panic!("expected error"),
2058                         Err(e) => assert_eq!(e, Bolt12ParseError::InvalidSemantics(Bolt12SemanticError::InvalidPayInfo)),
2059                 }
2060         }
2061
2062         #[test]
2063         fn parses_invoice_with_created_at() {
2064                 let invoice = OfferBuilder::new(recipient_pubkey())
2065                         .amount_msats(1000)
2066                         .build().unwrap()
2067                         .request_invoice(vec![1; 32], payer_pubkey()).unwrap()
2068                         .build().unwrap()
2069                         .sign(payer_sign).unwrap()
2070                         .respond_with_no_std(payment_paths(), payment_hash(), now()).unwrap()
2071                         .build().unwrap()
2072                         .sign(recipient_sign).unwrap();
2073
2074                 let mut buffer = Vec::new();
2075                 invoice.write(&mut buffer).unwrap();
2076
2077                 if let Err(e) = Bolt12Invoice::try_from(buffer) {
2078                         panic!("error parsing invoice: {:?}", e);
2079                 }
2080
2081                 let mut tlv_stream = invoice.as_tlv_stream();
2082                 tlv_stream.3.created_at = None;
2083
2084                 match Bolt12Invoice::try_from(tlv_stream.to_bytes()) {
2085                         Ok(_) => panic!("expected error"),
2086                         Err(e) => {
2087                                 assert_eq!(e, Bolt12ParseError::InvalidSemantics(Bolt12SemanticError::MissingCreationTime));
2088                         },
2089                 }
2090         }
2091
2092         #[test]
2093         fn parses_invoice_with_relative_expiry() {
2094                 let invoice = OfferBuilder::new(recipient_pubkey())
2095                         .amount_msats(1000)
2096                         .build().unwrap()
2097                         .request_invoice(vec![1; 32], payer_pubkey()).unwrap()
2098                         .build().unwrap()
2099                         .sign(payer_sign).unwrap()
2100                         .respond_with_no_std(payment_paths(), payment_hash(), now()).unwrap()
2101                         .relative_expiry(3600)
2102                         .build().unwrap()
2103                         .sign(recipient_sign).unwrap();
2104
2105                 let mut buffer = Vec::new();
2106                 invoice.write(&mut buffer).unwrap();
2107
2108                 match Bolt12Invoice::try_from(buffer) {
2109                         Ok(invoice) => assert_eq!(invoice.relative_expiry(), Duration::from_secs(3600)),
2110                         Err(e) => panic!("error parsing invoice: {:?}", e),
2111                 }
2112         }
2113
2114         #[test]
2115         fn parses_invoice_with_payment_hash() {
2116                 let invoice = OfferBuilder::new(recipient_pubkey())
2117                         .amount_msats(1000)
2118                         .build().unwrap()
2119                         .request_invoice(vec![1; 32], payer_pubkey()).unwrap()
2120                         .build().unwrap()
2121                         .sign(payer_sign).unwrap()
2122                         .respond_with_no_std(payment_paths(), payment_hash(), now()).unwrap()
2123                         .build().unwrap()
2124                         .sign(recipient_sign).unwrap();
2125
2126                 let mut buffer = Vec::new();
2127                 invoice.write(&mut buffer).unwrap();
2128
2129                 if let Err(e) = Bolt12Invoice::try_from(buffer) {
2130                         panic!("error parsing invoice: {:?}", e);
2131                 }
2132
2133                 let mut tlv_stream = invoice.as_tlv_stream();
2134                 tlv_stream.3.payment_hash = None;
2135
2136                 match Bolt12Invoice::try_from(tlv_stream.to_bytes()) {
2137                         Ok(_) => panic!("expected error"),
2138                         Err(e) => {
2139                                 assert_eq!(e, Bolt12ParseError::InvalidSemantics(Bolt12SemanticError::MissingPaymentHash));
2140                         },
2141                 }
2142         }
2143
2144         #[test]
2145         fn parses_invoice_with_amount() {
2146                 let invoice = OfferBuilder::new(recipient_pubkey())
2147                         .amount_msats(1000)
2148                         .build().unwrap()
2149                         .request_invoice(vec![1; 32], payer_pubkey()).unwrap()
2150                         .build().unwrap()
2151                         .sign(payer_sign).unwrap()
2152                         .respond_with_no_std(payment_paths(), payment_hash(), now()).unwrap()
2153                         .build().unwrap()
2154                         .sign(recipient_sign).unwrap();
2155
2156                 let mut buffer = Vec::new();
2157                 invoice.write(&mut buffer).unwrap();
2158
2159                 if let Err(e) = Bolt12Invoice::try_from(buffer) {
2160                         panic!("error parsing invoice: {:?}", e);
2161                 }
2162
2163                 let mut tlv_stream = invoice.as_tlv_stream();
2164                 tlv_stream.3.amount = None;
2165
2166                 match Bolt12Invoice::try_from(tlv_stream.to_bytes()) {
2167                         Ok(_) => panic!("expected error"),
2168                         Err(e) => assert_eq!(e, Bolt12ParseError::InvalidSemantics(Bolt12SemanticError::MissingAmount)),
2169                 }
2170         }
2171
2172         #[test]
2173         fn parses_invoice_with_allow_mpp() {
2174                 let invoice = OfferBuilder::new(recipient_pubkey())
2175                         .amount_msats(1000)
2176                         .build().unwrap()
2177                         .request_invoice(vec![1; 32], payer_pubkey()).unwrap()
2178                         .build().unwrap()
2179                         .sign(payer_sign).unwrap()
2180                         .respond_with_no_std(payment_paths(), payment_hash(), now()).unwrap()
2181                         .allow_mpp()
2182                         .build().unwrap()
2183                         .sign(recipient_sign).unwrap();
2184
2185                 let mut buffer = Vec::new();
2186                 invoice.write(&mut buffer).unwrap();
2187
2188                 match Bolt12Invoice::try_from(buffer) {
2189                         Ok(invoice) => {
2190                                 let mut features = Bolt12InvoiceFeatures::empty();
2191                                 features.set_basic_mpp_optional();
2192                                 assert_eq!(invoice.invoice_features(), &features);
2193                         },
2194                         Err(e) => panic!("error parsing invoice: {:?}", e),
2195                 }
2196         }
2197
2198         #[test]
2199         fn parses_invoice_with_fallback_address() {
2200                 let script = ScriptBuf::new();
2201                 let pubkey = bitcoin::key::PublicKey::new(recipient_pubkey());
2202                 let x_only_pubkey = XOnlyPublicKey::from_keypair(&recipient_keys()).0;
2203                 let tweaked_pubkey = TweakedPublicKey::dangerous_assume_tweaked(x_only_pubkey);
2204
2205                 let offer = OfferBuilder::new(recipient_pubkey())
2206                         .amount_msats(1000)
2207                         .build().unwrap();
2208                 let invoice_request = offer
2209                         .request_invoice(vec![1; 32], payer_pubkey()).unwrap()
2210                         .build().unwrap()
2211                         .sign(payer_sign).unwrap();
2212                 #[cfg(not(c_bindings))]
2213                 let invoice_builder = invoice_request
2214                         .respond_with_no_std(payment_paths(), payment_hash(), now()).unwrap();
2215                 #[cfg(c_bindings)]
2216                 let mut invoice_builder = invoice_request
2217                         .respond_with_no_std(payment_paths(), payment_hash(), now()).unwrap();
2218                 let invoice_builder = invoice_builder
2219                         .fallback_v0_p2wsh(&script.wscript_hash())
2220                         .fallback_v0_p2wpkh(&pubkey.wpubkey_hash().unwrap())
2221                         .fallback_v1_p2tr_tweaked(&tweaked_pubkey);
2222                 #[cfg(not(c_bindings))]
2223                 let mut invoice_builder = invoice_builder;
2224
2225                 // Only standard addresses will be included.
2226                 let fallbacks = invoice_builder.invoice.fields_mut().fallbacks.as_mut().unwrap();
2227                 // Non-standard addresses
2228                 fallbacks.push(FallbackAddress { version: 1, program: vec![0u8; 41] });
2229                 fallbacks.push(FallbackAddress { version: 2, program: vec![0u8; 1] });
2230                 fallbacks.push(FallbackAddress { version: 17, program: vec![0u8; 40] });
2231                 // Standard address
2232                 fallbacks.push(FallbackAddress { version: 1, program: vec![0u8; 33] });
2233                 fallbacks.push(FallbackAddress { version: 2, program: vec![0u8; 40] });
2234
2235                 let invoice = invoice_builder.build().unwrap().sign(recipient_sign).unwrap();
2236                 let mut buffer = Vec::new();
2237                 invoice.write(&mut buffer).unwrap();
2238
2239                 match Bolt12Invoice::try_from(buffer) {
2240                         Ok(invoice) => {
2241                                 let v1_witness_program = WitnessProgram::new(WitnessVersion::V1, vec![0u8; 33]).unwrap();
2242                                 let v2_witness_program = WitnessProgram::new(WitnessVersion::V2, vec![0u8; 40]).unwrap();
2243                                 assert_eq!(
2244                                         invoice.fallbacks(),
2245                                         vec![
2246                                                 Address::p2wsh(&script, Network::Bitcoin),
2247                                                 Address::p2wpkh(&pubkey, Network::Bitcoin).unwrap(),
2248                                                 Address::p2tr_tweaked(tweaked_pubkey, Network::Bitcoin),
2249                                                 Address::new(Network::Bitcoin, Payload::WitnessProgram(v1_witness_program)),
2250                                                 Address::new(Network::Bitcoin, Payload::WitnessProgram(v2_witness_program)),
2251                                         ],
2252                                 );
2253                         },
2254                         Err(e) => panic!("error parsing invoice: {:?}", e),
2255                 }
2256         }
2257
2258         #[test]
2259         fn parses_invoice_with_node_id() {
2260                 let invoice = OfferBuilder::new(recipient_pubkey())
2261                         .amount_msats(1000)
2262                         .build().unwrap()
2263                         .request_invoice(vec![1; 32], payer_pubkey()).unwrap()
2264                         .build().unwrap()
2265                         .sign(payer_sign).unwrap()
2266                         .respond_with_no_std(payment_paths(), payment_hash(), now()).unwrap()
2267                         .build().unwrap()
2268                         .sign(recipient_sign).unwrap();
2269
2270                 let mut buffer = Vec::new();
2271                 invoice.write(&mut buffer).unwrap();
2272
2273                 if let Err(e) = Bolt12Invoice::try_from(buffer) {
2274                         panic!("error parsing invoice: {:?}", e);
2275                 }
2276
2277                 let mut tlv_stream = invoice.as_tlv_stream();
2278                 tlv_stream.3.node_id = None;
2279
2280                 match Bolt12Invoice::try_from(tlv_stream.to_bytes()) {
2281                         Ok(_) => panic!("expected error"),
2282                         Err(e) => {
2283                                 assert_eq!(e, Bolt12ParseError::InvalidSemantics(Bolt12SemanticError::MissingSigningPubkey));
2284                         },
2285                 }
2286
2287                 let invalid_pubkey = payer_pubkey();
2288                 let mut tlv_stream = invoice.as_tlv_stream();
2289                 tlv_stream.3.node_id = Some(&invalid_pubkey);
2290
2291                 match Bolt12Invoice::try_from(tlv_stream.to_bytes()) {
2292                         Ok(_) => panic!("expected error"),
2293                         Err(e) => {
2294                                 assert_eq!(e, Bolt12ParseError::InvalidSemantics(Bolt12SemanticError::InvalidSigningPubkey));
2295                         },
2296                 }
2297         }
2298
2299         #[test]
2300         fn parses_invoice_with_node_id_from_blinded_path() {
2301                 let paths = vec![
2302                         BlindedPath {
2303                                 introduction_node: IntroductionNode::NodeId(pubkey(40)),
2304                                 blinding_point: pubkey(41),
2305                                 blinded_hops: vec![
2306                                         BlindedHop { blinded_node_id: pubkey(43), encrypted_payload: vec![0; 43] },
2307                                         BlindedHop { blinded_node_id: pubkey(44), encrypted_payload: vec![0; 44] },
2308                                 ],
2309                         },
2310                         BlindedPath {
2311                                 introduction_node: IntroductionNode::NodeId(pubkey(40)),
2312                                 blinding_point: pubkey(41),
2313                                 blinded_hops: vec![
2314                                         BlindedHop { blinded_node_id: pubkey(45), encrypted_payload: vec![0; 45] },
2315                                         BlindedHop { blinded_node_id: pubkey(46), encrypted_payload: vec![0; 46] },
2316                                 ],
2317                         },
2318                 ];
2319
2320                 let blinded_node_id_sign = |message: &UnsignedBolt12Invoice| {
2321                         let secp_ctx = Secp256k1::new();
2322                         let keys = Keypair::from_secret_key(&secp_ctx, &SecretKey::from_slice(&[46; 32]).unwrap());
2323                         Ok(secp_ctx.sign_schnorr_no_aux_rand(message.as_ref().as_digest(), &keys))
2324                 };
2325
2326                 let invoice = OfferBuilder::new(recipient_pubkey())
2327                         .clear_signing_pubkey()
2328                         .amount_msats(1000)
2329                         .path(paths[0].clone())
2330                         .path(paths[1].clone())
2331                         .build().unwrap()
2332                         .request_invoice(vec![1; 32], payer_pubkey()).unwrap()
2333                         .build().unwrap()
2334                         .sign(payer_sign).unwrap()
2335                         .respond_with_no_std_using_signing_pubkey(
2336                                 payment_paths(), payment_hash(), now(), pubkey(46)
2337                         ).unwrap()
2338                         .build().unwrap()
2339                         .sign(blinded_node_id_sign).unwrap();
2340
2341                 let mut buffer = Vec::new();
2342                 invoice.write(&mut buffer).unwrap();
2343
2344                 if let Err(e) = Bolt12Invoice::try_from(buffer) {
2345                         panic!("error parsing invoice: {:?}", e);
2346                 }
2347
2348                 let invoice = OfferBuilder::new(recipient_pubkey())
2349                         .clear_signing_pubkey()
2350                         .amount_msats(1000)
2351                         .path(paths[0].clone())
2352                         .path(paths[1].clone())
2353                         .build().unwrap()
2354                         .request_invoice(vec![1; 32], payer_pubkey()).unwrap()
2355                         .build().unwrap()
2356                         .sign(payer_sign).unwrap()
2357                         .respond_with_no_std_using_signing_pubkey(
2358                                 payment_paths(), payment_hash(), now(), recipient_pubkey()
2359                         ).unwrap()
2360                         .build().unwrap()
2361                         .sign(recipient_sign).unwrap();
2362
2363                 let mut buffer = Vec::new();
2364                 invoice.write(&mut buffer).unwrap();
2365
2366                 match Bolt12Invoice::try_from(buffer) {
2367                         Ok(_) => panic!("expected error"),
2368                         Err(e) => {
2369                                 assert_eq!(e, Bolt12ParseError::InvalidSemantics(Bolt12SemanticError::InvalidSigningPubkey));
2370                         },
2371                 }
2372         }
2373
2374         #[test]
2375         fn fails_parsing_invoice_without_signature() {
2376                 let mut buffer = Vec::new();
2377                 OfferBuilder::new(recipient_pubkey())
2378                         .amount_msats(1000)
2379                         .build().unwrap()
2380                         .request_invoice(vec![1; 32], payer_pubkey()).unwrap()
2381                         .build().unwrap()
2382                         .sign(payer_sign).unwrap()
2383                         .respond_with_no_std(payment_paths(), payment_hash(), now()).unwrap()
2384                         .build().unwrap()
2385                         .contents
2386                         .write(&mut buffer).unwrap();
2387
2388                 match Bolt12Invoice::try_from(buffer) {
2389                         Ok(_) => panic!("expected error"),
2390                         Err(e) => assert_eq!(e, Bolt12ParseError::InvalidSemantics(Bolt12SemanticError::MissingSignature)),
2391                 }
2392         }
2393
2394         #[test]
2395         fn fails_parsing_invoice_with_invalid_signature() {
2396                 let mut invoice = OfferBuilder::new(recipient_pubkey())
2397                         .amount_msats(1000)
2398                         .build().unwrap()
2399                         .request_invoice(vec![1; 32], payer_pubkey()).unwrap()
2400                         .build().unwrap()
2401                         .sign(payer_sign).unwrap()
2402                         .respond_with_no_std(payment_paths(), payment_hash(), now()).unwrap()
2403                         .build().unwrap()
2404                         .sign(recipient_sign).unwrap();
2405                 let last_signature_byte = invoice.bytes.last_mut().unwrap();
2406                 *last_signature_byte = last_signature_byte.wrapping_add(1);
2407
2408                 let mut buffer = Vec::new();
2409                 invoice.write(&mut buffer).unwrap();
2410
2411                 match Bolt12Invoice::try_from(buffer) {
2412                         Ok(_) => panic!("expected error"),
2413                         Err(e) => {
2414                                 assert_eq!(e, Bolt12ParseError::InvalidSignature(secp256k1::Error::InvalidSignature));
2415                         },
2416                 }
2417         }
2418
2419         #[test]
2420         fn fails_parsing_invoice_with_extra_tlv_records() {
2421                 let invoice = OfferBuilder::new(recipient_pubkey())
2422                         .amount_msats(1000)
2423                         .build().unwrap()
2424                         .request_invoice(vec![1; 32], payer_pubkey()).unwrap()
2425                         .build().unwrap()
2426                         .sign(payer_sign).unwrap()
2427                         .respond_with_no_std(payment_paths(), payment_hash(), now()).unwrap()
2428                         .build().unwrap()
2429                         .sign(recipient_sign).unwrap();
2430
2431                 let mut encoded_invoice = Vec::new();
2432                 invoice.write(&mut encoded_invoice).unwrap();
2433                 BigSize(1002).write(&mut encoded_invoice).unwrap();
2434                 BigSize(32).write(&mut encoded_invoice).unwrap();
2435                 [42u8; 32].write(&mut encoded_invoice).unwrap();
2436
2437                 match Bolt12Invoice::try_from(encoded_invoice) {
2438                         Ok(_) => panic!("expected error"),
2439                         Err(e) => assert_eq!(e, Bolt12ParseError::Decode(DecodeError::InvalidValue)),
2440                 }
2441         }
2442 }