Merge pull request #1083 from TheBlueMatt/2021-09-funding-timeout
[rust-lightning] / lightning / src / util / events.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 //! Events are returned from various bits in the library which indicate some action must be taken
11 //! by the client.
12 //!
13 //! Because we don't have a built-in runtime, it's up to the client to call events at a time in the
14 //! future, as well as generate and broadcast funding transactions handle payment preimages and a
15 //! few other things.
16
17 use chain::keysinterface::SpendableOutputDescriptor;
18 use ln::channelmanager::PaymentId;
19 use ln::channel::FUNDING_CONF_DEADLINE_BLOCKS;
20 use ln::msgs;
21 use ln::msgs::DecodeError;
22 use ln::{PaymentPreimage, PaymentHash, PaymentSecret};
23 use routing::network_graph::NetworkUpdate;
24 use util::ser::{BigSize, FixedLengthReader, Writeable, Writer, MaybeReadable, Readable, VecReadWrapper, VecWriteWrapper};
25 use routing::router::{RouteHop, RouteParameters};
26
27 use bitcoin::Transaction;
28 use bitcoin::blockdata::script::Script;
29 use bitcoin::hashes::Hash;
30 use bitcoin::hashes::sha256::Hash as Sha256;
31 use bitcoin::secp256k1::key::PublicKey;
32
33 use io;
34 use prelude::*;
35 use core::time::Duration;
36 use core::ops::Deref;
37 use sync::Arc;
38
39 /// Some information provided on receipt of payment depends on whether the payment received is a
40 /// spontaneous payment or a "conventional" lightning payment that's paying an invoice.
41 #[derive(Clone, Debug)]
42 pub enum PaymentPurpose {
43         /// Information for receiving a payment that we generated an invoice for.
44         InvoicePayment {
45                 /// The preimage to the payment_hash, if the payment hash (and secret) were fetched via
46                 /// [`ChannelManager::create_inbound_payment`]. If provided, this can be handed directly to
47                 /// [`ChannelManager::claim_funds`].
48                 ///
49                 /// [`ChannelManager::create_inbound_payment`]: crate::ln::channelmanager::ChannelManager::create_inbound_payment
50                 /// [`ChannelManager::claim_funds`]: crate::ln::channelmanager::ChannelManager::claim_funds
51                 payment_preimage: Option<PaymentPreimage>,
52                 /// The "payment secret". This authenticates the sender to the recipient, preventing a
53                 /// number of deanonymization attacks during the routing process.
54                 /// It is provided here for your reference, however its accuracy is enforced directly by
55                 /// [`ChannelManager`] using the values you previously provided to
56                 /// [`ChannelManager::create_inbound_payment`] or
57                 /// [`ChannelManager::create_inbound_payment_for_hash`].
58                 ///
59                 /// [`ChannelManager`]: crate::ln::channelmanager::ChannelManager
60                 /// [`ChannelManager::create_inbound_payment`]: crate::ln::channelmanager::ChannelManager::create_inbound_payment
61                 /// [`ChannelManager::create_inbound_payment_for_hash`]: crate::ln::channelmanager::ChannelManager::create_inbound_payment_for_hash
62                 payment_secret: PaymentSecret,
63                 /// This is the `user_payment_id` which was provided to
64                 /// [`ChannelManager::create_inbound_payment_for_hash`] or
65                 /// [`ChannelManager::create_inbound_payment`]. It has no meaning inside of LDK and is
66                 /// simply copied here. It may be used to correlate PaymentReceived events with invoice
67                 /// metadata stored elsewhere.
68                 ///
69                 /// [`ChannelManager::create_inbound_payment`]: crate::ln::channelmanager::ChannelManager::create_inbound_payment
70                 /// [`ChannelManager::create_inbound_payment_for_hash`]: crate::ln::channelmanager::ChannelManager::create_inbound_payment_for_hash
71                 user_payment_id: u64,
72         },
73         /// Because this is a spontaneous payment, the payer generated their own preimage rather than us
74         /// (the payee) providing a preimage.
75         SpontaneousPayment(PaymentPreimage),
76 }
77
78 #[derive(Clone, Debug, PartialEq)]
79 /// The reason the channel was closed. See individual variants more details.
80 pub enum ClosureReason {
81         /// Closure generated from receiving a peer error message.
82         ///
83         /// Our counterparty may have broadcasted their latest commitment state, and we have
84         /// as well.
85         CounterpartyForceClosed {
86                 /// The error which the peer sent us.
87                 ///
88                 /// The string should be sanitized before it is used (e.g emitted to logs
89                 /// or printed to stdout). Otherwise, a well crafted error message may exploit
90                 /// a security vulnerability in the terminal emulator or the logging subsystem.
91                 peer_msg: String,
92         },
93         /// Closure generated from [`ChannelManager::force_close_channel`], called by the user.
94         ///
95         /// [`ChannelManager::force_close_channel`]: crate::ln::channelmanager::ChannelManager::force_close_channel.
96         HolderForceClosed,
97         /// The channel was closed after negotiating a cooperative close and we've now broadcasted
98         /// the cooperative close transaction. Note the shutdown may have been initiated by us.
99         //TODO: split between CounterpartyInitiated/LocallyInitiated
100         CooperativeClosure,
101         /// A commitment transaction was confirmed on chain, closing the channel. Most likely this
102         /// commitment transaction came from our counterparty, but it may also have come from
103         /// a copy of our own `ChannelMonitor`.
104         CommitmentTxConfirmed,
105         /// The funding transaction failed to confirm in a timely manner on an inbound channel.
106         FundingTimedOut,
107         /// Closure generated from processing an event, likely a HTLC forward/relay/reception.
108         ProcessingError {
109                 /// A developer-readable error message which we generated.
110                 err: String,
111         },
112         /// The `PeerManager` informed us that we've disconnected from the peer. We close channels
113         /// if the `PeerManager` informed us that it is unlikely we'll be able to connect to the
114         /// peer again in the future or if the peer disconnected before we finished negotiating
115         /// the channel open. The first case may be caused by incompatible features which our
116         /// counterparty, or we, require.
117         //TODO: split between PeerUnconnectable/PeerDisconnected ?
118         DisconnectedPeer,
119         /// Closure generated from `ChannelManager::read` if the ChannelMonitor is newer than
120         /// the ChannelManager deserialized.
121         OutdatedChannelManager
122 }
123
124 impl core::fmt::Display for ClosureReason {
125         fn fmt(&self, f: &mut core::fmt::Formatter) -> Result<(), core::fmt::Error> {
126                 f.write_str("Channel closed because ")?;
127                 match self {
128                         ClosureReason::CounterpartyForceClosed { peer_msg } => {
129                                 f.write_str("counterparty force-closed with message ")?;
130                                 f.write_str(&peer_msg)
131                         },
132                         ClosureReason::HolderForceClosed => f.write_str("user manually force-closed the channel"),
133                         ClosureReason::CooperativeClosure => f.write_str("the channel was cooperatively closed"),
134                         ClosureReason::CommitmentTxConfirmed => f.write_str("commitment or closing transaction was confirmed on chain."),
135                         ClosureReason::FundingTimedOut => write!(f, "funding transaction failed to confirm within {} blocks", FUNDING_CONF_DEADLINE_BLOCKS),
136                         ClosureReason::ProcessingError { err } => {
137                                 f.write_str("of an exception: ")?;
138                                 f.write_str(&err)
139                         },
140                         ClosureReason::DisconnectedPeer => f.write_str("the peer disconnected prior to the channel being funded"),
141                         ClosureReason::OutdatedChannelManager => f.write_str("the ChannelManager read from disk was stale compared to ChannelMonitor(s)"),
142                 }
143         }
144 }
145
146 impl_writeable_tlv_based_enum_upgradable!(ClosureReason,
147         (0, CounterpartyForceClosed) => { (1, peer_msg, required) },
148         (1, FundingTimedOut) => {},
149         (2, HolderForceClosed) => {},
150         (6, CommitmentTxConfirmed) => {},
151         (4, CooperativeClosure) => {},
152         (8, ProcessingError) => { (1, err, required) },
153         (10, DisconnectedPeer) => {},
154         (12, OutdatedChannelManager) => {},
155 );
156
157 /// An Event which you should probably take some action in response to.
158 ///
159 /// Note that while Writeable and Readable are implemented for Event, you probably shouldn't use
160 /// them directly as they don't round-trip exactly (for example FundingGenerationReady is never
161 /// written as it makes no sense to respond to it after reconnecting to peers).
162 #[derive(Clone, Debug)]
163 pub enum Event {
164         /// Used to indicate that the client should generate a funding transaction with the given
165         /// parameters and then call ChannelManager::funding_transaction_generated.
166         /// Generated in ChannelManager message handling.
167         /// Note that *all inputs* in the funding transaction must spend SegWit outputs or your
168         /// counterparty can steal your funds!
169         FundingGenerationReady {
170                 /// The random channel_id we picked which you'll need to pass into
171                 /// ChannelManager::funding_transaction_generated.
172                 temporary_channel_id: [u8; 32],
173                 /// The value, in satoshis, that the output should have.
174                 channel_value_satoshis: u64,
175                 /// The script which should be used in the transaction output.
176                 output_script: Script,
177                 /// The `user_channel_id` value passed in to [`ChannelManager::create_channel`], or 0 for
178                 /// an inbound channel.
179                 ///
180                 /// [`ChannelManager::create_channel`]: crate::ln::channelmanager::ChannelManager::create_channel
181                 user_channel_id: u64,
182         },
183         /// Indicates we've received money! Just gotta dig out that payment preimage and feed it to
184         /// [`ChannelManager::claim_funds`] to get it....
185         /// Note that if the preimage is not known, you should call
186         /// [`ChannelManager::fail_htlc_backwards`] to free up resources for this HTLC and avoid
187         /// network congestion.
188         /// If you fail to call either [`ChannelManager::claim_funds`] or
189         /// [`ChannelManager::fail_htlc_backwards`] within the HTLC's timeout, the HTLC will be
190         /// automatically failed.
191         ///
192         /// [`ChannelManager::claim_funds`]: crate::ln::channelmanager::ChannelManager::claim_funds
193         /// [`ChannelManager::fail_htlc_backwards`]: crate::ln::channelmanager::ChannelManager::fail_htlc_backwards
194         PaymentReceived {
195                 /// The hash for which the preimage should be handed to the ChannelManager.
196                 payment_hash: PaymentHash,
197                 /// The value, in thousandths of a satoshi, that this payment is for.
198                 amt: u64,
199                 /// Information for claiming this received payment, based on whether the purpose of the
200                 /// payment is to pay an invoice or to send a spontaneous payment.
201                 purpose: PaymentPurpose,
202         },
203         /// Indicates an outbound payment we made succeeded (i.e. it made it all the way to its target
204         /// and we got back the payment preimage for it).
205         ///
206         /// Note for MPP payments: in rare cases, this event may be preceded by a `PaymentPathFailed`
207         /// event. In this situation, you SHOULD treat this payment as having succeeded.
208         PaymentSent {
209                 /// The id returned by [`ChannelManager::send_payment`] and used with
210                 /// [`ChannelManager::retry_payment`].
211                 ///
212                 /// [`ChannelManager::send_payment`]: crate::ln::channelmanager::ChannelManager::send_payment
213                 /// [`ChannelManager::retry_payment`]: crate::ln::channelmanager::ChannelManager::retry_payment
214                 payment_id: Option<PaymentId>,
215                 /// The preimage to the hash given to ChannelManager::send_payment.
216                 /// Note that this serves as a payment receipt, if you wish to have such a thing, you must
217                 /// store it somehow!
218                 payment_preimage: PaymentPreimage,
219                 /// The hash which was given to [`ChannelManager::send_payment`].
220                 ///
221                 /// [`ChannelManager::send_payment`]: crate::ln::channelmanager::ChannelManager::send_payment
222                 payment_hash: PaymentHash,
223                 /// The total fee which was spent at intermediate hops in this payment, across all paths.
224                 ///
225                 /// Note that, like [`Route::get_total_fees`] this does *not* include any potential
226                 /// overpayment to the recipient node.
227                 ///
228                 /// If the recipient or an intermediate node misbehaves and gives us free money, this may
229                 /// overstate the amount paid, though this is unlikely.
230                 ///
231                 /// [`Route::get_total_fees`]: crate::routing::router::Route::get_total_fees
232                 fee_paid_msat: Option<u64>,
233         },
234         /// Indicates an outbound payment we made failed. Probably some intermediary node dropped
235         /// something. You may wish to retry with a different route.
236         PaymentPathFailed {
237                 /// The id returned by [`ChannelManager::send_payment`] and used with
238                 /// [`ChannelManager::retry_payment`].
239                 ///
240                 /// [`ChannelManager::send_payment`]: crate::ln::channelmanager::ChannelManager::send_payment
241                 /// [`ChannelManager::retry_payment`]: crate::ln::channelmanager::ChannelManager::retry_payment
242                 payment_id: Option<PaymentId>,
243                 /// The hash which was given to ChannelManager::send_payment.
244                 payment_hash: PaymentHash,
245                 /// Indicates the payment was rejected for some reason by the recipient. This implies that
246                 /// the payment has failed, not just the route in question. If this is not set, you may
247                 /// retry the payment via a different route.
248                 rejected_by_dest: bool,
249                 /// Any failure information conveyed via the Onion return packet by a node along the failed
250                 /// payment route.
251                 ///
252                 /// Should be applied to the [`NetworkGraph`] so that routing decisions can take into
253                 /// account the update. [`NetGraphMsgHandler`] is capable of doing this.
254                 ///
255                 /// [`NetworkGraph`]: crate::routing::network_graph::NetworkGraph
256                 /// [`NetGraphMsgHandler`]: crate::routing::network_graph::NetGraphMsgHandler
257                 network_update: Option<NetworkUpdate>,
258                 /// For both single-path and multi-path payments, this is set if all paths of the payment have
259                 /// failed. This will be set to false if (1) this is an MPP payment and (2) other parts of the
260                 /// larger MPP payment were still in flight when this event was generated.
261                 all_paths_failed: bool,
262                 /// The payment path that failed.
263                 path: Vec<RouteHop>,
264                 /// The channel responsible for the failed payment path.
265                 ///
266                 /// If this is `Some`, then the corresponding channel should be avoided when the payment is
267                 /// retried. May be `None` for older [`Event`] serializations.
268                 short_channel_id: Option<u64>,
269                 /// Parameters needed to compute a new [`Route`] when retrying the failed payment path.
270                 ///
271                 /// See [`find_route`] for details.
272                 ///
273                 /// [`Route`]: crate::routing::router::Route
274                 /// [`find_route`]: crate::routing::router::find_route
275                 retry: Option<RouteParameters>,
276 #[cfg(test)]
277                 error_code: Option<u16>,
278 #[cfg(test)]
279                 error_data: Option<Vec<u8>>,
280         },
281         /// Used to indicate that ChannelManager::process_pending_htlc_forwards should be called at a
282         /// time in the future.
283         PendingHTLCsForwardable {
284                 /// The minimum amount of time that should be waited prior to calling
285                 /// process_pending_htlc_forwards. To increase the effort required to correlate payments,
286                 /// you should wait a random amount of time in roughly the range (now + time_forwardable,
287                 /// now + 5*time_forwardable).
288                 time_forwardable: Duration,
289         },
290         /// Used to indicate that an output which you should know how to spend was confirmed on chain
291         /// and is now spendable.
292         /// Such an output will *not* ever be spent by rust-lightning, and are not at risk of your
293         /// counterparty spending them due to some kind of timeout. Thus, you need to store them
294         /// somewhere and spend them when you create on-chain transactions.
295         SpendableOutputs {
296                 /// The outputs which you should store as spendable by you.
297                 outputs: Vec<SpendableOutputDescriptor>,
298         },
299         /// This event is generated when a payment has been successfully forwarded through us and a
300         /// forwarding fee earned.
301         PaymentForwarded {
302                 /// The fee, in milli-satoshis, which was earned as a result of the payment.
303                 ///
304                 /// Note that if we force-closed the channel over which we forwarded an HTLC while the HTLC
305                 /// was pending, the amount the next hop claimed will have been rounded down to the nearest
306                 /// whole satoshi. Thus, the fee calculated here may be higher than expected as we still
307                 /// claimed the full value in millisatoshis from the source. In this case,
308                 /// `claim_from_onchain_tx` will be set.
309                 ///
310                 /// If the channel which sent us the payment has been force-closed, we will claim the funds
311                 /// via an on-chain transaction. In that case we do not yet know the on-chain transaction
312                 /// fees which we will spend and will instead set this to `None`. It is possible duplicate
313                 /// `PaymentForwarded` events are generated for the same payment iff `fee_earned_msat` is
314                 /// `None`.
315                 fee_earned_msat: Option<u64>,
316                 /// If this is `true`, the forwarded HTLC was claimed by our counterparty via an on-chain
317                 /// transaction.
318                 claim_from_onchain_tx: bool,
319         },
320         /// Used to indicate that a channel with the given `channel_id` is in the process of closure.
321         ChannelClosed  {
322                 /// The channel_id of the channel which has been closed. Note that on-chain transactions
323                 /// resolving the channel are likely still awaiting confirmation.
324                 channel_id: [u8; 32],
325                 /// The `user_channel_id` value passed in to [`ChannelManager::create_channel`], or 0 for
326                 /// an inbound channel. This will always be zero for objects serialized with LDK versions
327                 /// prior to 0.0.102.
328                 ///
329                 /// [`ChannelManager::create_channel`]: crate::ln::channelmanager::ChannelManager::create_channel
330                 user_channel_id: u64,
331                 /// The reason the channel was closed.
332                 reason: ClosureReason
333         },
334         /// Used to indicate to the user that they can abandon the funding transaction and recycle the
335         /// inputs for another purpose.
336         DiscardFunding {
337                 /// The channel_id of the channel which has been closed.
338                 channel_id: [u8; 32],
339                 /// The full transaction received from the user
340                 transaction: Transaction
341         }
342 }
343
344 impl Writeable for Event {
345         fn write<W: Writer>(&self, writer: &mut W) -> Result<(), io::Error> {
346                 match self {
347                         &Event::FundingGenerationReady { .. } => {
348                                 0u8.write(writer)?;
349                                 // We never write out FundingGenerationReady events as, upon disconnection, peers
350                                 // drop any channels which have not yet exchanged funding_signed.
351                         },
352                         &Event::PaymentReceived { ref payment_hash, ref amt, ref purpose } => {
353                                 1u8.write(writer)?;
354                                 let mut payment_secret = None;
355                                 let mut user_payment_id = None;
356                                 let payment_preimage;
357                                 match &purpose {
358                                         PaymentPurpose::InvoicePayment { payment_preimage: preimage, payment_secret: secret, user_payment_id: id } => {
359                                                 payment_secret = Some(secret);
360                                                 payment_preimage = *preimage;
361                                                 user_payment_id = Some(id);
362                                         },
363                                         PaymentPurpose::SpontaneousPayment(preimage) => {
364                                                 payment_preimage = Some(*preimage);
365                                         }
366                                 }
367                                 write_tlv_fields!(writer, {
368                                         (0, payment_hash, required),
369                                         (2, payment_secret, option),
370                                         (4, amt, required),
371                                         (6, user_payment_id, option),
372                                         (8, payment_preimage, option),
373                                 });
374                         },
375                         &Event::PaymentSent { ref payment_id, ref payment_preimage, ref payment_hash, ref fee_paid_msat } => {
376                                 2u8.write(writer)?;
377                                 write_tlv_fields!(writer, {
378                                         (0, payment_preimage, required),
379                                         (1, payment_hash, required),
380                                         (3, payment_id, option),
381                                         (5, fee_paid_msat, option),
382                                 });
383                         },
384                         &Event::PaymentPathFailed {
385                                 ref payment_id, ref payment_hash, ref rejected_by_dest, ref network_update,
386                                 ref all_paths_failed, ref path, ref short_channel_id, ref retry,
387                                 #[cfg(test)]
388                                 ref error_code,
389                                 #[cfg(test)]
390                                 ref error_data,
391                         } => {
392                                 3u8.write(writer)?;
393                                 #[cfg(test)]
394                                 error_code.write(writer)?;
395                                 #[cfg(test)]
396                                 error_data.write(writer)?;
397                                 write_tlv_fields!(writer, {
398                                         (0, payment_hash, required),
399                                         (1, network_update, option),
400                                         (2, rejected_by_dest, required),
401                                         (3, all_paths_failed, required),
402                                         (5, path, vec_type),
403                                         (7, short_channel_id, option),
404                                         (9, retry, option),
405                                         (11, payment_id, option),
406                                 });
407                         },
408                         &Event::PendingHTLCsForwardable { time_forwardable: _ } => {
409                                 4u8.write(writer)?;
410                                 // Note that we now ignore these on the read end as we'll re-generate them in
411                                 // ChannelManager, we write them here only for backwards compatibility.
412                         },
413                         &Event::SpendableOutputs { ref outputs } => {
414                                 5u8.write(writer)?;
415                                 write_tlv_fields!(writer, {
416                                         (0, VecWriteWrapper(outputs), required),
417                                 });
418                         },
419                         &Event::PaymentForwarded { fee_earned_msat, claim_from_onchain_tx } => {
420                                 7u8.write(writer)?;
421                                 write_tlv_fields!(writer, {
422                                         (0, fee_earned_msat, option),
423                                         (2, claim_from_onchain_tx, required),
424                                 });
425                         },
426                         &Event::ChannelClosed { ref channel_id, ref user_channel_id, ref reason } => {
427                                 9u8.write(writer)?;
428                                 write_tlv_fields!(writer, {
429                                         (0, channel_id, required),
430                                         (1, user_channel_id, required),
431                                         (2, reason, required)
432                                 });
433                         },
434                         &Event::DiscardFunding { ref channel_id, ref transaction } => {
435                                 11u8.write(writer)?;
436                                 write_tlv_fields!(writer, {
437                                         (0, channel_id, required),
438                                         (2, transaction, required)
439                                 })
440                         },
441                         // Note that, going forward, all new events must only write data inside of
442                         // `write_tlv_fields`. Versions 0.0.101+ will ignore odd-numbered events that write
443                         // data via `write_tlv_fields`.
444                 }
445                 Ok(())
446         }
447 }
448 impl MaybeReadable for Event {
449         fn read<R: io::Read>(reader: &mut R) -> Result<Option<Self>, msgs::DecodeError> {
450                 match Readable::read(reader)? {
451                         // Note that we do not write a length-prefixed TLV for FundingGenerationReady events,
452                         // unlike all other events, thus we return immediately here.
453                         0u8 => Ok(None),
454                         1u8 => {
455                                 let f = || {
456                                         let mut payment_hash = PaymentHash([0; 32]);
457                                         let mut payment_preimage = None;
458                                         let mut payment_secret = None;
459                                         let mut amt = 0;
460                                         let mut user_payment_id = None;
461                                         read_tlv_fields!(reader, {
462                                                 (0, payment_hash, required),
463                                                 (2, payment_secret, option),
464                                                 (4, amt, required),
465                                                 (6, user_payment_id, option),
466                                                 (8, payment_preimage, option),
467                                         });
468                                         let purpose = match payment_secret {
469                                                 Some(secret) => PaymentPurpose::InvoicePayment {
470                                                         payment_preimage,
471                                                         payment_secret: secret,
472                                                         user_payment_id: if let Some(id) = user_payment_id {
473                                                                 id
474                                                         } else { return Err(msgs::DecodeError::InvalidValue) }
475                                                 },
476                                                 None if payment_preimage.is_some() => PaymentPurpose::SpontaneousPayment(payment_preimage.unwrap()),
477                                                 None => return Err(msgs::DecodeError::InvalidValue),
478                                         };
479                                         Ok(Some(Event::PaymentReceived {
480                                                 payment_hash,
481                                                 amt,
482                                                 purpose,
483                                         }))
484                                 };
485                                 f()
486                         },
487                         2u8 => {
488                                 let f = || {
489                                         let mut payment_preimage = PaymentPreimage([0; 32]);
490                                         let mut payment_hash = None;
491                                         let mut payment_id = None;
492                                         let mut fee_paid_msat = None;
493                                         read_tlv_fields!(reader, {
494                                                 (0, payment_preimage, required),
495                                                 (1, payment_hash, option),
496                                                 (3, payment_id, option),
497                                                 (5, fee_paid_msat, option),
498                                         });
499                                         if payment_hash.is_none() {
500                                                 payment_hash = Some(PaymentHash(Sha256::hash(&payment_preimage.0[..]).into_inner()));
501                                         }
502                                         Ok(Some(Event::PaymentSent {
503                                                 payment_id,
504                                                 payment_preimage,
505                                                 payment_hash: payment_hash.unwrap(),
506                                                 fee_paid_msat,
507                                         }))
508                                 };
509                                 f()
510                         },
511                         3u8 => {
512                                 let f = || {
513                                         #[cfg(test)]
514                                         let error_code = Readable::read(reader)?;
515                                         #[cfg(test)]
516                                         let error_data = Readable::read(reader)?;
517                                         let mut payment_hash = PaymentHash([0; 32]);
518                                         let mut rejected_by_dest = false;
519                                         let mut network_update = None;
520                                         let mut all_paths_failed = Some(true);
521                                         let mut path: Option<Vec<RouteHop>> = Some(vec![]);
522                                         let mut short_channel_id = None;
523                                         let mut retry = None;
524                                         let mut payment_id = None;
525                                         read_tlv_fields!(reader, {
526                                                 (0, payment_hash, required),
527                                                 (1, network_update, ignorable),
528                                                 (2, rejected_by_dest, required),
529                                                 (3, all_paths_failed, option),
530                                                 (5, path, vec_type),
531                                                 (7, short_channel_id, option),
532                                                 (9, retry, option),
533                                                 (11, payment_id, option),
534                                         });
535                                         Ok(Some(Event::PaymentPathFailed {
536                                                 payment_id,
537                                                 payment_hash,
538                                                 rejected_by_dest,
539                                                 network_update,
540                                                 all_paths_failed: all_paths_failed.unwrap(),
541                                                 path: path.unwrap(),
542                                                 short_channel_id,
543                                                 retry,
544                                                 #[cfg(test)]
545                                                 error_code,
546                                                 #[cfg(test)]
547                                                 error_data,
548                                         }))
549                                 };
550                                 f()
551                         },
552                         4u8 => Ok(None),
553                         5u8 => {
554                                 let f = || {
555                                         let mut outputs = VecReadWrapper(Vec::new());
556                                         read_tlv_fields!(reader, {
557                                                 (0, outputs, required),
558                                         });
559                                         Ok(Some(Event::SpendableOutputs { outputs: outputs.0 }))
560                                 };
561                                 f()
562                         },
563                         7u8 => {
564                                 let f = || {
565                                         let mut fee_earned_msat = None;
566                                         let mut claim_from_onchain_tx = false;
567                                         read_tlv_fields!(reader, {
568                                                 (0, fee_earned_msat, option),
569                                                 (2, claim_from_onchain_tx, required),
570                                         });
571                                         Ok(Some(Event::PaymentForwarded { fee_earned_msat, claim_from_onchain_tx }))
572                                 };
573                                 f()
574                         },
575                         9u8 => {
576                                 let f = || {
577                                         let mut channel_id = [0; 32];
578                                         let mut reason = None;
579                                         let mut user_channel_id_opt = None;
580                                         read_tlv_fields!(reader, {
581                                                 (0, channel_id, required),
582                                                 (1, user_channel_id_opt, option),
583                                                 (2, reason, ignorable),
584                                         });
585                                         if reason.is_none() { return Ok(None); }
586                                         let user_channel_id = if let Some(id) = user_channel_id_opt { id } else { 0 };
587                                         Ok(Some(Event::ChannelClosed { channel_id, user_channel_id, reason: reason.unwrap() }))
588                                 };
589                                 f()
590                         },
591                         11u8 => {
592                                 let f = || {
593                                         let mut channel_id = [0; 32];
594                                         let mut transaction = Transaction{ version: 2, lock_time: 0, input: Vec::new(), output: Vec::new() };
595                                         read_tlv_fields!(reader, {
596                                                 (0, channel_id, required),
597                                                 (2, transaction, required),
598                                         });
599                                         Ok(Some(Event::DiscardFunding { channel_id, transaction } ))
600                                 };
601                                 f()
602                         },
603                         // Versions prior to 0.0.100 did not ignore odd types, instead returning InvalidValue.
604                         // Version 0.0.100 failed to properly ignore odd types, possibly resulting in corrupt
605                         // reads.
606                         x if x % 2 == 1 => {
607                                 // If the event is of unknown type, assume it was written with `write_tlv_fields`,
608                                 // which prefixes the whole thing with a length BigSize. Because the event is
609                                 // odd-type unknown, we should treat it as `Ok(None)` even if it has some TLV
610                                 // fields that are even. Thus, we avoid using `read_tlv_fields` and simply read
611                                 // exactly the number of bytes specified, ignoring them entirely.
612                                 let tlv_len: BigSize = Readable::read(reader)?;
613                                 FixedLengthReader::new(reader, tlv_len.0)
614                                         .eat_remaining().map_err(|_| msgs::DecodeError::ShortRead)?;
615                                 Ok(None)
616                         },
617                         _ => Err(msgs::DecodeError::InvalidValue)
618                 }
619         }
620 }
621
622 /// An event generated by ChannelManager which indicates a message should be sent to a peer (or
623 /// broadcast to most peers).
624 /// These events are handled by PeerManager::process_events if you are using a PeerManager.
625 #[derive(Clone, Debug)]
626 pub enum MessageSendEvent {
627         /// Used to indicate that we've accepted a channel open and should send the accept_channel
628         /// message provided to the given peer.
629         SendAcceptChannel {
630                 /// The node_id of the node which should receive this message
631                 node_id: PublicKey,
632                 /// The message which should be sent.
633                 msg: msgs::AcceptChannel,
634         },
635         /// Used to indicate that we've initiated a channel open and should send the open_channel
636         /// message provided to the given peer.
637         SendOpenChannel {
638                 /// The node_id of the node which should receive this message
639                 node_id: PublicKey,
640                 /// The message which should be sent.
641                 msg: msgs::OpenChannel,
642         },
643         /// Used to indicate that a funding_created message should be sent to the peer with the given node_id.
644         SendFundingCreated {
645                 /// The node_id of the node which should receive this message
646                 node_id: PublicKey,
647                 /// The message which should be sent.
648                 msg: msgs::FundingCreated,
649         },
650         /// Used to indicate that a funding_signed message should be sent to the peer with the given node_id.
651         SendFundingSigned {
652                 /// The node_id of the node which should receive this message
653                 node_id: PublicKey,
654                 /// The message which should be sent.
655                 msg: msgs::FundingSigned,
656         },
657         /// Used to indicate that a funding_locked message should be sent to the peer with the given node_id.
658         SendFundingLocked {
659                 /// The node_id of the node which should receive these message(s)
660                 node_id: PublicKey,
661                 /// The funding_locked message which should be sent.
662                 msg: msgs::FundingLocked,
663         },
664         /// Used to indicate that an announcement_signatures message should be sent to the peer with the given node_id.
665         SendAnnouncementSignatures {
666                 /// The node_id of the node which should receive these message(s)
667                 node_id: PublicKey,
668                 /// The announcement_signatures message which should be sent.
669                 msg: msgs::AnnouncementSignatures,
670         },
671         /// Used to indicate that a series of HTLC update messages, as well as a commitment_signed
672         /// message should be sent to the peer with the given node_id.
673         UpdateHTLCs {
674                 /// The node_id of the node which should receive these message(s)
675                 node_id: PublicKey,
676                 /// The update messages which should be sent. ALL messages in the struct should be sent!
677                 updates: msgs::CommitmentUpdate,
678         },
679         /// Used to indicate that a revoke_and_ack message should be sent to the peer with the given node_id.
680         SendRevokeAndACK {
681                 /// The node_id of the node which should receive this message
682                 node_id: PublicKey,
683                 /// The message which should be sent.
684                 msg: msgs::RevokeAndACK,
685         },
686         /// Used to indicate that a closing_signed message should be sent to the peer with the given node_id.
687         SendClosingSigned {
688                 /// The node_id of the node which should receive this message
689                 node_id: PublicKey,
690                 /// The message which should be sent.
691                 msg: msgs::ClosingSigned,
692         },
693         /// Used to indicate that a shutdown message should be sent to the peer with the given node_id.
694         SendShutdown {
695                 /// The node_id of the node which should receive this message
696                 node_id: PublicKey,
697                 /// The message which should be sent.
698                 msg: msgs::Shutdown,
699         },
700         /// Used to indicate that a channel_reestablish message should be sent to the peer with the given node_id.
701         SendChannelReestablish {
702                 /// The node_id of the node which should receive this message
703                 node_id: PublicKey,
704                 /// The message which should be sent.
705                 msg: msgs::ChannelReestablish,
706         },
707         /// Used to indicate that a channel_announcement and channel_update should be broadcast to all
708         /// peers (except the peer with node_id either msg.contents.node_id_1 or msg.contents.node_id_2).
709         ///
710         /// Note that after doing so, you very likely (unless you did so very recently) want to call
711         /// ChannelManager::broadcast_node_announcement to trigger a BroadcastNodeAnnouncement event.
712         /// This ensures that any nodes which see our channel_announcement also have a relevant
713         /// node_announcement, including relevant feature flags which may be important for routing
714         /// through or to us.
715         BroadcastChannelAnnouncement {
716                 /// The channel_announcement which should be sent.
717                 msg: msgs::ChannelAnnouncement,
718                 /// The followup channel_update which should be sent.
719                 update_msg: msgs::ChannelUpdate,
720         },
721         /// Used to indicate that a node_announcement should be broadcast to all peers.
722         BroadcastNodeAnnouncement {
723                 /// The node_announcement which should be sent.
724                 msg: msgs::NodeAnnouncement,
725         },
726         /// Used to indicate that a channel_update should be broadcast to all peers.
727         BroadcastChannelUpdate {
728                 /// The channel_update which should be sent.
729                 msg: msgs::ChannelUpdate,
730         },
731         /// Used to indicate that a channel_update should be sent to a single peer.
732         /// In contrast to [`Self::BroadcastChannelUpdate`], this is used when the channel is a
733         /// private channel and we shouldn't be informing all of our peers of channel parameters.
734         SendChannelUpdate {
735                 /// The node_id of the node which should receive this message
736                 node_id: PublicKey,
737                 /// The channel_update which should be sent.
738                 msg: msgs::ChannelUpdate,
739         },
740         /// Broadcast an error downstream to be handled
741         HandleError {
742                 /// The node_id of the node which should receive this message
743                 node_id: PublicKey,
744                 /// The action which should be taken.
745                 action: msgs::ErrorAction
746         },
747         /// Query a peer for channels with funding transaction UTXOs in a block range.
748         SendChannelRangeQuery {
749                 /// The node_id of this message recipient
750                 node_id: PublicKey,
751                 /// The query_channel_range which should be sent.
752                 msg: msgs::QueryChannelRange,
753         },
754         /// Request routing gossip messages from a peer for a list of channels identified by
755         /// their short_channel_ids.
756         SendShortIdsQuery {
757                 /// The node_id of this message recipient
758                 node_id: PublicKey,
759                 /// The query_short_channel_ids which should be sent.
760                 msg: msgs::QueryShortChannelIds,
761         },
762         /// Sends a reply to a channel range query. This may be one of several SendReplyChannelRange events
763         /// emitted during processing of the query.
764         SendReplyChannelRange {
765                 /// The node_id of this message recipient
766                 node_id: PublicKey,
767                 /// The reply_channel_range which should be sent.
768                 msg: msgs::ReplyChannelRange,
769         }
770 }
771
772 /// A trait indicating an object may generate message send events
773 pub trait MessageSendEventsProvider {
774         /// Gets the list of pending events which were generated by previous actions, clearing the list
775         /// in the process.
776         fn get_and_clear_pending_msg_events(&self) -> Vec<MessageSendEvent>;
777 }
778
779 /// A trait indicating an object may generate events.
780 ///
781 /// Events are processed by passing an [`EventHandler`] to [`process_pending_events`].
782 ///
783 /// # Requirements
784 ///
785 /// See [`process_pending_events`] for requirements around event processing.
786 ///
787 /// When using this trait, [`process_pending_events`] will call [`handle_event`] for each pending
788 /// event since the last invocation. The handler must either act upon the event immediately
789 /// or preserve it for later handling.
790 ///
791 /// Note, handlers may call back into the provider and thus deadlocking must be avoided. Be sure to
792 /// consult the provider's documentation on the implication of processing events and how a handler
793 /// may safely use the provider (e.g., see [`ChannelManager::process_pending_events`] and
794 /// [`ChainMonitor::process_pending_events`]).
795 ///
796 /// (C-not implementable) As there is likely no reason for a user to implement this trait on their
797 /// own type(s).
798 ///
799 /// [`process_pending_events`]: Self::process_pending_events
800 /// [`handle_event`]: EventHandler::handle_event
801 /// [`ChannelManager::process_pending_events`]: crate::ln::channelmanager::ChannelManager#method.process_pending_events
802 /// [`ChainMonitor::process_pending_events`]: crate::chain::chainmonitor::ChainMonitor#method.process_pending_events
803 pub trait EventsProvider {
804         /// Processes any events generated since the last call using the given event handler.
805         ///
806         /// Subsequent calls must only process new events. However, handlers must be capable of handling
807         /// duplicate events across process restarts. This may occur if the provider was recovered from
808         /// an old state (i.e., it hadn't been successfully persisted after processing pending events).
809         fn process_pending_events<H: Deref>(&self, handler: H) where H::Target: EventHandler;
810 }
811
812 /// A trait implemented for objects handling events from [`EventsProvider`].
813 pub trait EventHandler {
814         /// Handles the given [`Event`].
815         ///
816         /// See [`EventsProvider`] for details that must be considered when implementing this method.
817         fn handle_event(&self, event: &Event);
818 }
819
820 impl<F> EventHandler for F where F: Fn(&Event) {
821         fn handle_event(&self, event: &Event) {
822                 self(event)
823         }
824 }
825
826 impl<T: EventHandler> EventHandler for Arc<T> {
827         fn handle_event(&self, event: &Event) {
828                 self.deref().handle_event(event)
829         }
830 }