Track HTLC resolving transaction to determine input index
[rust-lightning] / lightning / src / chain / channelmonitor.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 //! The logic to monitor for on-chain transactions and create the relevant claim responses lives
11 //! here.
12 //!
13 //! ChannelMonitor objects are generated by ChannelManager in response to relevant
14 //! messages/actions, and MUST be persisted to disk (and, preferably, remotely) before progress can
15 //! be made in responding to certain messages, see [`chain::Watch`] for more.
16 //!
17 //! Note that ChannelMonitors are an important part of the lightning trust model and a copy of the
18 //! latest ChannelMonitor must always be actively monitoring for chain updates (and no out-of-date
19 //! ChannelMonitors should do so). Thus, if you're building rust-lightning into an HSM or other
20 //! security-domain-separated system design, you should consider having multiple paths for
21 //! ChannelMonitors to get out of the HSM and onto monitoring devices.
22
23 use bitcoin::blockdata::block::BlockHeader;
24 use bitcoin::blockdata::transaction::{OutPoint as BitcoinOutPoint, TxOut, Transaction};
25 use bitcoin::blockdata::script::{Script, Builder};
26 use bitcoin::blockdata::opcodes;
27
28 use bitcoin::hashes::Hash;
29 use bitcoin::hashes::sha256::Hash as Sha256;
30 use bitcoin::hash_types::{Txid, BlockHash, WPubkeyHash};
31
32 use bitcoin::secp256k1::{Secp256k1, ecdsa::Signature};
33 use bitcoin::secp256k1::{SecretKey, PublicKey};
34 use bitcoin::secp256k1;
35
36 use crate::ln::{PaymentHash, PaymentPreimage};
37 use crate::ln::msgs::DecodeError;
38 use crate::ln::chan_utils;
39 use crate::ln::chan_utils::{CounterpartyCommitmentSecrets, HTLCOutputInCommitment, HTLCClaim, ChannelTransactionParameters, HolderCommitmentTransaction};
40 use crate::ln::channelmanager::HTLCSource;
41 use crate::chain;
42 use crate::chain::{BestBlock, WatchedOutput};
43 use crate::chain::chaininterface::{BroadcasterInterface, FeeEstimator, LowerBoundedFeeEstimator};
44 use crate::chain::transaction::{OutPoint, TransactionData};
45 use crate::chain::keysinterface::{SpendableOutputDescriptor, StaticPaymentOutputDescriptor, DelayedPaymentOutputDescriptor, Sign, KeysInterface};
46 #[cfg(anchors)]
47 use crate::chain::onchaintx::ClaimEvent;
48 use crate::chain::onchaintx::OnchainTxHandler;
49 use crate::chain::package::{CounterpartyOfferedHTLCOutput, CounterpartyReceivedHTLCOutput, HolderFundingOutput, HolderHTLCOutput, PackageSolvingData, PackageTemplate, RevokedOutput, RevokedHTLCOutput};
50 use crate::chain::Filter;
51 use crate::util::logger::Logger;
52 use crate::util::ser::{Readable, ReadableArgs, MaybeReadable, Writer, Writeable, U48, OptionDeserWrapper};
53 use crate::util::byte_utils;
54 use crate::util::events::Event;
55 #[cfg(anchors)]
56 use crate::util::events::{AnchorDescriptor, BumpTransactionEvent};
57
58 use crate::prelude::*;
59 use core::{cmp, mem};
60 use crate::io::{self, Error};
61 use core::convert::TryInto;
62 use core::ops::Deref;
63 use crate::sync::Mutex;
64
65 /// An update generated by the underlying channel itself which contains some new information the
66 /// [`ChannelMonitor`] should be made aware of.
67 ///
68 /// Because this represents only a small number of updates to the underlying state, it is generally
69 /// much smaller than a full [`ChannelMonitor`]. However, for large single commitment transaction
70 /// updates (e.g. ones during which there are hundreds of HTLCs pending on the commitment
71 /// transaction), a single update may reach upwards of 1 MiB in serialized size.
72 #[cfg_attr(any(test, fuzzing, feature = "_test_utils"), derive(PartialEq, Eq))]
73 #[derive(Clone)]
74 #[must_use]
75 pub struct ChannelMonitorUpdate {
76         pub(crate) updates: Vec<ChannelMonitorUpdateStep>,
77         /// The sequence number of this update. Updates *must* be replayed in-order according to this
78         /// sequence number (and updates may panic if they are not). The update_id values are strictly
79         /// increasing and increase by one for each new update, with one exception specified below.
80         ///
81         /// This sequence number is also used to track up to which points updates which returned
82         /// [`ChannelMonitorUpdateStatus::InProgress`] have been applied to all copies of a given
83         /// ChannelMonitor when ChannelManager::channel_monitor_updated is called.
84         ///
85         /// The only instance where update_id values are not strictly increasing is the case where we
86         /// allow post-force-close updates with a special update ID of [`CLOSED_CHANNEL_UPDATE_ID`]. See
87         /// its docs for more details.
88         ///
89         /// [`ChannelMonitorUpdateStatus::InProgress`]: super::ChannelMonitorUpdateStatus::InProgress
90         pub update_id: u64,
91 }
92
93 /// If:
94 ///    (1) a channel has been force closed and
95 ///    (2) we receive a preimage from a forward link that allows us to spend an HTLC output on
96 ///        this channel's (the backward link's) broadcasted commitment transaction
97 /// then we allow the `ChannelManager` to send a `ChannelMonitorUpdate` with this update ID,
98 /// with the update providing said payment preimage. No other update types are allowed after
99 /// force-close.
100 pub const CLOSED_CHANNEL_UPDATE_ID: u64 = core::u64::MAX;
101
102 impl Writeable for ChannelMonitorUpdate {
103         fn write<W: Writer>(&self, w: &mut W) -> Result<(), io::Error> {
104                 write_ver_prefix!(w, SERIALIZATION_VERSION, MIN_SERIALIZATION_VERSION);
105                 self.update_id.write(w)?;
106                 (self.updates.len() as u64).write(w)?;
107                 for update_step in self.updates.iter() {
108                         update_step.write(w)?;
109                 }
110                 write_tlv_fields!(w, {});
111                 Ok(())
112         }
113 }
114 impl Readable for ChannelMonitorUpdate {
115         fn read<R: io::Read>(r: &mut R) -> Result<Self, DecodeError> {
116                 let _ver = read_ver_prefix!(r, SERIALIZATION_VERSION);
117                 let update_id: u64 = Readable::read(r)?;
118                 let len: u64 = Readable::read(r)?;
119                 let mut updates = Vec::with_capacity(cmp::min(len as usize, MAX_ALLOC_SIZE / ::core::mem::size_of::<ChannelMonitorUpdateStep>()));
120                 for _ in 0..len {
121                         if let Some(upd) = MaybeReadable::read(r)? {
122                                 updates.push(upd);
123                         }
124                 }
125                 read_tlv_fields!(r, {});
126                 Ok(Self { update_id, updates })
127         }
128 }
129
130 /// An event to be processed by the ChannelManager.
131 #[derive(Clone, PartialEq, Eq)]
132 pub enum MonitorEvent {
133         /// A monitor event containing an HTLCUpdate.
134         HTLCEvent(HTLCUpdate),
135
136         /// A monitor event that the Channel's commitment transaction was confirmed.
137         CommitmentTxConfirmed(OutPoint),
138
139         /// Indicates a [`ChannelMonitor`] update has completed. See
140         /// [`ChannelMonitorUpdateStatus::InProgress`] for more information on how this is used.
141         ///
142         /// [`ChannelMonitorUpdateStatus::InProgress`]: super::ChannelMonitorUpdateStatus::InProgress
143         Completed {
144                 /// The funding outpoint of the [`ChannelMonitor`] that was updated
145                 funding_txo: OutPoint,
146                 /// The Update ID from [`ChannelMonitorUpdate::update_id`] which was applied or
147                 /// [`ChannelMonitor::get_latest_update_id`].
148                 ///
149                 /// Note that this should only be set to a given update's ID if all previous updates for the
150                 /// same [`ChannelMonitor`] have been applied and persisted.
151                 monitor_update_id: u64,
152         },
153
154         /// Indicates a [`ChannelMonitor`] update has failed. See
155         /// [`ChannelMonitorUpdateStatus::PermanentFailure`] for more information on how this is used.
156         ///
157         /// [`ChannelMonitorUpdateStatus::PermanentFailure`]: super::ChannelMonitorUpdateStatus::PermanentFailure
158         UpdateFailed(OutPoint),
159 }
160 impl_writeable_tlv_based_enum_upgradable!(MonitorEvent,
161         // Note that Completed and UpdateFailed are currently never serialized to disk as they are
162         // generated only in ChainMonitor
163         (0, Completed) => {
164                 (0, funding_txo, required),
165                 (2, monitor_update_id, required),
166         },
167 ;
168         (2, HTLCEvent),
169         (4, CommitmentTxConfirmed),
170         (6, UpdateFailed),
171 );
172
173 /// Simple structure sent back by `chain::Watch` when an HTLC from a forward channel is detected on
174 /// chain. Used to update the corresponding HTLC in the backward channel. Failing to pass the
175 /// preimage claim backward will lead to loss of funds.
176 #[derive(Clone, PartialEq, Eq)]
177 pub struct HTLCUpdate {
178         pub(crate) payment_hash: PaymentHash,
179         pub(crate) payment_preimage: Option<PaymentPreimage>,
180         pub(crate) source: HTLCSource,
181         pub(crate) htlc_value_satoshis: Option<u64>,
182 }
183 impl_writeable_tlv_based!(HTLCUpdate, {
184         (0, payment_hash, required),
185         (1, htlc_value_satoshis, option),
186         (2, source, required),
187         (4, payment_preimage, option),
188 });
189
190 /// If an HTLC expires within this many blocks, don't try to claim it in a shared transaction,
191 /// instead claiming it in its own individual transaction.
192 pub(crate) const CLTV_SHARED_CLAIM_BUFFER: u32 = 12;
193 /// If an HTLC expires within this many blocks, force-close the channel to broadcast the
194 /// HTLC-Success transaction.
195 /// In other words, this is an upper bound on how many blocks we think it can take us to get a
196 /// transaction confirmed (and we use it in a few more, equivalent, places).
197 pub(crate) const CLTV_CLAIM_BUFFER: u32 = 18;
198 /// Number of blocks by which point we expect our counterparty to have seen new blocks on the
199 /// network and done a full update_fail_htlc/commitment_signed dance (+ we've updated all our
200 /// copies of ChannelMonitors, including watchtowers). We could enforce the contract by failing
201 /// at CLTV expiration height but giving a grace period to our peer may be profitable for us if he
202 /// can provide an over-late preimage. Nevertheless, grace period has to be accounted in our
203 /// CLTV_EXPIRY_DELTA to be secure. Following this policy we may decrease the rate of channel failures
204 /// due to expiration but increase the cost of funds being locked longuer in case of failure.
205 /// This delay also cover a low-power peer being slow to process blocks and so being behind us on
206 /// accurate block height.
207 /// In case of onchain failure to be pass backward we may see the last block of ANTI_REORG_DELAY
208 /// with at worst this delay, so we are not only using this value as a mercy for them but also
209 /// us as a safeguard to delay with enough time.
210 pub(crate) const LATENCY_GRACE_PERIOD_BLOCKS: u32 = 3;
211 /// Number of blocks we wait on seeing a HTLC output being solved before we fail corresponding
212 /// inbound HTLCs. This prevents us from failing backwards and then getting a reorg resulting in us
213 /// losing money.
214 ///
215 /// Note that this is a library-wide security assumption. If a reorg deeper than this number of
216 /// blocks occurs, counterparties may be able to steal funds or claims made by and balances exposed
217 /// by a  [`ChannelMonitor`] may be incorrect.
218 // We also use this delay to be sure we can remove our in-flight claim txn from bump candidates buffer.
219 // It may cause spurious generation of bumped claim txn but that's alright given the outpoint is already
220 // solved by a previous claim tx. What we want to avoid is reorg evicting our claim tx and us not
221 // keep bumping another claim tx to solve the outpoint.
222 pub const ANTI_REORG_DELAY: u32 = 6;
223 /// Number of blocks before confirmation at which we fail back an un-relayed HTLC or at which we
224 /// refuse to accept a new HTLC.
225 ///
226 /// This is used for a few separate purposes:
227 /// 1) if we've received an MPP HTLC to us and it expires within this many blocks and we are
228 ///    waiting on additional parts (or waiting on the preimage for any HTLC from the user), we will
229 ///    fail this HTLC,
230 /// 2) if we receive an HTLC within this many blocks of its expiry (plus one to avoid a race
231 ///    condition with the above), we will fail this HTLC without telling the user we received it,
232 ///
233 /// (1) is all about protecting us - we need enough time to update the channel state before we hit
234 /// CLTV_CLAIM_BUFFER, at which point we'd go on chain to claim the HTLC with the preimage.
235 ///
236 /// (2) is the same, but with an additional buffer to avoid accepting an HTLC which is immediately
237 /// in a race condition between the user connecting a block (which would fail it) and the user
238 /// providing us the preimage (which would claim it).
239 pub(crate) const HTLC_FAIL_BACK_BUFFER: u32 = CLTV_CLAIM_BUFFER + LATENCY_GRACE_PERIOD_BLOCKS;
240
241 // TODO(devrandom) replace this with HolderCommitmentTransaction
242 #[derive(Clone, PartialEq, Eq)]
243 struct HolderSignedTx {
244         /// txid of the transaction in tx, just used to make comparison faster
245         txid: Txid,
246         revocation_key: PublicKey,
247         a_htlc_key: PublicKey,
248         b_htlc_key: PublicKey,
249         delayed_payment_key: PublicKey,
250         per_commitment_point: PublicKey,
251         htlc_outputs: Vec<(HTLCOutputInCommitment, Option<Signature>, Option<HTLCSource>)>,
252         to_self_value_sat: u64,
253         feerate_per_kw: u32,
254 }
255 impl_writeable_tlv_based!(HolderSignedTx, {
256         (0, txid, required),
257         // Note that this is filled in with data from OnchainTxHandler if it's missing.
258         // For HolderSignedTx objects serialized with 0.0.100+, this should be filled in.
259         (1, to_self_value_sat, (default_value, u64::max_value())),
260         (2, revocation_key, required),
261         (4, a_htlc_key, required),
262         (6, b_htlc_key, required),
263         (8, delayed_payment_key, required),
264         (10, per_commitment_point, required),
265         (12, feerate_per_kw, required),
266         (14, htlc_outputs, vec_type)
267 });
268
269 #[cfg(anchors)]
270 impl HolderSignedTx {
271         fn non_dust_htlcs(&self) -> Vec<HTLCOutputInCommitment> {
272                 self.htlc_outputs.iter().filter_map(|(htlc, _, _)| {
273                         if let Some(_) = htlc.transaction_output_index {
274                                 Some(htlc.clone())
275                         } else {
276                                 None
277                         }
278                 })
279                 .collect()
280         }
281 }
282
283 /// We use this to track static counterparty commitment transaction data and to generate any
284 /// justice or 2nd-stage preimage/timeout transactions.
285 #[derive(PartialEq, Eq)]
286 struct CounterpartyCommitmentParameters {
287         counterparty_delayed_payment_base_key: PublicKey,
288         counterparty_htlc_base_key: PublicKey,
289         on_counterparty_tx_csv: u16,
290 }
291
292 impl Writeable for CounterpartyCommitmentParameters {
293         fn write<W: Writer>(&self, w: &mut W) -> Result<(), io::Error> {
294                 w.write_all(&(0 as u64).to_be_bytes())?;
295                 write_tlv_fields!(w, {
296                         (0, self.counterparty_delayed_payment_base_key, required),
297                         (2, self.counterparty_htlc_base_key, required),
298                         (4, self.on_counterparty_tx_csv, required),
299                 });
300                 Ok(())
301         }
302 }
303 impl Readable for CounterpartyCommitmentParameters {
304         fn read<R: io::Read>(r: &mut R) -> Result<Self, DecodeError> {
305                 let counterparty_commitment_transaction = {
306                         // Versions prior to 0.0.100 had some per-HTLC state stored here, which is no longer
307                         // used. Read it for compatibility.
308                         let per_htlc_len: u64 = Readable::read(r)?;
309                         for _  in 0..per_htlc_len {
310                                 let _txid: Txid = Readable::read(r)?;
311                                 let htlcs_count: u64 = Readable::read(r)?;
312                                 for _ in 0..htlcs_count {
313                                         let _htlc: HTLCOutputInCommitment = Readable::read(r)?;
314                                 }
315                         }
316
317                         let mut counterparty_delayed_payment_base_key = OptionDeserWrapper(None);
318                         let mut counterparty_htlc_base_key = OptionDeserWrapper(None);
319                         let mut on_counterparty_tx_csv: u16 = 0;
320                         read_tlv_fields!(r, {
321                                 (0, counterparty_delayed_payment_base_key, required),
322                                 (2, counterparty_htlc_base_key, required),
323                                 (4, on_counterparty_tx_csv, required),
324                         });
325                         CounterpartyCommitmentParameters {
326                                 counterparty_delayed_payment_base_key: counterparty_delayed_payment_base_key.0.unwrap(),
327                                 counterparty_htlc_base_key: counterparty_htlc_base_key.0.unwrap(),
328                                 on_counterparty_tx_csv,
329                         }
330                 };
331                 Ok(counterparty_commitment_transaction)
332         }
333 }
334
335 /// An entry for an [`OnchainEvent`], stating the block height and hash when the event was
336 /// observed, as well as the transaction causing it.
337 ///
338 /// Used to determine when the on-chain event can be considered safe from a chain reorganization.
339 #[derive(PartialEq, Eq)]
340 struct OnchainEventEntry {
341         txid: Txid,
342         height: u32,
343         block_hash: Option<BlockHash>, // Added as optional, will be filled in for any entry generated on 0.0.113 or after
344         event: OnchainEvent,
345         transaction: Option<Transaction>, // Added as optional, but always filled in, in LDK 0.0.110
346 }
347
348 impl OnchainEventEntry {
349         fn confirmation_threshold(&self) -> u32 {
350                 let mut conf_threshold = self.height + ANTI_REORG_DELAY - 1;
351                 match self.event {
352                         OnchainEvent::MaturingOutput {
353                                 descriptor: SpendableOutputDescriptor::DelayedPaymentOutput(ref descriptor)
354                         } => {
355                                 // A CSV'd transaction is confirmable in block (input height) + CSV delay, which means
356                                 // it's broadcastable when we see the previous block.
357                                 conf_threshold = cmp::max(conf_threshold, self.height + descriptor.to_self_delay as u32 - 1);
358                         },
359                         OnchainEvent::FundingSpendConfirmation { on_local_output_csv: Some(csv), .. } |
360                         OnchainEvent::HTLCSpendConfirmation { on_to_local_output_csv: Some(csv), .. } => {
361                                 // A CSV'd transaction is confirmable in block (input height) + CSV delay, which means
362                                 // it's broadcastable when we see the previous block.
363                                 conf_threshold = cmp::max(conf_threshold, self.height + csv as u32 - 1);
364                         },
365                         _ => {},
366                 }
367                 conf_threshold
368         }
369
370         fn has_reached_confirmation_threshold(&self, best_block: &BestBlock) -> bool {
371                 best_block.height() >= self.confirmation_threshold()
372         }
373 }
374
375 /// The (output index, sats value) for the counterparty's output in a commitment transaction.
376 ///
377 /// This was added as an `Option` in 0.0.110.
378 type CommitmentTxCounterpartyOutputInfo = Option<(u32, u64)>;
379
380 /// Upon discovering of some classes of onchain tx by ChannelMonitor, we may have to take actions on it
381 /// once they mature to enough confirmations (ANTI_REORG_DELAY)
382 #[derive(PartialEq, Eq)]
383 enum OnchainEvent {
384         /// An outbound HTLC failing after a transaction is confirmed. Used
385         ///  * when an outbound HTLC output is spent by us after the HTLC timed out
386         ///  * an outbound HTLC which was not present in the commitment transaction which appeared
387         ///    on-chain (either because it was not fully committed to or it was dust).
388         /// Note that this is *not* used for preimage claims, as those are passed upstream immediately,
389         /// appearing only as an `HTLCSpendConfirmation`, below.
390         HTLCUpdate {
391                 source: HTLCSource,
392                 payment_hash: PaymentHash,
393                 htlc_value_satoshis: Option<u64>,
394                 /// None in the second case, above, ie when there is no relevant output in the commitment
395                 /// transaction which appeared on chain.
396                 commitment_tx_output_idx: Option<u32>,
397         },
398         /// An output waiting on [`ANTI_REORG_DELAY`] confirmations before we hand the user the
399         /// [`SpendableOutputDescriptor`].
400         MaturingOutput {
401                 descriptor: SpendableOutputDescriptor,
402         },
403         /// A spend of the funding output, either a commitment transaction or a cooperative closing
404         /// transaction.
405         FundingSpendConfirmation {
406                 /// The CSV delay for the output of the funding spend transaction (implying it is a local
407                 /// commitment transaction, and this is the delay on the to_self output).
408                 on_local_output_csv: Option<u16>,
409                 /// If the funding spend transaction was a known remote commitment transaction, we track
410                 /// the output index and amount of the counterparty's `to_self` output here.
411                 ///
412                 /// This allows us to generate a [`Balance::CounterpartyRevokedOutputClaimable`] for the
413                 /// counterparty output.
414                 commitment_tx_to_counterparty_output: CommitmentTxCounterpartyOutputInfo,
415         },
416         /// A spend of a commitment transaction HTLC output, set in the cases where *no* `HTLCUpdate`
417         /// is constructed. This is used when
418         ///  * an outbound HTLC is claimed by our counterparty with a preimage, causing us to
419         ///    immediately claim the HTLC on the inbound edge and track the resolution here,
420         ///  * an inbound HTLC is claimed by our counterparty (with a timeout),
421         ///  * an inbound HTLC is claimed by us (with a preimage).
422         ///  * a revoked-state HTLC transaction was broadcasted, which was claimed by the revocation
423         ///    signature.
424         ///  * a revoked-state HTLC transaction was broadcasted, which was claimed by an
425         ///    HTLC-Success/HTLC-Failure transaction (and is still claimable with a revocation
426         ///    signature).
427         HTLCSpendConfirmation {
428                 commitment_tx_output_idx: u32,
429                 /// If the claim was made by either party with a preimage, this is filled in
430                 preimage: Option<PaymentPreimage>,
431                 /// If the claim was made by us on an inbound HTLC against a local commitment transaction,
432                 /// we set this to the output CSV value which we will have to wait until to spend the
433                 /// output (and generate a SpendableOutput event).
434                 on_to_local_output_csv: Option<u16>,
435         },
436 }
437
438 impl Writeable for OnchainEventEntry {
439         fn write<W: Writer>(&self, writer: &mut W) -> Result<(), io::Error> {
440                 write_tlv_fields!(writer, {
441                         (0, self.txid, required),
442                         (1, self.transaction, option),
443                         (2, self.height, required),
444                         (3, self.block_hash, option),
445                         (4, self.event, required),
446                 });
447                 Ok(())
448         }
449 }
450
451 impl MaybeReadable for OnchainEventEntry {
452         fn read<R: io::Read>(reader: &mut R) -> Result<Option<Self>, DecodeError> {
453                 let mut txid = Txid::all_zeros();
454                 let mut transaction = None;
455                 let mut block_hash = None;
456                 let mut height = 0;
457                 let mut event = None;
458                 read_tlv_fields!(reader, {
459                         (0, txid, required),
460                         (1, transaction, option),
461                         (2, height, required),
462                         (3, block_hash, option),
463                         (4, event, ignorable),
464                 });
465                 if let Some(ev) = event {
466                         Ok(Some(Self { txid, transaction, height, block_hash, event: ev }))
467                 } else {
468                         Ok(None)
469                 }
470         }
471 }
472
473 impl_writeable_tlv_based_enum_upgradable!(OnchainEvent,
474         (0, HTLCUpdate) => {
475                 (0, source, required),
476                 (1, htlc_value_satoshis, option),
477                 (2, payment_hash, required),
478                 (3, commitment_tx_output_idx, option),
479         },
480         (1, MaturingOutput) => {
481                 (0, descriptor, required),
482         },
483         (3, FundingSpendConfirmation) => {
484                 (0, on_local_output_csv, option),
485                 (1, commitment_tx_to_counterparty_output, option),
486         },
487         (5, HTLCSpendConfirmation) => {
488                 (0, commitment_tx_output_idx, required),
489                 (2, preimage, option),
490                 (4, on_to_local_output_csv, option),
491         },
492
493 );
494
495 #[cfg_attr(any(test, fuzzing, feature = "_test_utils"), derive(PartialEq, Eq))]
496 #[derive(Clone)]
497 pub(crate) enum ChannelMonitorUpdateStep {
498         LatestHolderCommitmentTXInfo {
499                 commitment_tx: HolderCommitmentTransaction,
500                 htlc_outputs: Vec<(HTLCOutputInCommitment, Option<Signature>, Option<HTLCSource>)>,
501         },
502         LatestCounterpartyCommitmentTXInfo {
503                 commitment_txid: Txid,
504                 htlc_outputs: Vec<(HTLCOutputInCommitment, Option<Box<HTLCSource>>)>,
505                 commitment_number: u64,
506                 their_per_commitment_point: PublicKey,
507         },
508         PaymentPreimage {
509                 payment_preimage: PaymentPreimage,
510         },
511         CommitmentSecret {
512                 idx: u64,
513                 secret: [u8; 32],
514         },
515         /// Used to indicate that the no future updates will occur, and likely that the latest holder
516         /// commitment transaction(s) should be broadcast, as the channel has been force-closed.
517         ChannelForceClosed {
518                 /// If set to false, we shouldn't broadcast the latest holder commitment transaction as we
519                 /// think we've fallen behind!
520                 should_broadcast: bool,
521         },
522         ShutdownScript {
523                 scriptpubkey: Script,
524         },
525 }
526
527 impl ChannelMonitorUpdateStep {
528         fn variant_name(&self) -> &'static str {
529                 match self {
530                         ChannelMonitorUpdateStep::LatestHolderCommitmentTXInfo { .. } => "LatestHolderCommitmentTXInfo",
531                         ChannelMonitorUpdateStep::LatestCounterpartyCommitmentTXInfo { .. } => "LatestCounterpartyCommitmentTXInfo",
532                         ChannelMonitorUpdateStep::PaymentPreimage { .. } => "PaymentPreimage",
533                         ChannelMonitorUpdateStep::CommitmentSecret { .. } => "CommitmentSecret",
534                         ChannelMonitorUpdateStep::ChannelForceClosed { .. } => "ChannelForceClosed",
535                         ChannelMonitorUpdateStep::ShutdownScript { .. } => "ShutdownScript",
536                 }
537         }
538 }
539
540 impl_writeable_tlv_based_enum_upgradable!(ChannelMonitorUpdateStep,
541         (0, LatestHolderCommitmentTXInfo) => {
542                 (0, commitment_tx, required),
543                 (2, htlc_outputs, vec_type),
544         },
545         (1, LatestCounterpartyCommitmentTXInfo) => {
546                 (0, commitment_txid, required),
547                 (2, commitment_number, required),
548                 (4, their_per_commitment_point, required),
549                 (6, htlc_outputs, vec_type),
550         },
551         (2, PaymentPreimage) => {
552                 (0, payment_preimage, required),
553         },
554         (3, CommitmentSecret) => {
555                 (0, idx, required),
556                 (2, secret, required),
557         },
558         (4, ChannelForceClosed) => {
559                 (0, should_broadcast, required),
560         },
561         (5, ShutdownScript) => {
562                 (0, scriptpubkey, required),
563         },
564 );
565
566 /// Details about the balance(s) available for spending once the channel appears on chain.
567 ///
568 /// See [`ChannelMonitor::get_claimable_balances`] for more details on when these will or will not
569 /// be provided.
570 #[derive(Clone, Debug, PartialEq, Eq)]
571 #[cfg_attr(test, derive(PartialOrd, Ord))]
572 pub enum Balance {
573         /// The channel is not yet closed (or the commitment or closing transaction has not yet
574         /// appeared in a block). The given balance is claimable (less on-chain fees) if the channel is
575         /// force-closed now.
576         ClaimableOnChannelClose {
577                 /// The amount available to claim, in satoshis, excluding the on-chain fees which will be
578                 /// required to do so.
579                 claimable_amount_satoshis: u64,
580         },
581         /// The channel has been closed, and the given balance is ours but awaiting confirmations until
582         /// we consider it spendable.
583         ClaimableAwaitingConfirmations {
584                 /// The amount available to claim, in satoshis, possibly excluding the on-chain fees which
585                 /// were spent in broadcasting the transaction.
586                 claimable_amount_satoshis: u64,
587                 /// The height at which an [`Event::SpendableOutputs`] event will be generated for this
588                 /// amount.
589                 confirmation_height: u32,
590         },
591         /// The channel has been closed, and the given balance should be ours but awaiting spending
592         /// transaction confirmation. If the spending transaction does not confirm in time, it is
593         /// possible our counterparty can take the funds by broadcasting an HTLC timeout on-chain.
594         ///
595         /// Once the spending transaction confirms, before it has reached enough confirmations to be
596         /// considered safe from chain reorganizations, the balance will instead be provided via
597         /// [`Balance::ClaimableAwaitingConfirmations`].
598         ContentiousClaimable {
599                 /// The amount available to claim, in satoshis, excluding the on-chain fees which will be
600                 /// required to do so.
601                 claimable_amount_satoshis: u64,
602                 /// The height at which the counterparty may be able to claim the balance if we have not
603                 /// done so.
604                 timeout_height: u32,
605         },
606         /// HTLCs which we sent to our counterparty which are claimable after a timeout (less on-chain
607         /// fees) if the counterparty does not know the preimage for the HTLCs. These are somewhat
608         /// likely to be claimed by our counterparty before we do.
609         MaybeTimeoutClaimableHTLC {
610                 /// The amount potentially available to claim, in satoshis, excluding the on-chain fees
611                 /// which will be required to do so.
612                 claimable_amount_satoshis: u64,
613                 /// The height at which we will be able to claim the balance if our counterparty has not
614                 /// done so.
615                 claimable_height: u32,
616         },
617         /// HTLCs which we received from our counterparty which are claimable with a preimage which we
618         /// do not currently have. This will only be claimable if we receive the preimage from the node
619         /// to which we forwarded this HTLC before the timeout.
620         MaybePreimageClaimableHTLC {
621                 /// The amount potentially available to claim, in satoshis, excluding the on-chain fees
622                 /// which will be required to do so.
623                 claimable_amount_satoshis: u64,
624                 /// The height at which our counterparty will be able to claim the balance if we have not
625                 /// yet received the preimage and claimed it ourselves.
626                 expiry_height: u32,
627         },
628         /// The channel has been closed, and our counterparty broadcasted a revoked commitment
629         /// transaction.
630         ///
631         /// Thus, we're able to claim all outputs in the commitment transaction, one of which has the
632         /// following amount.
633         CounterpartyRevokedOutputClaimable {
634                 /// The amount, in satoshis, of the output which we can claim.
635                 ///
636                 /// Note that for outputs from HTLC balances this may be excluding some on-chain fees that
637                 /// were already spent.
638                 claimable_amount_satoshis: u64,
639         },
640 }
641
642 /// An HTLC which has been irrevocably resolved on-chain, and has reached ANTI_REORG_DELAY.
643 #[derive(PartialEq, Eq)]
644 struct IrrevocablyResolvedHTLC {
645         commitment_tx_output_idx: Option<u32>,
646         /// The txid of the transaction which resolved the HTLC, this may be a commitment (if the HTLC
647         /// was not present in the confirmed commitment transaction), HTLC-Success, or HTLC-Timeout
648         /// transaction.
649         resolving_txid: Option<Txid>, // Added as optional, but always filled in, in 0.0.110
650         resolving_tx: Option<Transaction>,
651         /// Only set if the HTLC claim was ours using a payment preimage
652         payment_preimage: Option<PaymentPreimage>,
653 }
654
655 // In LDK versions prior to 0.0.111 commitment_tx_output_idx was not Option-al and
656 // IrrevocablyResolvedHTLC objects only existed for non-dust HTLCs. This was a bug, but to maintain
657 // backwards compatibility we must ensure we always write out a commitment_tx_output_idx field,
658 // using `u32::max_value()` as a sentinal to indicate the HTLC was dust.
659 impl Writeable for IrrevocablyResolvedHTLC {
660         fn write<W: Writer>(&self, writer: &mut W) -> Result<(), io::Error> {
661                 let mapped_commitment_tx_output_idx = self.commitment_tx_output_idx.unwrap_or(u32::max_value());
662                 write_tlv_fields!(writer, {
663                         (0, mapped_commitment_tx_output_idx, required),
664                         (1, self.resolving_txid, option),
665                         (2, self.payment_preimage, option),
666                         (3, self.resolving_tx, option),
667                 });
668                 Ok(())
669         }
670 }
671
672 impl Readable for IrrevocablyResolvedHTLC {
673         fn read<R: io::Read>(reader: &mut R) -> Result<Self, DecodeError> {
674                 let mut mapped_commitment_tx_output_idx = 0;
675                 let mut resolving_txid = None;
676                 let mut payment_preimage = None;
677                 let mut resolving_tx = None;
678                 read_tlv_fields!(reader, {
679                         (0, mapped_commitment_tx_output_idx, required),
680                         (1, resolving_txid, option),
681                         (2, payment_preimage, option),
682                         (3, resolving_tx, option),
683                 });
684                 Ok(Self {
685                         commitment_tx_output_idx: if mapped_commitment_tx_output_idx == u32::max_value() { None } else { Some(mapped_commitment_tx_output_idx) },
686                         resolving_txid,
687                         payment_preimage,
688                         resolving_tx,
689                 })
690         }
691 }
692
693 /// A ChannelMonitor handles chain events (blocks connected and disconnected) and generates
694 /// on-chain transactions to ensure no loss of funds occurs.
695 ///
696 /// You MUST ensure that no ChannelMonitors for a given channel anywhere contain out-of-date
697 /// information and are actively monitoring the chain.
698 ///
699 /// Pending Events or updated HTLCs which have not yet been read out by
700 /// get_and_clear_pending_monitor_events or get_and_clear_pending_events are serialized to disk and
701 /// reloaded at deserialize-time. Thus, you must ensure that, when handling events, all events
702 /// gotten are fully handled before re-serializing the new state.
703 ///
704 /// Note that the deserializer is only implemented for (BlockHash, ChannelMonitor), which
705 /// tells you the last block hash which was block_connect()ed. You MUST rescan any blocks along
706 /// the "reorg path" (ie disconnecting blocks until you find a common ancestor from both the
707 /// returned block hash and the the current chain and then reconnecting blocks to get to the
708 /// best chain) upon deserializing the object!
709 pub struct ChannelMonitor<Signer: Sign> {
710         #[cfg(test)]
711         pub(crate) inner: Mutex<ChannelMonitorImpl<Signer>>,
712         #[cfg(not(test))]
713         inner: Mutex<ChannelMonitorImpl<Signer>>,
714 }
715
716 pub(crate) struct ChannelMonitorImpl<Signer: Sign> {
717         latest_update_id: u64,
718         commitment_transaction_number_obscure_factor: u64,
719
720         destination_script: Script,
721         broadcasted_holder_revokable_script: Option<(Script, PublicKey, PublicKey)>,
722         counterparty_payment_script: Script,
723         shutdown_script: Option<Script>,
724
725         channel_keys_id: [u8; 32],
726         holder_revocation_basepoint: PublicKey,
727         funding_info: (OutPoint, Script),
728         current_counterparty_commitment_txid: Option<Txid>,
729         prev_counterparty_commitment_txid: Option<Txid>,
730
731         counterparty_commitment_params: CounterpartyCommitmentParameters,
732         funding_redeemscript: Script,
733         channel_value_satoshis: u64,
734         // first is the idx of the first of the two per-commitment points
735         their_cur_per_commitment_points: Option<(u64, PublicKey, Option<PublicKey>)>,
736
737         on_holder_tx_csv: u16,
738
739         commitment_secrets: CounterpartyCommitmentSecrets,
740         /// The set of outpoints in each counterparty commitment transaction. We always need at least
741         /// the payment hash from `HTLCOutputInCommitment` to claim even a revoked commitment
742         /// transaction broadcast as we need to be able to construct the witness script in all cases.
743         counterparty_claimable_outpoints: HashMap<Txid, Vec<(HTLCOutputInCommitment, Option<Box<HTLCSource>>)>>,
744         /// We cannot identify HTLC-Success or HTLC-Timeout transactions by themselves on the chain.
745         /// Nor can we figure out their commitment numbers without the commitment transaction they are
746         /// spending. Thus, in order to claim them via revocation key, we track all the counterparty
747         /// commitment transactions which we find on-chain, mapping them to the commitment number which
748         /// can be used to derive the revocation key and claim the transactions.
749         counterparty_commitment_txn_on_chain: HashMap<Txid, u64>,
750         /// Cache used to make pruning of payment_preimages faster.
751         /// Maps payment_hash values to commitment numbers for counterparty transactions for non-revoked
752         /// counterparty transactions (ie should remain pretty small).
753         /// Serialized to disk but should generally not be sent to Watchtowers.
754         counterparty_hash_commitment_number: HashMap<PaymentHash, u64>,
755
756         // We store two holder commitment transactions to avoid any race conditions where we may update
757         // some monitors (potentially on watchtowers) but then fail to update others, resulting in the
758         // various monitors for one channel being out of sync, and us broadcasting a holder
759         // transaction for which we have deleted claim information on some watchtowers.
760         prev_holder_signed_commitment_tx: Option<HolderSignedTx>,
761         current_holder_commitment_tx: HolderSignedTx,
762
763         // Used just for ChannelManager to make sure it has the latest channel data during
764         // deserialization
765         current_counterparty_commitment_number: u64,
766         // Used just for ChannelManager to make sure it has the latest channel data during
767         // deserialization
768         current_holder_commitment_number: u64,
769
770         /// The set of payment hashes from inbound payments for which we know the preimage. Payment
771         /// preimages that are not included in any unrevoked local commitment transaction or unrevoked
772         /// remote commitment transactions are automatically removed when commitment transactions are
773         /// revoked.
774         payment_preimages: HashMap<PaymentHash, PaymentPreimage>,
775
776         // Note that `MonitorEvent`s MUST NOT be generated during update processing, only generated
777         // during chain data processing. This prevents a race in `ChainMonitor::update_channel` (and
778         // presumably user implementations thereof as well) where we update the in-memory channel
779         // object, then before the persistence finishes (as it's all under a read-lock), we return
780         // pending events to the user or to the relevant `ChannelManager`. Then, on reload, we'll have
781         // the pre-event state here, but have processed the event in the `ChannelManager`.
782         // Note that because the `event_lock` in `ChainMonitor` is only taken in
783         // block/transaction-connected events and *not* during block/transaction-disconnected events,
784         // we further MUST NOT generate events during block/transaction-disconnection.
785         pending_monitor_events: Vec<MonitorEvent>,
786
787         pending_events: Vec<Event>,
788
789         // Used to track on-chain events (i.e., transactions part of channels confirmed on chain) on
790         // which to take actions once they reach enough confirmations. Each entry includes the
791         // transaction's id and the height when the transaction was confirmed on chain.
792         onchain_events_awaiting_threshold_conf: Vec<OnchainEventEntry>,
793
794         // If we get serialized out and re-read, we need to make sure that the chain monitoring
795         // interface knows about the TXOs that we want to be notified of spends of. We could probably
796         // be smart and derive them from the above storage fields, but its much simpler and more
797         // Obviously Correct (tm) if we just keep track of them explicitly.
798         outputs_to_watch: HashMap<Txid, Vec<(u32, Script)>>,
799
800         #[cfg(test)]
801         pub onchain_tx_handler: OnchainTxHandler<Signer>,
802         #[cfg(not(test))]
803         onchain_tx_handler: OnchainTxHandler<Signer>,
804
805         // This is set when the Channel[Manager] generated a ChannelMonitorUpdate which indicated the
806         // channel has been force-closed. After this is set, no further holder commitment transaction
807         // updates may occur, and we panic!() if one is provided.
808         lockdown_from_offchain: bool,
809
810         // Set once we've signed a holder commitment transaction and handed it over to our
811         // OnchainTxHandler. After this is set, no future updates to our holder commitment transactions
812         // may occur, and we fail any such monitor updates.
813         //
814         // In case of update rejection due to a locally already signed commitment transaction, we
815         // nevertheless store update content to track in case of concurrent broadcast by another
816         // remote monitor out-of-order with regards to the block view.
817         holder_tx_signed: bool,
818
819         // If a spend of the funding output is seen, we set this to true and reject any further
820         // updates. This prevents any further changes in the offchain state no matter the order
821         // of block connection between ChannelMonitors and the ChannelManager.
822         funding_spend_seen: bool,
823
824         /// Set to `Some` of the confirmed transaction spending the funding input of the channel after
825         /// reaching `ANTI_REORG_DELAY` confirmations.
826         funding_spend_confirmed: Option<Txid>,
827
828         confirmed_commitment_tx_counterparty_output: CommitmentTxCounterpartyOutputInfo,
829         /// The set of HTLCs which have been either claimed or failed on chain and have reached
830         /// the requisite confirmations on the claim/fail transaction (either ANTI_REORG_DELAY or the
831         /// spending CSV for revocable outputs).
832         htlcs_resolved_on_chain: Vec<IrrevocablyResolvedHTLC>,
833
834         /// The set of `SpendableOutput` events which we have already passed upstream to be claimed.
835         /// These are tracked explicitly to ensure that we don't generate the same events redundantly
836         /// if users duplicatively confirm old transactions. Specifically for transactions claiming a
837         /// revoked remote outpoint we otherwise have no tracking at all once they've reached
838         /// [`ANTI_REORG_DELAY`], so we have to track them here.
839         spendable_txids_confirmed: Vec<Txid>,
840
841         // We simply modify best_block in Channel's block_connected so that serialization is
842         // consistent but hopefully the users' copy handles block_connected in a consistent way.
843         // (we do *not*, however, update them in update_monitor to ensure any local user copies keep
844         // their best_block from its state and not based on updated copies that didn't run through
845         // the full block_connected).
846         best_block: BestBlock,
847
848         /// The node_id of our counterparty
849         counterparty_node_id: Option<PublicKey>,
850
851         secp_ctx: Secp256k1<secp256k1::All>, //TODO: dedup this a bit...
852 }
853
854 /// Transaction outputs to watch for on-chain spends.
855 pub type TransactionOutputs = (Txid, Vec<(u32, TxOut)>);
856
857 #[cfg(any(test, fuzzing, feature = "_test_utils"))]
858 /// Used only in testing and fuzzing to check serialization roundtrips don't change the underlying
859 /// object
860 impl<Signer: Sign> PartialEq for ChannelMonitor<Signer> {
861         fn eq(&self, other: &Self) -> bool {
862                 let inner = self.inner.lock().unwrap();
863                 let other = other.inner.lock().unwrap();
864                 inner.eq(&other)
865         }
866 }
867
868 #[cfg(any(test, fuzzing, feature = "_test_utils"))]
869 /// Used only in testing and fuzzing to check serialization roundtrips don't change the underlying
870 /// object
871 impl<Signer: Sign> PartialEq for ChannelMonitorImpl<Signer> {
872         fn eq(&self, other: &Self) -> bool {
873                 if self.latest_update_id != other.latest_update_id ||
874                         self.commitment_transaction_number_obscure_factor != other.commitment_transaction_number_obscure_factor ||
875                         self.destination_script != other.destination_script ||
876                         self.broadcasted_holder_revokable_script != other.broadcasted_holder_revokable_script ||
877                         self.counterparty_payment_script != other.counterparty_payment_script ||
878                         self.channel_keys_id != other.channel_keys_id ||
879                         self.holder_revocation_basepoint != other.holder_revocation_basepoint ||
880                         self.funding_info != other.funding_info ||
881                         self.current_counterparty_commitment_txid != other.current_counterparty_commitment_txid ||
882                         self.prev_counterparty_commitment_txid != other.prev_counterparty_commitment_txid ||
883                         self.counterparty_commitment_params != other.counterparty_commitment_params ||
884                         self.funding_redeemscript != other.funding_redeemscript ||
885                         self.channel_value_satoshis != other.channel_value_satoshis ||
886                         self.their_cur_per_commitment_points != other.their_cur_per_commitment_points ||
887                         self.on_holder_tx_csv != other.on_holder_tx_csv ||
888                         self.commitment_secrets != other.commitment_secrets ||
889                         self.counterparty_claimable_outpoints != other.counterparty_claimable_outpoints ||
890                         self.counterparty_commitment_txn_on_chain != other.counterparty_commitment_txn_on_chain ||
891                         self.counterparty_hash_commitment_number != other.counterparty_hash_commitment_number ||
892                         self.prev_holder_signed_commitment_tx != other.prev_holder_signed_commitment_tx ||
893                         self.current_counterparty_commitment_number != other.current_counterparty_commitment_number ||
894                         self.current_holder_commitment_number != other.current_holder_commitment_number ||
895                         self.current_holder_commitment_tx != other.current_holder_commitment_tx ||
896                         self.payment_preimages != other.payment_preimages ||
897                         self.pending_monitor_events != other.pending_monitor_events ||
898                         self.pending_events.len() != other.pending_events.len() || // We trust events to round-trip properly
899                         self.onchain_events_awaiting_threshold_conf != other.onchain_events_awaiting_threshold_conf ||
900                         self.outputs_to_watch != other.outputs_to_watch ||
901                         self.lockdown_from_offchain != other.lockdown_from_offchain ||
902                         self.holder_tx_signed != other.holder_tx_signed ||
903                         self.funding_spend_seen != other.funding_spend_seen ||
904                         self.funding_spend_confirmed != other.funding_spend_confirmed ||
905                         self.confirmed_commitment_tx_counterparty_output != other.confirmed_commitment_tx_counterparty_output ||
906                         self.htlcs_resolved_on_chain != other.htlcs_resolved_on_chain
907                 {
908                         false
909                 } else {
910                         true
911                 }
912         }
913 }
914
915 impl<Signer: Sign> Writeable for ChannelMonitor<Signer> {
916         fn write<W: Writer>(&self, writer: &mut W) -> Result<(), Error> {
917                 self.inner.lock().unwrap().write(writer)
918         }
919 }
920
921 // These are also used for ChannelMonitorUpdate, above.
922 const SERIALIZATION_VERSION: u8 = 1;
923 const MIN_SERIALIZATION_VERSION: u8 = 1;
924
925 impl<Signer: Sign> Writeable for ChannelMonitorImpl<Signer> {
926         fn write<W: Writer>(&self, writer: &mut W) -> Result<(), Error> {
927                 write_ver_prefix!(writer, SERIALIZATION_VERSION, MIN_SERIALIZATION_VERSION);
928
929                 self.latest_update_id.write(writer)?;
930
931                 // Set in initial Channel-object creation, so should always be set by now:
932                 U48(self.commitment_transaction_number_obscure_factor).write(writer)?;
933
934                 self.destination_script.write(writer)?;
935                 if let Some(ref broadcasted_holder_revokable_script) = self.broadcasted_holder_revokable_script {
936                         writer.write_all(&[0; 1])?;
937                         broadcasted_holder_revokable_script.0.write(writer)?;
938                         broadcasted_holder_revokable_script.1.write(writer)?;
939                         broadcasted_holder_revokable_script.2.write(writer)?;
940                 } else {
941                         writer.write_all(&[1; 1])?;
942                 }
943
944                 self.counterparty_payment_script.write(writer)?;
945                 match &self.shutdown_script {
946                         Some(script) => script.write(writer)?,
947                         None => Script::new().write(writer)?,
948                 }
949
950                 self.channel_keys_id.write(writer)?;
951                 self.holder_revocation_basepoint.write(writer)?;
952                 writer.write_all(&self.funding_info.0.txid[..])?;
953                 writer.write_all(&self.funding_info.0.index.to_be_bytes())?;
954                 self.funding_info.1.write(writer)?;
955                 self.current_counterparty_commitment_txid.write(writer)?;
956                 self.prev_counterparty_commitment_txid.write(writer)?;
957
958                 self.counterparty_commitment_params.write(writer)?;
959                 self.funding_redeemscript.write(writer)?;
960                 self.channel_value_satoshis.write(writer)?;
961
962                 match self.their_cur_per_commitment_points {
963                         Some((idx, pubkey, second_option)) => {
964                                 writer.write_all(&byte_utils::be48_to_array(idx))?;
965                                 writer.write_all(&pubkey.serialize())?;
966                                 match second_option {
967                                         Some(second_pubkey) => {
968                                                 writer.write_all(&second_pubkey.serialize())?;
969                                         },
970                                         None => {
971                                                 writer.write_all(&[0; 33])?;
972                                         },
973                                 }
974                         },
975                         None => {
976                                 writer.write_all(&byte_utils::be48_to_array(0))?;
977                         },
978                 }
979
980                 writer.write_all(&self.on_holder_tx_csv.to_be_bytes())?;
981
982                 self.commitment_secrets.write(writer)?;
983
984                 macro_rules! serialize_htlc_in_commitment {
985                         ($htlc_output: expr) => {
986                                 writer.write_all(&[$htlc_output.offered as u8; 1])?;
987                                 writer.write_all(&$htlc_output.amount_msat.to_be_bytes())?;
988                                 writer.write_all(&$htlc_output.cltv_expiry.to_be_bytes())?;
989                                 writer.write_all(&$htlc_output.payment_hash.0[..])?;
990                                 $htlc_output.transaction_output_index.write(writer)?;
991                         }
992                 }
993
994                 writer.write_all(&(self.counterparty_claimable_outpoints.len() as u64).to_be_bytes())?;
995                 for (ref txid, ref htlc_infos) in self.counterparty_claimable_outpoints.iter() {
996                         writer.write_all(&txid[..])?;
997                         writer.write_all(&(htlc_infos.len() as u64).to_be_bytes())?;
998                         for &(ref htlc_output, ref htlc_source) in htlc_infos.iter() {
999                                 debug_assert!(htlc_source.is_none() || Some(**txid) == self.current_counterparty_commitment_txid
1000                                                 || Some(**txid) == self.prev_counterparty_commitment_txid,
1001                                         "HTLC Sources for all revoked commitment transactions should be none!");
1002                                 serialize_htlc_in_commitment!(htlc_output);
1003                                 htlc_source.as_ref().map(|b| b.as_ref()).write(writer)?;
1004                         }
1005                 }
1006
1007                 writer.write_all(&(self.counterparty_commitment_txn_on_chain.len() as u64).to_be_bytes())?;
1008                 for (ref txid, commitment_number) in self.counterparty_commitment_txn_on_chain.iter() {
1009                         writer.write_all(&txid[..])?;
1010                         writer.write_all(&byte_utils::be48_to_array(*commitment_number))?;
1011                 }
1012
1013                 writer.write_all(&(self.counterparty_hash_commitment_number.len() as u64).to_be_bytes())?;
1014                 for (ref payment_hash, commitment_number) in self.counterparty_hash_commitment_number.iter() {
1015                         writer.write_all(&payment_hash.0[..])?;
1016                         writer.write_all(&byte_utils::be48_to_array(*commitment_number))?;
1017                 }
1018
1019                 if let Some(ref prev_holder_tx) = self.prev_holder_signed_commitment_tx {
1020                         writer.write_all(&[1; 1])?;
1021                         prev_holder_tx.write(writer)?;
1022                 } else {
1023                         writer.write_all(&[0; 1])?;
1024                 }
1025
1026                 self.current_holder_commitment_tx.write(writer)?;
1027
1028                 writer.write_all(&byte_utils::be48_to_array(self.current_counterparty_commitment_number))?;
1029                 writer.write_all(&byte_utils::be48_to_array(self.current_holder_commitment_number))?;
1030
1031                 writer.write_all(&(self.payment_preimages.len() as u64).to_be_bytes())?;
1032                 for payment_preimage in self.payment_preimages.values() {
1033                         writer.write_all(&payment_preimage.0[..])?;
1034                 }
1035
1036                 writer.write_all(&(self.pending_monitor_events.iter().filter(|ev| match ev {
1037                         MonitorEvent::HTLCEvent(_) => true,
1038                         MonitorEvent::CommitmentTxConfirmed(_) => true,
1039                         _ => false,
1040                 }).count() as u64).to_be_bytes())?;
1041                 for event in self.pending_monitor_events.iter() {
1042                         match event {
1043                                 MonitorEvent::HTLCEvent(upd) => {
1044                                         0u8.write(writer)?;
1045                                         upd.write(writer)?;
1046                                 },
1047                                 MonitorEvent::CommitmentTxConfirmed(_) => 1u8.write(writer)?,
1048                                 _ => {}, // Covered in the TLV writes below
1049                         }
1050                 }
1051
1052                 writer.write_all(&(self.pending_events.len() as u64).to_be_bytes())?;
1053                 for event in self.pending_events.iter() {
1054                         event.write(writer)?;
1055                 }
1056
1057                 self.best_block.block_hash().write(writer)?;
1058                 writer.write_all(&self.best_block.height().to_be_bytes())?;
1059
1060                 writer.write_all(&(self.onchain_events_awaiting_threshold_conf.len() as u64).to_be_bytes())?;
1061                 for ref entry in self.onchain_events_awaiting_threshold_conf.iter() {
1062                         entry.write(writer)?;
1063                 }
1064
1065                 (self.outputs_to_watch.len() as u64).write(writer)?;
1066                 for (txid, idx_scripts) in self.outputs_to_watch.iter() {
1067                         txid.write(writer)?;
1068                         (idx_scripts.len() as u64).write(writer)?;
1069                         for (idx, script) in idx_scripts.iter() {
1070                                 idx.write(writer)?;
1071                                 script.write(writer)?;
1072                         }
1073                 }
1074                 self.onchain_tx_handler.write(writer)?;
1075
1076                 self.lockdown_from_offchain.write(writer)?;
1077                 self.holder_tx_signed.write(writer)?;
1078
1079                 write_tlv_fields!(writer, {
1080                         (1, self.funding_spend_confirmed, option),
1081                         (3, self.htlcs_resolved_on_chain, vec_type),
1082                         (5, self.pending_monitor_events, vec_type),
1083                         (7, self.funding_spend_seen, required),
1084                         (9, self.counterparty_node_id, option),
1085                         (11, self.confirmed_commitment_tx_counterparty_output, option),
1086                         (13, self.spendable_txids_confirmed, vec_type),
1087                 });
1088
1089                 Ok(())
1090         }
1091 }
1092
1093 impl<Signer: Sign> ChannelMonitor<Signer> {
1094         /// For lockorder enforcement purposes, we need to have a single site which constructs the
1095         /// `inner` mutex, otherwise cases where we lock two monitors at the same time (eg in our
1096         /// PartialEq implementation) we may decide a lockorder violation has occurred.
1097         fn from_impl(imp: ChannelMonitorImpl<Signer>) -> Self {
1098                 ChannelMonitor { inner: Mutex::new(imp) }
1099         }
1100
1101         pub(crate) fn new(secp_ctx: Secp256k1<secp256k1::All>, keys: Signer, shutdown_script: Option<Script>,
1102                           on_counterparty_tx_csv: u16, destination_script: &Script, funding_info: (OutPoint, Script),
1103                           channel_parameters: &ChannelTransactionParameters,
1104                           funding_redeemscript: Script, channel_value_satoshis: u64,
1105                           commitment_transaction_number_obscure_factor: u64,
1106                           initial_holder_commitment_tx: HolderCommitmentTransaction,
1107                           best_block: BestBlock, counterparty_node_id: PublicKey) -> ChannelMonitor<Signer> {
1108
1109                 assert!(commitment_transaction_number_obscure_factor <= (1 << 48));
1110                 let payment_key_hash = WPubkeyHash::hash(&keys.pubkeys().payment_point.serialize());
1111                 let counterparty_payment_script = Builder::new().push_opcode(opcodes::all::OP_PUSHBYTES_0).push_slice(&payment_key_hash[..]).into_script();
1112
1113                 let counterparty_channel_parameters = channel_parameters.counterparty_parameters.as_ref().unwrap();
1114                 let counterparty_delayed_payment_base_key = counterparty_channel_parameters.pubkeys.delayed_payment_basepoint;
1115                 let counterparty_htlc_base_key = counterparty_channel_parameters.pubkeys.htlc_basepoint;
1116                 let counterparty_commitment_params = CounterpartyCommitmentParameters { counterparty_delayed_payment_base_key, counterparty_htlc_base_key, on_counterparty_tx_csv };
1117
1118                 let channel_keys_id = keys.channel_keys_id();
1119                 let holder_revocation_basepoint = keys.pubkeys().revocation_basepoint;
1120
1121                 // block for Rust 1.34 compat
1122                 let (holder_commitment_tx, current_holder_commitment_number) = {
1123                         let trusted_tx = initial_holder_commitment_tx.trust();
1124                         let txid = trusted_tx.txid();
1125
1126                         let tx_keys = trusted_tx.keys();
1127                         let holder_commitment_tx = HolderSignedTx {
1128                                 txid,
1129                                 revocation_key: tx_keys.revocation_key,
1130                                 a_htlc_key: tx_keys.broadcaster_htlc_key,
1131                                 b_htlc_key: tx_keys.countersignatory_htlc_key,
1132                                 delayed_payment_key: tx_keys.broadcaster_delayed_payment_key,
1133                                 per_commitment_point: tx_keys.per_commitment_point,
1134                                 htlc_outputs: Vec::new(), // There are never any HTLCs in the initial commitment transactions
1135                                 to_self_value_sat: initial_holder_commitment_tx.to_broadcaster_value_sat(),
1136                                 feerate_per_kw: trusted_tx.feerate_per_kw(),
1137                         };
1138                         (holder_commitment_tx, trusted_tx.commitment_number())
1139                 };
1140
1141                 let onchain_tx_handler =
1142                         OnchainTxHandler::new(destination_script.clone(), keys,
1143                         channel_parameters.clone(), initial_holder_commitment_tx, secp_ctx.clone());
1144
1145                 let mut outputs_to_watch = HashMap::new();
1146                 outputs_to_watch.insert(funding_info.0.txid, vec![(funding_info.0.index as u32, funding_info.1.clone())]);
1147
1148                 Self::from_impl(ChannelMonitorImpl {
1149                         latest_update_id: 0,
1150                         commitment_transaction_number_obscure_factor,
1151
1152                         destination_script: destination_script.clone(),
1153                         broadcasted_holder_revokable_script: None,
1154                         counterparty_payment_script,
1155                         shutdown_script,
1156
1157                         channel_keys_id,
1158                         holder_revocation_basepoint,
1159                         funding_info,
1160                         current_counterparty_commitment_txid: None,
1161                         prev_counterparty_commitment_txid: None,
1162
1163                         counterparty_commitment_params,
1164                         funding_redeemscript,
1165                         channel_value_satoshis,
1166                         their_cur_per_commitment_points: None,
1167
1168                         on_holder_tx_csv: counterparty_channel_parameters.selected_contest_delay,
1169
1170                         commitment_secrets: CounterpartyCommitmentSecrets::new(),
1171                         counterparty_claimable_outpoints: HashMap::new(),
1172                         counterparty_commitment_txn_on_chain: HashMap::new(),
1173                         counterparty_hash_commitment_number: HashMap::new(),
1174
1175                         prev_holder_signed_commitment_tx: None,
1176                         current_holder_commitment_tx: holder_commitment_tx,
1177                         current_counterparty_commitment_number: 1 << 48,
1178                         current_holder_commitment_number,
1179
1180                         payment_preimages: HashMap::new(),
1181                         pending_monitor_events: Vec::new(),
1182                         pending_events: Vec::new(),
1183
1184                         onchain_events_awaiting_threshold_conf: Vec::new(),
1185                         outputs_to_watch,
1186
1187                         onchain_tx_handler,
1188
1189                         lockdown_from_offchain: false,
1190                         holder_tx_signed: false,
1191                         funding_spend_seen: false,
1192                         funding_spend_confirmed: None,
1193                         confirmed_commitment_tx_counterparty_output: None,
1194                         htlcs_resolved_on_chain: Vec::new(),
1195                         spendable_txids_confirmed: Vec::new(),
1196
1197                         best_block,
1198                         counterparty_node_id: Some(counterparty_node_id),
1199
1200                         secp_ctx,
1201                 })
1202         }
1203
1204         #[cfg(test)]
1205         fn provide_secret(&self, idx: u64, secret: [u8; 32]) -> Result<(), &'static str> {
1206                 self.inner.lock().unwrap().provide_secret(idx, secret)
1207         }
1208
1209         /// Informs this monitor of the latest counterparty (ie non-broadcastable) commitment transaction.
1210         /// The monitor watches for it to be broadcasted and then uses the HTLC information (and
1211         /// possibly future revocation/preimage information) to claim outputs where possible.
1212         /// We cache also the mapping hash:commitment number to lighten pruning of old preimages by watchtowers.
1213         pub(crate) fn provide_latest_counterparty_commitment_tx<L: Deref>(
1214                 &self,
1215                 txid: Txid,
1216                 htlc_outputs: Vec<(HTLCOutputInCommitment, Option<Box<HTLCSource>>)>,
1217                 commitment_number: u64,
1218                 their_per_commitment_point: PublicKey,
1219                 logger: &L,
1220         ) where L::Target: Logger {
1221                 self.inner.lock().unwrap().provide_latest_counterparty_commitment_tx(
1222                         txid, htlc_outputs, commitment_number, their_per_commitment_point, logger)
1223         }
1224
1225         #[cfg(test)]
1226         fn provide_latest_holder_commitment_tx(
1227                 &self, holder_commitment_tx: HolderCommitmentTransaction,
1228                 htlc_outputs: Vec<(HTLCOutputInCommitment, Option<Signature>, Option<HTLCSource>)>,
1229         ) -> Result<(), ()> {
1230                 self.inner.lock().unwrap().provide_latest_holder_commitment_tx(holder_commitment_tx, htlc_outputs).map_err(|_| ())
1231         }
1232
1233         /// This is used to provide payment preimage(s) out-of-band during startup without updating the
1234         /// off-chain state with a new commitment transaction.
1235         pub(crate) fn provide_payment_preimage<B: Deref, F: Deref, L: Deref>(
1236                 &self,
1237                 payment_hash: &PaymentHash,
1238                 payment_preimage: &PaymentPreimage,
1239                 broadcaster: &B,
1240                 fee_estimator: &LowerBoundedFeeEstimator<F>,
1241                 logger: &L,
1242         ) where
1243                 B::Target: BroadcasterInterface,
1244                 F::Target: FeeEstimator,
1245                 L::Target: Logger,
1246         {
1247                 self.inner.lock().unwrap().provide_payment_preimage(
1248                         payment_hash, payment_preimage, broadcaster, fee_estimator, logger)
1249         }
1250
1251         pub(crate) fn broadcast_latest_holder_commitment_txn<B: Deref, L: Deref>(
1252                 &self,
1253                 broadcaster: &B,
1254                 logger: &L,
1255         ) where
1256                 B::Target: BroadcasterInterface,
1257                 L::Target: Logger,
1258         {
1259                 self.inner.lock().unwrap().broadcast_latest_holder_commitment_txn(broadcaster, logger);
1260         }
1261
1262         /// Updates a ChannelMonitor on the basis of some new information provided by the Channel
1263         /// itself.
1264         ///
1265         /// panics if the given update is not the next update by update_id.
1266         pub fn update_monitor<B: Deref, F: Deref, L: Deref>(
1267                 &self,
1268                 updates: &ChannelMonitorUpdate,
1269                 broadcaster: &B,
1270                 fee_estimator: F,
1271                 logger: &L,
1272         ) -> Result<(), ()>
1273         where
1274                 B::Target: BroadcasterInterface,
1275                 F::Target: FeeEstimator,
1276                 L::Target: Logger,
1277         {
1278                 self.inner.lock().unwrap().update_monitor(updates, broadcaster, fee_estimator, logger)
1279         }
1280
1281         /// Gets the update_id from the latest ChannelMonitorUpdate which was applied to this
1282         /// ChannelMonitor.
1283         pub fn get_latest_update_id(&self) -> u64 {
1284                 self.inner.lock().unwrap().get_latest_update_id()
1285         }
1286
1287         /// Gets the funding transaction outpoint of the channel this ChannelMonitor is monitoring for.
1288         pub fn get_funding_txo(&self) -> (OutPoint, Script) {
1289                 self.inner.lock().unwrap().get_funding_txo().clone()
1290         }
1291
1292         /// Gets a list of txids, with their output scripts (in the order they appear in the
1293         /// transaction), which we must learn about spends of via block_connected().
1294         pub fn get_outputs_to_watch(&self) -> Vec<(Txid, Vec<(u32, Script)>)> {
1295                 self.inner.lock().unwrap().get_outputs_to_watch()
1296                         .iter().map(|(txid, outputs)| (*txid, outputs.clone())).collect()
1297         }
1298
1299         /// Loads the funding txo and outputs to watch into the given `chain::Filter` by repeatedly
1300         /// calling `chain::Filter::register_output` and `chain::Filter::register_tx` until all outputs
1301         /// have been registered.
1302         pub fn load_outputs_to_watch<F: Deref>(&self, filter: &F) where F::Target: chain::Filter {
1303                 let lock = self.inner.lock().unwrap();
1304                 filter.register_tx(&lock.get_funding_txo().0.txid, &lock.get_funding_txo().1);
1305                 for (txid, outputs) in lock.get_outputs_to_watch().iter() {
1306                         for (index, script_pubkey) in outputs.iter() {
1307                                 assert!(*index <= u16::max_value() as u32);
1308                                 filter.register_output(WatchedOutput {
1309                                         block_hash: None,
1310                                         outpoint: OutPoint { txid: *txid, index: *index as u16 },
1311                                         script_pubkey: script_pubkey.clone(),
1312                                 });
1313                         }
1314                 }
1315         }
1316
1317         /// Get the list of HTLCs who's status has been updated on chain. This should be called by
1318         /// ChannelManager via [`chain::Watch::release_pending_monitor_events`].
1319         pub fn get_and_clear_pending_monitor_events(&self) -> Vec<MonitorEvent> {
1320                 self.inner.lock().unwrap().get_and_clear_pending_monitor_events()
1321         }
1322
1323         /// Gets the list of pending events which were generated by previous actions, clearing the list
1324         /// in the process.
1325         ///
1326         /// This is called by the [`EventsProvider::process_pending_events`] implementation for
1327         /// [`ChainMonitor`].
1328         ///
1329         /// [`EventsProvider::process_pending_events`]: crate::util::events::EventsProvider::process_pending_events
1330         /// [`ChainMonitor`]: crate::chain::chainmonitor::ChainMonitor
1331         pub fn get_and_clear_pending_events(&self) -> Vec<Event> {
1332                 self.inner.lock().unwrap().get_and_clear_pending_events()
1333         }
1334
1335         pub(crate) fn get_min_seen_secret(&self) -> u64 {
1336                 self.inner.lock().unwrap().get_min_seen_secret()
1337         }
1338
1339         pub(crate) fn get_cur_counterparty_commitment_number(&self) -> u64 {
1340                 self.inner.lock().unwrap().get_cur_counterparty_commitment_number()
1341         }
1342
1343         pub(crate) fn get_cur_holder_commitment_number(&self) -> u64 {
1344                 self.inner.lock().unwrap().get_cur_holder_commitment_number()
1345         }
1346
1347         /// Gets the `node_id` of the counterparty for this channel.
1348         ///
1349         /// Will be `None` for channels constructed on LDK versions prior to 0.0.110 and always `Some`
1350         /// otherwise.
1351         pub fn get_counterparty_node_id(&self) -> Option<PublicKey> {
1352                 self.inner.lock().unwrap().counterparty_node_id
1353         }
1354
1355         /// Used by ChannelManager deserialization to broadcast the latest holder state if its copy of
1356         /// the Channel was out-of-date.
1357         ///
1358         /// You may also use this to broadcast the latest local commitment transaction, either because
1359         /// a monitor update failed with [`ChannelMonitorUpdateStatus::PermanentFailure`] or because we've
1360         /// fallen behind (i.e. we've received proof that our counterparty side knows a revocation
1361         /// secret we gave them that they shouldn't know).
1362         ///
1363         /// Broadcasting these transactions in the second case is UNSAFE, as they allow counterparty
1364         /// side to punish you. Nevertheless you may want to broadcast them if counterparty doesn't
1365         /// close channel with their commitment transaction after a substantial amount of time. Best
1366         /// may be to contact the other node operator out-of-band to coordinate other options available
1367         /// to you. In any-case, the choice is up to you.
1368         ///
1369         /// [`ChannelMonitorUpdateStatus::PermanentFailure`]: super::ChannelMonitorUpdateStatus::PermanentFailure
1370         pub fn get_latest_holder_commitment_txn<L: Deref>(&self, logger: &L) -> Vec<Transaction>
1371         where L::Target: Logger {
1372                 self.inner.lock().unwrap().get_latest_holder_commitment_txn(logger)
1373         }
1374
1375         /// Unsafe test-only version of get_latest_holder_commitment_txn used by our test framework
1376         /// to bypass HolderCommitmentTransaction state update lockdown after signature and generate
1377         /// revoked commitment transaction.
1378         #[cfg(any(test, feature = "unsafe_revoked_tx_signing"))]
1379         pub fn unsafe_get_latest_holder_commitment_txn<L: Deref>(&self, logger: &L) -> Vec<Transaction>
1380         where L::Target: Logger {
1381                 self.inner.lock().unwrap().unsafe_get_latest_holder_commitment_txn(logger)
1382         }
1383
1384         /// Processes transactions in a newly connected block, which may result in any of the following:
1385         /// - update the monitor's state against resolved HTLCs
1386         /// - punish the counterparty in the case of seeing a revoked commitment transaction
1387         /// - force close the channel and claim/timeout incoming/outgoing HTLCs if near expiration
1388         /// - detect settled outputs for later spending
1389         /// - schedule and bump any in-flight claims
1390         ///
1391         /// Returns any new outputs to watch from `txdata`; after called, these are also included in
1392         /// [`get_outputs_to_watch`].
1393         ///
1394         /// [`get_outputs_to_watch`]: #method.get_outputs_to_watch
1395         pub fn block_connected<B: Deref, F: Deref, L: Deref>(
1396                 &self,
1397                 header: &BlockHeader,
1398                 txdata: &TransactionData,
1399                 height: u32,
1400                 broadcaster: B,
1401                 fee_estimator: F,
1402                 logger: L,
1403         ) -> Vec<TransactionOutputs>
1404         where
1405                 B::Target: BroadcasterInterface,
1406                 F::Target: FeeEstimator,
1407                 L::Target: Logger,
1408         {
1409                 self.inner.lock().unwrap().block_connected(
1410                         header, txdata, height, broadcaster, fee_estimator, logger)
1411         }
1412
1413         /// Determines if the disconnected block contained any transactions of interest and updates
1414         /// appropriately.
1415         pub fn block_disconnected<B: Deref, F: Deref, L: Deref>(
1416                 &self,
1417                 header: &BlockHeader,
1418                 height: u32,
1419                 broadcaster: B,
1420                 fee_estimator: F,
1421                 logger: L,
1422         ) where
1423                 B::Target: BroadcasterInterface,
1424                 F::Target: FeeEstimator,
1425                 L::Target: Logger,
1426         {
1427                 self.inner.lock().unwrap().block_disconnected(
1428                         header, height, broadcaster, fee_estimator, logger)
1429         }
1430
1431         /// Processes transactions confirmed in a block with the given header and height, returning new
1432         /// outputs to watch. See [`block_connected`] for details.
1433         ///
1434         /// Used instead of [`block_connected`] by clients that are notified of transactions rather than
1435         /// blocks. See [`chain::Confirm`] for calling expectations.
1436         ///
1437         /// [`block_connected`]: Self::block_connected
1438         pub fn transactions_confirmed<B: Deref, F: Deref, L: Deref>(
1439                 &self,
1440                 header: &BlockHeader,
1441                 txdata: &TransactionData,
1442                 height: u32,
1443                 broadcaster: B,
1444                 fee_estimator: F,
1445                 logger: L,
1446         ) -> Vec<TransactionOutputs>
1447         where
1448                 B::Target: BroadcasterInterface,
1449                 F::Target: FeeEstimator,
1450                 L::Target: Logger,
1451         {
1452                 let bounded_fee_estimator = LowerBoundedFeeEstimator::new(fee_estimator);
1453                 self.inner.lock().unwrap().transactions_confirmed(
1454                         header, txdata, height, broadcaster, &bounded_fee_estimator, logger)
1455         }
1456
1457         /// Processes a transaction that was reorganized out of the chain.
1458         ///
1459         /// Used instead of [`block_disconnected`] by clients that are notified of transactions rather
1460         /// than blocks. See [`chain::Confirm`] for calling expectations.
1461         ///
1462         /// [`block_disconnected`]: Self::block_disconnected
1463         pub fn transaction_unconfirmed<B: Deref, F: Deref, L: Deref>(
1464                 &self,
1465                 txid: &Txid,
1466                 broadcaster: B,
1467                 fee_estimator: F,
1468                 logger: L,
1469         ) where
1470                 B::Target: BroadcasterInterface,
1471                 F::Target: FeeEstimator,
1472                 L::Target: Logger,
1473         {
1474                 let bounded_fee_estimator = LowerBoundedFeeEstimator::new(fee_estimator);
1475                 self.inner.lock().unwrap().transaction_unconfirmed(
1476                         txid, broadcaster, &bounded_fee_estimator, logger);
1477         }
1478
1479         /// Updates the monitor with the current best chain tip, returning new outputs to watch. See
1480         /// [`block_connected`] for details.
1481         ///
1482         /// Used instead of [`block_connected`] by clients that are notified of transactions rather than
1483         /// blocks. See [`chain::Confirm`] for calling expectations.
1484         ///
1485         /// [`block_connected`]: Self::block_connected
1486         pub fn best_block_updated<B: Deref, F: Deref, L: Deref>(
1487                 &self,
1488                 header: &BlockHeader,
1489                 height: u32,
1490                 broadcaster: B,
1491                 fee_estimator: F,
1492                 logger: L,
1493         ) -> Vec<TransactionOutputs>
1494         where
1495                 B::Target: BroadcasterInterface,
1496                 F::Target: FeeEstimator,
1497                 L::Target: Logger,
1498         {
1499                 let bounded_fee_estimator = LowerBoundedFeeEstimator::new(fee_estimator);
1500                 self.inner.lock().unwrap().best_block_updated(
1501                         header, height, broadcaster, &bounded_fee_estimator, logger)
1502         }
1503
1504         /// Returns the set of txids that should be monitored for re-organization out of the chain.
1505         pub fn get_relevant_txids(&self) -> Vec<(Txid, Option<BlockHash>)> {
1506                 let inner = self.inner.lock().unwrap();
1507                 let mut txids: Vec<(Txid, Option<BlockHash>)> = inner.onchain_events_awaiting_threshold_conf
1508                         .iter()
1509                         .map(|entry| (entry.txid, entry.block_hash))
1510                         .chain(inner.onchain_tx_handler.get_relevant_txids().into_iter())
1511                         .collect();
1512                 txids.sort_unstable();
1513                 txids.dedup();
1514                 txids
1515         }
1516
1517         /// Gets the latest best block which was connected either via the [`chain::Listen`] or
1518         /// [`chain::Confirm`] interfaces.
1519         pub fn current_best_block(&self) -> BestBlock {
1520                 self.inner.lock().unwrap().best_block.clone()
1521         }
1522 }
1523
1524 impl<Signer: Sign> ChannelMonitorImpl<Signer> {
1525         /// Helper for get_claimable_balances which does the work for an individual HTLC, generating up
1526         /// to one `Balance` for the HTLC.
1527         fn get_htlc_balance(&self, htlc: &HTLCOutputInCommitment, holder_commitment: bool,
1528                 counterparty_revoked_commitment: bool, confirmed_txid: Option<Txid>)
1529         -> Option<Balance> {
1530                 let htlc_commitment_tx_output_idx =
1531                         if let Some(v) = htlc.transaction_output_index { v } else { return None; };
1532
1533                 let mut htlc_spend_txid_opt = None;
1534                 let mut htlc_spend_tx_opt = None;
1535                 let mut holder_timeout_spend_pending = None;
1536                 let mut htlc_spend_pending = None;
1537                 let mut holder_delayed_output_pending = None;
1538                 for event in self.onchain_events_awaiting_threshold_conf.iter() {
1539                         match event.event {
1540                                 OnchainEvent::HTLCUpdate { commitment_tx_output_idx, htlc_value_satoshis, .. }
1541                                 if commitment_tx_output_idx == Some(htlc_commitment_tx_output_idx) => {
1542                                         debug_assert!(htlc_spend_txid_opt.is_none());
1543                                         htlc_spend_txid_opt = Some(&event.txid);
1544                                         debug_assert!(htlc_spend_tx_opt.is_none());
1545                                         htlc_spend_tx_opt = event.transaction.as_ref();
1546                                         debug_assert!(holder_timeout_spend_pending.is_none());
1547                                         debug_assert_eq!(htlc_value_satoshis.unwrap(), htlc.amount_msat / 1000);
1548                                         holder_timeout_spend_pending = Some(event.confirmation_threshold());
1549                                 },
1550                                 OnchainEvent::HTLCSpendConfirmation { commitment_tx_output_idx, preimage, .. }
1551                                 if commitment_tx_output_idx == htlc_commitment_tx_output_idx => {
1552                                         debug_assert!(htlc_spend_txid_opt.is_none());
1553                                         htlc_spend_txid_opt = Some(&event.txid);
1554                                         debug_assert!(htlc_spend_tx_opt.is_none());
1555                                         htlc_spend_tx_opt = event.transaction.as_ref();
1556                                         debug_assert!(htlc_spend_pending.is_none());
1557                                         htlc_spend_pending = Some((event.confirmation_threshold(), preimage.is_some()));
1558                                 },
1559                                 OnchainEvent::MaturingOutput {
1560                                         descriptor: SpendableOutputDescriptor::DelayedPaymentOutput(ref descriptor) }
1561                                 if descriptor.outpoint.index as u32 == htlc_commitment_tx_output_idx => {
1562                                         debug_assert!(holder_delayed_output_pending.is_none());
1563                                         holder_delayed_output_pending = Some(event.confirmation_threshold());
1564                                 },
1565                                 _ => {},
1566                         }
1567                 }
1568                 let htlc_resolved = self.htlcs_resolved_on_chain.iter()
1569                         .find(|v| if v.commitment_tx_output_idx == Some(htlc_commitment_tx_output_idx) {
1570                                 debug_assert!(htlc_spend_txid_opt.is_none());
1571                                 htlc_spend_txid_opt = v.resolving_txid.as_ref();
1572                                 debug_assert!(htlc_spend_tx_opt.is_none());
1573                                 htlc_spend_tx_opt = v.resolving_tx.as_ref();
1574                                 true
1575                         } else { false });
1576                 debug_assert!(holder_timeout_spend_pending.is_some() as u8 + htlc_spend_pending.is_some() as u8 + htlc_resolved.is_some() as u8 <= 1);
1577
1578                 let htlc_commitment_outpoint = BitcoinOutPoint::new(confirmed_txid.unwrap(), htlc_commitment_tx_output_idx);
1579                 let htlc_output_to_spend =
1580                         if let Some(txid) = htlc_spend_txid_opt {
1581                                 // Because HTLC transactions either only have 1 input and 1 output (pre-anchors) or
1582                                 // are signed with SIGHASH_SINGLE|ANYONECANPAY under BIP-0143 (post-anchors), we can
1583                                 // locate the correct output by ensuring its adjacent input spends the HTLC output
1584                                 // in the commitment.
1585                                 if let Some(ref tx) = htlc_spend_tx_opt {
1586                                         let htlc_input_idx_opt = tx.input.iter().enumerate()
1587                                                 .find(|(_, input)| input.previous_output == htlc_commitment_outpoint)
1588                                                 .map(|(idx, _)| idx as u32);
1589                                         debug_assert!(htlc_input_idx_opt.is_some());
1590                                         BitcoinOutPoint::new(*txid, htlc_input_idx_opt.unwrap_or(0))
1591                                 } else {
1592                                         debug_assert!(!self.onchain_tx_handler.opt_anchors());
1593                                         BitcoinOutPoint::new(*txid, 0)
1594                                 }
1595                         } else {
1596                                 htlc_commitment_outpoint
1597                         };
1598                 let htlc_output_spend_pending = self.onchain_tx_handler.is_output_spend_pending(&htlc_output_to_spend);
1599
1600                 if let Some(conf_thresh) = holder_delayed_output_pending {
1601                         debug_assert!(holder_commitment);
1602                         return Some(Balance::ClaimableAwaitingConfirmations {
1603                                 claimable_amount_satoshis: htlc.amount_msat / 1000,
1604                                 confirmation_height: conf_thresh,
1605                         });
1606                 } else if htlc_resolved.is_some() && !htlc_output_spend_pending {
1607                         // Funding transaction spends should be fully confirmed by the time any
1608                         // HTLC transactions are resolved, unless we're talking about a holder
1609                         // commitment tx, whose resolution is delayed until the CSV timeout is
1610                         // reached, even though HTLCs may be resolved after only
1611                         // ANTI_REORG_DELAY confirmations.
1612                         debug_assert!(holder_commitment || self.funding_spend_confirmed.is_some());
1613                 } else if counterparty_revoked_commitment {
1614                         let htlc_output_claim_pending = self.onchain_events_awaiting_threshold_conf.iter().find_map(|event| {
1615                                 if let OnchainEvent::MaturingOutput {
1616                                         descriptor: SpendableOutputDescriptor::StaticOutput { .. }
1617                                 } = &event.event {
1618                                         if event.transaction.as_ref().map(|tx| tx.input.iter().any(|inp| {
1619                                                 if let Some(htlc_spend_txid) = htlc_spend_txid_opt {
1620                                                         tx.txid() == *htlc_spend_txid || inp.previous_output.txid == *htlc_spend_txid
1621                                                 } else {
1622                                                         Some(inp.previous_output.txid) == confirmed_txid &&
1623                                                                 inp.previous_output.vout == htlc_commitment_tx_output_idx
1624                                                 }
1625                                         })).unwrap_or(false) {
1626                                                 Some(())
1627                                         } else { None }
1628                                 } else { None }
1629                         });
1630                         if htlc_output_claim_pending.is_some() {
1631                                 // We already push `Balance`s onto the `res` list for every
1632                                 // `StaticOutput` in a `MaturingOutput` in the revoked
1633                                 // counterparty commitment transaction case generally, so don't
1634                                 // need to do so again here.
1635                         } else {
1636                                 debug_assert!(holder_timeout_spend_pending.is_none(),
1637                                         "HTLCUpdate OnchainEvents should never appear for preimage claims");
1638                                 debug_assert!(!htlc.offered || htlc_spend_pending.is_none() || !htlc_spend_pending.unwrap().1,
1639                                         "We don't (currently) generate preimage claims against revoked outputs, where did you get one?!");
1640                                 return Some(Balance::CounterpartyRevokedOutputClaimable {
1641                                         claimable_amount_satoshis: htlc.amount_msat / 1000,
1642                                 });
1643                         }
1644                 } else if htlc.offered == holder_commitment {
1645                         // If the payment was outbound, check if there's an HTLCUpdate
1646                         // indicating we have spent this HTLC with a timeout, claiming it back
1647                         // and awaiting confirmations on it.
1648                         if let Some(conf_thresh) = holder_timeout_spend_pending {
1649                                 return Some(Balance::ClaimableAwaitingConfirmations {
1650                                         claimable_amount_satoshis: htlc.amount_msat / 1000,
1651                                         confirmation_height: conf_thresh,
1652                                 });
1653                         } else {
1654                                 return Some(Balance::MaybeTimeoutClaimableHTLC {
1655                                         claimable_amount_satoshis: htlc.amount_msat / 1000,
1656                                         claimable_height: htlc.cltv_expiry,
1657                                 });
1658                         }
1659                 } else if self.payment_preimages.get(&htlc.payment_hash).is_some() {
1660                         // Otherwise (the payment was inbound), only expose it as claimable if
1661                         // we know the preimage.
1662                         // Note that if there is a pending claim, but it did not use the
1663                         // preimage, we lost funds to our counterparty! We will then continue
1664                         // to show it as ContentiousClaimable until ANTI_REORG_DELAY.
1665                         debug_assert!(holder_timeout_spend_pending.is_none());
1666                         if let Some((conf_thresh, true)) = htlc_spend_pending {
1667                                 return Some(Balance::ClaimableAwaitingConfirmations {
1668                                         claimable_amount_satoshis: htlc.amount_msat / 1000,
1669                                         confirmation_height: conf_thresh,
1670                                 });
1671                         } else {
1672                                 return Some(Balance::ContentiousClaimable {
1673                                         claimable_amount_satoshis: htlc.amount_msat / 1000,
1674                                         timeout_height: htlc.cltv_expiry,
1675                                 });
1676                         }
1677                 } else if htlc_resolved.is_none() {
1678                         return Some(Balance::MaybePreimageClaimableHTLC {
1679                                 claimable_amount_satoshis: htlc.amount_msat / 1000,
1680                                 expiry_height: htlc.cltv_expiry,
1681                         });
1682                 }
1683                 None
1684         }
1685 }
1686
1687 impl<Signer: Sign> ChannelMonitor<Signer> {
1688         /// Gets the balances in this channel which are either claimable by us if we were to
1689         /// force-close the channel now or which are claimable on-chain (possibly awaiting
1690         /// confirmation).
1691         ///
1692         /// Any balances in the channel which are available on-chain (excluding on-chain fees) are
1693         /// included here until an [`Event::SpendableOutputs`] event has been generated for the
1694         /// balance, or until our counterparty has claimed the balance and accrued several
1695         /// confirmations on the claim transaction.
1696         ///
1697         /// Note that for `ChannelMonitors` which track a channel which went on-chain with versions of
1698         /// LDK prior to 0.0.111, balances may not be fully captured if our counterparty broadcasted
1699         /// a revoked state.
1700         ///
1701         /// See [`Balance`] for additional details on the types of claimable balances which
1702         /// may be returned here and their meanings.
1703         pub fn get_claimable_balances(&self) -> Vec<Balance> {
1704                 let mut res = Vec::new();
1705                 let us = self.inner.lock().unwrap();
1706
1707                 let mut confirmed_txid = us.funding_spend_confirmed;
1708                 let mut confirmed_counterparty_output = us.confirmed_commitment_tx_counterparty_output;
1709                 let mut pending_commitment_tx_conf_thresh = None;
1710                 let funding_spend_pending = us.onchain_events_awaiting_threshold_conf.iter().find_map(|event| {
1711                         if let OnchainEvent::FundingSpendConfirmation { commitment_tx_to_counterparty_output, .. } =
1712                                 event.event
1713                         {
1714                                 confirmed_counterparty_output = commitment_tx_to_counterparty_output;
1715                                 Some((event.txid, event.confirmation_threshold()))
1716                         } else { None }
1717                 });
1718                 if let Some((txid, conf_thresh)) = funding_spend_pending {
1719                         debug_assert!(us.funding_spend_confirmed.is_none(),
1720                                 "We have a pending funding spend awaiting anti-reorg confirmation, we can't have confirmed it already!");
1721                         confirmed_txid = Some(txid);
1722                         pending_commitment_tx_conf_thresh = Some(conf_thresh);
1723                 }
1724
1725                 macro_rules! walk_htlcs {
1726                         ($holder_commitment: expr, $counterparty_revoked_commitment: expr, $htlc_iter: expr) => {
1727                                 for htlc in $htlc_iter {
1728                                         if htlc.transaction_output_index.is_some() {
1729
1730                                                 if let Some(bal) = us.get_htlc_balance(htlc, $holder_commitment, $counterparty_revoked_commitment, confirmed_txid) {
1731                                                         res.push(bal);
1732                                                 }
1733                                         }
1734                                 }
1735                         }
1736                 }
1737
1738                 if let Some(txid) = confirmed_txid {
1739                         let mut found_commitment_tx = false;
1740                         if let Some(counterparty_tx_htlcs) = us.counterparty_claimable_outpoints.get(&txid) {
1741                                 // First look for the to_remote output back to us.
1742                                 if let Some(conf_thresh) = pending_commitment_tx_conf_thresh {
1743                                         if let Some(value) = us.onchain_events_awaiting_threshold_conf.iter().find_map(|event| {
1744                                                 if let OnchainEvent::MaturingOutput {
1745                                                         descriptor: SpendableOutputDescriptor::StaticPaymentOutput(descriptor)
1746                                                 } = &event.event {
1747                                                         Some(descriptor.output.value)
1748                                                 } else { None }
1749                                         }) {
1750                                                 res.push(Balance::ClaimableAwaitingConfirmations {
1751                                                         claimable_amount_satoshis: value,
1752                                                         confirmation_height: conf_thresh,
1753                                                 });
1754                                         } else {
1755                                                 // If a counterparty commitment transaction is awaiting confirmation, we
1756                                                 // should either have a StaticPaymentOutput MaturingOutput event awaiting
1757                                                 // confirmation with the same height or have never met our dust amount.
1758                                         }
1759                                 }
1760                                 if Some(txid) == us.current_counterparty_commitment_txid || Some(txid) == us.prev_counterparty_commitment_txid {
1761                                         walk_htlcs!(false, false, counterparty_tx_htlcs.iter().map(|(a, _)| a));
1762                                 } else {
1763                                         walk_htlcs!(false, true, counterparty_tx_htlcs.iter().map(|(a, _)| a));
1764                                         // The counterparty broadcasted a revoked state!
1765                                         // Look for any StaticOutputs first, generating claimable balances for those.
1766                                         // If any match the confirmed counterparty revoked to_self output, skip
1767                                         // generating a CounterpartyRevokedOutputClaimable.
1768                                         let mut spent_counterparty_output = false;
1769                                         for event in us.onchain_events_awaiting_threshold_conf.iter() {
1770                                                 if let OnchainEvent::MaturingOutput {
1771                                                         descriptor: SpendableOutputDescriptor::StaticOutput { output, .. }
1772                                                 } = &event.event {
1773                                                         res.push(Balance::ClaimableAwaitingConfirmations {
1774                                                                 claimable_amount_satoshis: output.value,
1775                                                                 confirmation_height: event.confirmation_threshold(),
1776                                                         });
1777                                                         if let Some(confirmed_to_self_idx) = confirmed_counterparty_output.map(|(idx, _)| idx) {
1778                                                                 if event.transaction.as_ref().map(|tx|
1779                                                                         tx.input.iter().any(|inp| inp.previous_output.vout == confirmed_to_self_idx)
1780                                                                 ).unwrap_or(false) {
1781                                                                         spent_counterparty_output = true;
1782                                                                 }
1783                                                         }
1784                                                 }
1785                                         }
1786
1787                                         if spent_counterparty_output {
1788                                         } else if let Some((confirmed_to_self_idx, amt)) = confirmed_counterparty_output {
1789                                                 let output_spendable = us.onchain_tx_handler
1790                                                         .is_output_spend_pending(&BitcoinOutPoint::new(txid, confirmed_to_self_idx));
1791                                                 if output_spendable {
1792                                                         res.push(Balance::CounterpartyRevokedOutputClaimable {
1793                                                                 claimable_amount_satoshis: amt,
1794                                                         });
1795                                                 }
1796                                         } else {
1797                                                 // Counterparty output is missing, either it was broadcasted on a
1798                                                 // previous version of LDK or the counterparty hadn't met dust.
1799                                         }
1800                                 }
1801                                 found_commitment_tx = true;
1802                         } else if txid == us.current_holder_commitment_tx.txid {
1803                                 walk_htlcs!(true, false, us.current_holder_commitment_tx.htlc_outputs.iter().map(|(a, _, _)| a));
1804                                 if let Some(conf_thresh) = pending_commitment_tx_conf_thresh {
1805                                         res.push(Balance::ClaimableAwaitingConfirmations {
1806                                                 claimable_amount_satoshis: us.current_holder_commitment_tx.to_self_value_sat,
1807                                                 confirmation_height: conf_thresh,
1808                                         });
1809                                 }
1810                                 found_commitment_tx = true;
1811                         } else if let Some(prev_commitment) = &us.prev_holder_signed_commitment_tx {
1812                                 if txid == prev_commitment.txid {
1813                                         walk_htlcs!(true, false, prev_commitment.htlc_outputs.iter().map(|(a, _, _)| a));
1814                                         if let Some(conf_thresh) = pending_commitment_tx_conf_thresh {
1815                                                 res.push(Balance::ClaimableAwaitingConfirmations {
1816                                                         claimable_amount_satoshis: prev_commitment.to_self_value_sat,
1817                                                         confirmation_height: conf_thresh,
1818                                                 });
1819                                         }
1820                                         found_commitment_tx = true;
1821                                 }
1822                         }
1823                         if !found_commitment_tx {
1824                                 if let Some(conf_thresh) = pending_commitment_tx_conf_thresh {
1825                                         // We blindly assume this is a cooperative close transaction here, and that
1826                                         // neither us nor our counterparty misbehaved. At worst we've under-estimated
1827                                         // the amount we can claim as we'll punish a misbehaving counterparty.
1828                                         res.push(Balance::ClaimableAwaitingConfirmations {
1829                                                 claimable_amount_satoshis: us.current_holder_commitment_tx.to_self_value_sat,
1830                                                 confirmation_height: conf_thresh,
1831                                         });
1832                                 }
1833                         }
1834                 } else {
1835                         let mut claimable_inbound_htlc_value_sat = 0;
1836                         for (htlc, _, _) in us.current_holder_commitment_tx.htlc_outputs.iter() {
1837                                 if htlc.transaction_output_index.is_none() { continue; }
1838                                 if htlc.offered {
1839                                         res.push(Balance::MaybeTimeoutClaimableHTLC {
1840                                                 claimable_amount_satoshis: htlc.amount_msat / 1000,
1841                                                 claimable_height: htlc.cltv_expiry,
1842                                         });
1843                                 } else if us.payment_preimages.get(&htlc.payment_hash).is_some() {
1844                                         claimable_inbound_htlc_value_sat += htlc.amount_msat / 1000;
1845                                 } else {
1846                                         // As long as the HTLC is still in our latest commitment state, treat
1847                                         // it as potentially claimable, even if it has long-since expired.
1848                                         res.push(Balance::MaybePreimageClaimableHTLC {
1849                                                 claimable_amount_satoshis: htlc.amount_msat / 1000,
1850                                                 expiry_height: htlc.cltv_expiry,
1851                                         });
1852                                 }
1853                         }
1854                         res.push(Balance::ClaimableOnChannelClose {
1855                                 claimable_amount_satoshis: us.current_holder_commitment_tx.to_self_value_sat + claimable_inbound_htlc_value_sat,
1856                         });
1857                 }
1858
1859                 res
1860         }
1861
1862         /// Gets the set of outbound HTLCs which can be (or have been) resolved by this
1863         /// `ChannelMonitor`. This is used to determine if an HTLC was removed from the channel prior
1864         /// to the `ChannelManager` having been persisted.
1865         ///
1866         /// This is similar to [`Self::get_pending_outbound_htlcs`] except it includes HTLCs which were
1867         /// resolved by this `ChannelMonitor`.
1868         pub(crate) fn get_all_current_outbound_htlcs(&self) -> HashMap<HTLCSource, HTLCOutputInCommitment> {
1869                 let mut res = HashMap::new();
1870                 // Just examine the available counterparty commitment transactions. See docs on
1871                 // `fail_unbroadcast_htlcs`, below, for justification.
1872                 let us = self.inner.lock().unwrap();
1873                 macro_rules! walk_counterparty_commitment {
1874                         ($txid: expr) => {
1875                                 if let Some(ref latest_outpoints) = us.counterparty_claimable_outpoints.get($txid) {
1876                                         for &(ref htlc, ref source_option) in latest_outpoints.iter() {
1877                                                 if let &Some(ref source) = source_option {
1878                                                         res.insert((**source).clone(), htlc.clone());
1879                                                 }
1880                                         }
1881                                 }
1882                         }
1883                 }
1884                 if let Some(ref txid) = us.current_counterparty_commitment_txid {
1885                         walk_counterparty_commitment!(txid);
1886                 }
1887                 if let Some(ref txid) = us.prev_counterparty_commitment_txid {
1888                         walk_counterparty_commitment!(txid);
1889                 }
1890                 res
1891         }
1892
1893         /// Gets the set of outbound HTLCs which are pending resolution in this channel.
1894         /// This is used to reconstruct pending outbound payments on restart in the ChannelManager.
1895         pub(crate) fn get_pending_outbound_htlcs(&self) -> HashMap<HTLCSource, HTLCOutputInCommitment> {
1896                 let us = self.inner.lock().unwrap();
1897                 // We're only concerned with the confirmation count of HTLC transactions, and don't
1898                 // actually care how many confirmations a commitment transaction may or may not have. Thus,
1899                 // we look for either a FundingSpendConfirmation event or a funding_spend_confirmed.
1900                 let confirmed_txid = us.funding_spend_confirmed.or_else(|| {
1901                         us.onchain_events_awaiting_threshold_conf.iter().find_map(|event| {
1902                                 if let OnchainEvent::FundingSpendConfirmation { .. } = event.event {
1903                                         Some(event.txid)
1904                                 } else { None }
1905                         })
1906                 });
1907
1908                 if confirmed_txid.is_none() {
1909                         // If we have not seen a commitment transaction on-chain (ie the channel is not yet
1910                         // closed), just get the full set.
1911                         mem::drop(us);
1912                         return self.get_all_current_outbound_htlcs();
1913                 }
1914
1915                 let mut res = HashMap::new();
1916                 macro_rules! walk_htlcs {
1917                         ($holder_commitment: expr, $htlc_iter: expr) => {
1918                                 for (htlc, source) in $htlc_iter {
1919                                         if us.htlcs_resolved_on_chain.iter().any(|v| v.commitment_tx_output_idx == htlc.transaction_output_index) {
1920                                                 // We should assert that funding_spend_confirmed is_some() here, but we
1921                                                 // have some unit tests which violate HTLC transaction CSVs entirely and
1922                                                 // would fail.
1923                                                 // TODO: Once tests all connect transactions at consensus-valid times, we
1924                                                 // should assert here like we do in `get_claimable_balances`.
1925                                         } else if htlc.offered == $holder_commitment {
1926                                                 // If the payment was outbound, check if there's an HTLCUpdate
1927                                                 // indicating we have spent this HTLC with a timeout, claiming it back
1928                                                 // and awaiting confirmations on it.
1929                                                 let htlc_update_confd = us.onchain_events_awaiting_threshold_conf.iter().any(|event| {
1930                                                         if let OnchainEvent::HTLCUpdate { commitment_tx_output_idx: Some(commitment_tx_output_idx), .. } = event.event {
1931                                                                 // If the HTLC was timed out, we wait for ANTI_REORG_DELAY blocks
1932                                                                 // before considering it "no longer pending" - this matches when we
1933                                                                 // provide the ChannelManager an HTLC failure event.
1934                                                                 Some(commitment_tx_output_idx) == htlc.transaction_output_index &&
1935                                                                         us.best_block.height() >= event.height + ANTI_REORG_DELAY - 1
1936                                                         } else if let OnchainEvent::HTLCSpendConfirmation { commitment_tx_output_idx, .. } = event.event {
1937                                                                 // If the HTLC was fulfilled with a preimage, we consider the HTLC
1938                                                                 // immediately non-pending, matching when we provide ChannelManager
1939                                                                 // the preimage.
1940                                                                 Some(commitment_tx_output_idx) == htlc.transaction_output_index
1941                                                         } else { false }
1942                                                 });
1943                                                 if !htlc_update_confd {
1944                                                         res.insert(source.clone(), htlc.clone());
1945                                                 }
1946                                         }
1947                                 }
1948                         }
1949                 }
1950
1951                 let txid = confirmed_txid.unwrap();
1952                 if Some(txid) == us.current_counterparty_commitment_txid || Some(txid) == us.prev_counterparty_commitment_txid {
1953                         walk_htlcs!(false, us.counterparty_claimable_outpoints.get(&txid).unwrap().iter().filter_map(|(a, b)| {
1954                                 if let &Some(ref source) = b {
1955                                         Some((a, &**source))
1956                                 } else { None }
1957                         }));
1958                 } else if txid == us.current_holder_commitment_tx.txid {
1959                         walk_htlcs!(true, us.current_holder_commitment_tx.htlc_outputs.iter().filter_map(|(a, _, c)| {
1960                                 if let Some(source) = c { Some((a, source)) } else { None }
1961                         }));
1962                 } else if let Some(prev_commitment) = &us.prev_holder_signed_commitment_tx {
1963                         if txid == prev_commitment.txid {
1964                                 walk_htlcs!(true, prev_commitment.htlc_outputs.iter().filter_map(|(a, _, c)| {
1965                                         if let Some(source) = c { Some((a, source)) } else { None }
1966                                 }));
1967                         }
1968                 }
1969
1970                 res
1971         }
1972
1973         pub(crate) fn get_stored_preimages(&self) -> HashMap<PaymentHash, PaymentPreimage> {
1974                 self.inner.lock().unwrap().payment_preimages.clone()
1975         }
1976 }
1977
1978 /// Compares a broadcasted commitment transaction's HTLCs with those in the latest state,
1979 /// failing any HTLCs which didn't make it into the broadcasted commitment transaction back
1980 /// after ANTI_REORG_DELAY blocks.
1981 ///
1982 /// We always compare against the set of HTLCs in counterparty commitment transactions, as those
1983 /// are the commitment transactions which are generated by us. The off-chain state machine in
1984 /// `Channel` will automatically resolve any HTLCs which were never included in a commitment
1985 /// transaction when it detects channel closure, but it is up to us to ensure any HTLCs which were
1986 /// included in a remote commitment transaction are failed back if they are not present in the
1987 /// broadcasted commitment transaction.
1988 ///
1989 /// Specifically, the removal process for HTLCs in `Channel` is always based on the counterparty
1990 /// sending a `revoke_and_ack`, which causes us to clear `prev_counterparty_commitment_txid`. Thus,
1991 /// as long as we examine both the current counterparty commitment transaction and, if it hasn't
1992 /// been revoked yet, the previous one, we we will never "forget" to resolve an HTLC.
1993 macro_rules! fail_unbroadcast_htlcs {
1994         ($self: expr, $commitment_tx_type: expr, $commitment_txid_confirmed: expr, $commitment_tx_confirmed: expr,
1995          $commitment_tx_conf_height: expr, $commitment_tx_conf_hash: expr, $confirmed_htlcs_list: expr, $logger: expr) => { {
1996                 debug_assert_eq!($commitment_tx_confirmed.txid(), $commitment_txid_confirmed);
1997
1998                 macro_rules! check_htlc_fails {
1999                         ($txid: expr, $commitment_tx: expr) => {
2000                                 if let Some(ref latest_outpoints) = $self.counterparty_claimable_outpoints.get($txid) {
2001                                         for &(ref htlc, ref source_option) in latest_outpoints.iter() {
2002                                                 if let &Some(ref source) = source_option {
2003                                                         // Check if the HTLC is present in the commitment transaction that was
2004                                                         // broadcast, but not if it was below the dust limit, which we should
2005                                                         // fail backwards immediately as there is no way for us to learn the
2006                                                         // payment_preimage.
2007                                                         // Note that if the dust limit were allowed to change between
2008                                                         // commitment transactions we'd want to be check whether *any*
2009                                                         // broadcastable commitment transaction has the HTLC in it, but it
2010                                                         // cannot currently change after channel initialization, so we don't
2011                                                         // need to here.
2012                                                         let confirmed_htlcs_iter: &mut Iterator<Item = (&HTLCOutputInCommitment, Option<&HTLCSource>)> = &mut $confirmed_htlcs_list;
2013
2014                                                         let mut matched_htlc = false;
2015                                                         for (ref broadcast_htlc, ref broadcast_source) in confirmed_htlcs_iter {
2016                                                                 if broadcast_htlc.transaction_output_index.is_some() &&
2017                                                                         (Some(&**source) == *broadcast_source ||
2018                                                                          (broadcast_source.is_none() &&
2019                                                                           broadcast_htlc.payment_hash == htlc.payment_hash &&
2020                                                                           broadcast_htlc.amount_msat == htlc.amount_msat)) {
2021                                                                         matched_htlc = true;
2022                                                                         break;
2023                                                                 }
2024                                                         }
2025                                                         if matched_htlc { continue; }
2026                                                         $self.onchain_events_awaiting_threshold_conf.retain(|ref entry| {
2027                                                                 if entry.height != $commitment_tx_conf_height { return true; }
2028                                                                 match entry.event {
2029                                                                         OnchainEvent::HTLCUpdate { source: ref update_source, .. } => {
2030                                                                                 *update_source != **source
2031                                                                         },
2032                                                                         _ => true,
2033                                                                 }
2034                                                         });
2035                                                         let entry = OnchainEventEntry {
2036                                                                 txid: $commitment_txid_confirmed,
2037                                                                 transaction: Some($commitment_tx_confirmed.clone()),
2038                                                                 height: $commitment_tx_conf_height,
2039                                                                 block_hash: Some(*$commitment_tx_conf_hash),
2040                                                                 event: OnchainEvent::HTLCUpdate {
2041                                                                         source: (**source).clone(),
2042                                                                         payment_hash: htlc.payment_hash.clone(),
2043                                                                         htlc_value_satoshis: Some(htlc.amount_msat / 1000),
2044                                                                         commitment_tx_output_idx: None,
2045                                                                 },
2046                                                         };
2047                                                         log_trace!($logger, "Failing HTLC with payment_hash {} from {} counterparty commitment tx due to broadcast of {} commitment transaction {}, waiting for confirmation (at height {})",
2048                                                                 log_bytes!(htlc.payment_hash.0), $commitment_tx, $commitment_tx_type,
2049                                                                 $commitment_txid_confirmed, entry.confirmation_threshold());
2050                                                         $self.onchain_events_awaiting_threshold_conf.push(entry);
2051                                                 }
2052                                         }
2053                                 }
2054                         }
2055                 }
2056                 if let Some(ref txid) = $self.current_counterparty_commitment_txid {
2057                         check_htlc_fails!(txid, "current");
2058                 }
2059                 if let Some(ref txid) = $self.prev_counterparty_commitment_txid {
2060                         check_htlc_fails!(txid, "previous");
2061                 }
2062         } }
2063 }
2064
2065 // In the `test_invalid_funding_tx` test, we need a bogus script which matches the HTLC-Accepted
2066 // witness length match (ie is 136 bytes long). We generate one here which we also use in some
2067 // in-line tests later.
2068
2069 #[cfg(test)]
2070 pub fn deliberately_bogus_accepted_htlc_witness_program() -> Vec<u8> {
2071         let mut ret = [opcodes::all::OP_NOP.to_u8(); 136];
2072         ret[131] = opcodes::all::OP_DROP.to_u8();
2073         ret[132] = opcodes::all::OP_DROP.to_u8();
2074         ret[133] = opcodes::all::OP_DROP.to_u8();
2075         ret[134] = opcodes::all::OP_DROP.to_u8();
2076         ret[135] = opcodes::OP_TRUE.to_u8();
2077         Vec::from(&ret[..])
2078 }
2079
2080 #[cfg(test)]
2081 pub fn deliberately_bogus_accepted_htlc_witness() -> Vec<Vec<u8>> {
2082         vec![Vec::new(), Vec::new(), Vec::new(), Vec::new(), deliberately_bogus_accepted_htlc_witness_program().into()].into()
2083 }
2084
2085 impl<Signer: Sign> ChannelMonitorImpl<Signer> {
2086         /// Inserts a revocation secret into this channel monitor. Prunes old preimages if neither
2087         /// needed by holder commitment transactions HTCLs nor by counterparty ones. Unless we haven't already seen
2088         /// counterparty commitment transaction's secret, they are de facto pruned (we can use revocation key).
2089         fn provide_secret(&mut self, idx: u64, secret: [u8; 32]) -> Result<(), &'static str> {
2090                 if let Err(()) = self.commitment_secrets.provide_secret(idx, secret) {
2091                         return Err("Previous secret did not match new one");
2092                 }
2093
2094                 // Prune HTLCs from the previous counterparty commitment tx so we don't generate failure/fulfill
2095                 // events for now-revoked/fulfilled HTLCs.
2096                 if let Some(txid) = self.prev_counterparty_commitment_txid.take() {
2097                         for &mut (_, ref mut source) in self.counterparty_claimable_outpoints.get_mut(&txid).unwrap() {
2098                                 *source = None;
2099                         }
2100                 }
2101
2102                 if !self.payment_preimages.is_empty() {
2103                         let cur_holder_signed_commitment_tx = &self.current_holder_commitment_tx;
2104                         let prev_holder_signed_commitment_tx = self.prev_holder_signed_commitment_tx.as_ref();
2105                         let min_idx = self.get_min_seen_secret();
2106                         let counterparty_hash_commitment_number = &mut self.counterparty_hash_commitment_number;
2107
2108                         self.payment_preimages.retain(|&k, _| {
2109                                 for &(ref htlc, _, _) in cur_holder_signed_commitment_tx.htlc_outputs.iter() {
2110                                         if k == htlc.payment_hash {
2111                                                 return true
2112                                         }
2113                                 }
2114                                 if let Some(prev_holder_commitment_tx) = prev_holder_signed_commitment_tx {
2115                                         for &(ref htlc, _, _) in prev_holder_commitment_tx.htlc_outputs.iter() {
2116                                                 if k == htlc.payment_hash {
2117                                                         return true
2118                                                 }
2119                                         }
2120                                 }
2121                                 let contains = if let Some(cn) = counterparty_hash_commitment_number.get(&k) {
2122                                         if *cn < min_idx {
2123                                                 return true
2124                                         }
2125                                         true
2126                                 } else { false };
2127                                 if contains {
2128                                         counterparty_hash_commitment_number.remove(&k);
2129                                 }
2130                                 false
2131                         });
2132                 }
2133
2134                 Ok(())
2135         }
2136
2137         pub(crate) fn provide_latest_counterparty_commitment_tx<L: Deref>(&mut self, txid: Txid, htlc_outputs: Vec<(HTLCOutputInCommitment, Option<Box<HTLCSource>>)>, commitment_number: u64, their_per_commitment_point: PublicKey, logger: &L) where L::Target: Logger {
2138                 // TODO: Encrypt the htlc_outputs data with the single-hash of the commitment transaction
2139                 // so that a remote monitor doesn't learn anything unless there is a malicious close.
2140                 // (only maybe, sadly we cant do the same for local info, as we need to be aware of
2141                 // timeouts)
2142                 for &(ref htlc, _) in &htlc_outputs {
2143                         self.counterparty_hash_commitment_number.insert(htlc.payment_hash, commitment_number);
2144                 }
2145
2146                 log_trace!(logger, "Tracking new counterparty commitment transaction with txid {} at commitment number {} with {} HTLC outputs", txid, commitment_number, htlc_outputs.len());
2147                 self.prev_counterparty_commitment_txid = self.current_counterparty_commitment_txid.take();
2148                 self.current_counterparty_commitment_txid = Some(txid);
2149                 self.counterparty_claimable_outpoints.insert(txid, htlc_outputs.clone());
2150                 self.current_counterparty_commitment_number = commitment_number;
2151                 //TODO: Merge this into the other per-counterparty-transaction output storage stuff
2152                 match self.their_cur_per_commitment_points {
2153                         Some(old_points) => {
2154                                 if old_points.0 == commitment_number + 1 {
2155                                         self.their_cur_per_commitment_points = Some((old_points.0, old_points.1, Some(their_per_commitment_point)));
2156                                 } else if old_points.0 == commitment_number + 2 {
2157                                         if let Some(old_second_point) = old_points.2 {
2158                                                 self.their_cur_per_commitment_points = Some((old_points.0 - 1, old_second_point, Some(their_per_commitment_point)));
2159                                         } else {
2160                                                 self.their_cur_per_commitment_points = Some((commitment_number, their_per_commitment_point, None));
2161                                         }
2162                                 } else {
2163                                         self.their_cur_per_commitment_points = Some((commitment_number, their_per_commitment_point, None));
2164                                 }
2165                         },
2166                         None => {
2167                                 self.their_cur_per_commitment_points = Some((commitment_number, their_per_commitment_point, None));
2168                         }
2169                 }
2170                 let mut htlcs = Vec::with_capacity(htlc_outputs.len());
2171                 for htlc in htlc_outputs {
2172                         if htlc.0.transaction_output_index.is_some() {
2173                                 htlcs.push(htlc.0);
2174                         }
2175                 }
2176         }
2177
2178         /// Informs this monitor of the latest holder (ie broadcastable) commitment transaction. The
2179         /// monitor watches for timeouts and may broadcast it if we approach such a timeout. Thus, it
2180         /// is important that any clones of this channel monitor (including remote clones) by kept
2181         /// up-to-date as our holder commitment transaction is updated.
2182         /// Panics if set_on_holder_tx_csv has never been called.
2183         fn provide_latest_holder_commitment_tx(&mut self, holder_commitment_tx: HolderCommitmentTransaction, htlc_outputs: Vec<(HTLCOutputInCommitment, Option<Signature>, Option<HTLCSource>)>) -> Result<(), &'static str> {
2184                 // block for Rust 1.34 compat
2185                 let mut new_holder_commitment_tx = {
2186                         let trusted_tx = holder_commitment_tx.trust();
2187                         let txid = trusted_tx.txid();
2188                         let tx_keys = trusted_tx.keys();
2189                         self.current_holder_commitment_number = trusted_tx.commitment_number();
2190                         HolderSignedTx {
2191                                 txid,
2192                                 revocation_key: tx_keys.revocation_key,
2193                                 a_htlc_key: tx_keys.broadcaster_htlc_key,
2194                                 b_htlc_key: tx_keys.countersignatory_htlc_key,
2195                                 delayed_payment_key: tx_keys.broadcaster_delayed_payment_key,
2196                                 per_commitment_point: tx_keys.per_commitment_point,
2197                                 htlc_outputs,
2198                                 to_self_value_sat: holder_commitment_tx.to_broadcaster_value_sat(),
2199                                 feerate_per_kw: trusted_tx.feerate_per_kw(),
2200                         }
2201                 };
2202                 self.onchain_tx_handler.provide_latest_holder_tx(holder_commitment_tx);
2203                 mem::swap(&mut new_holder_commitment_tx, &mut self.current_holder_commitment_tx);
2204                 self.prev_holder_signed_commitment_tx = Some(new_holder_commitment_tx);
2205                 if self.holder_tx_signed {
2206                         return Err("Latest holder commitment signed has already been signed, update is rejected");
2207                 }
2208                 Ok(())
2209         }
2210
2211         /// Provides a payment_hash->payment_preimage mapping. Will be automatically pruned when all
2212         /// commitment_tx_infos which contain the payment hash have been revoked.
2213         fn provide_payment_preimage<B: Deref, F: Deref, L: Deref>(
2214                 &mut self, payment_hash: &PaymentHash, payment_preimage: &PaymentPreimage, broadcaster: &B,
2215                 fee_estimator: &LowerBoundedFeeEstimator<F>, logger: &L)
2216         where B::Target: BroadcasterInterface,
2217                     F::Target: FeeEstimator,
2218                     L::Target: Logger,
2219         {
2220                 self.payment_preimages.insert(payment_hash.clone(), payment_preimage.clone());
2221
2222                 // If the channel is force closed, try to claim the output from this preimage.
2223                 // First check if a counterparty commitment transaction has been broadcasted:
2224                 macro_rules! claim_htlcs {
2225                         ($commitment_number: expr, $txid: expr) => {
2226                                 let (htlc_claim_reqs, _) = self.get_counterparty_output_claim_info($commitment_number, $txid, None);
2227                                 self.onchain_tx_handler.update_claims_view_from_requests(htlc_claim_reqs, self.best_block.height(), self.best_block.height(), broadcaster, fee_estimator, logger);
2228                         }
2229                 }
2230                 if let Some(txid) = self.current_counterparty_commitment_txid {
2231                         if let Some(commitment_number) = self.counterparty_commitment_txn_on_chain.get(&txid) {
2232                                 claim_htlcs!(*commitment_number, txid);
2233                                 return;
2234                         }
2235                 }
2236                 if let Some(txid) = self.prev_counterparty_commitment_txid {
2237                         if let Some(commitment_number) = self.counterparty_commitment_txn_on_chain.get(&txid) {
2238                                 claim_htlcs!(*commitment_number, txid);
2239                                 return;
2240                         }
2241                 }
2242
2243                 // Then if a holder commitment transaction has been seen on-chain, broadcast transactions
2244                 // claiming the HTLC output from each of the holder commitment transactions.
2245                 // Note that we can't just use `self.holder_tx_signed`, because that only covers the case where
2246                 // *we* sign a holder commitment transaction, not when e.g. a watchtower broadcasts one of our
2247                 // holder commitment transactions.
2248                 if self.broadcasted_holder_revokable_script.is_some() {
2249                         // Assume that the broadcasted commitment transaction confirmed in the current best
2250                         // block. Even if not, its a reasonable metric for the bump criteria on the HTLC
2251                         // transactions.
2252                         let (claim_reqs, _) = self.get_broadcasted_holder_claims(&self.current_holder_commitment_tx, self.best_block.height());
2253                         self.onchain_tx_handler.update_claims_view_from_requests(claim_reqs, self.best_block.height(), self.best_block.height(), broadcaster, fee_estimator, logger);
2254                         if let Some(ref tx) = self.prev_holder_signed_commitment_tx {
2255                                 let (claim_reqs, _) = self.get_broadcasted_holder_claims(&tx, self.best_block.height());
2256                                 self.onchain_tx_handler.update_claims_view_from_requests(claim_reqs, self.best_block.height(), self.best_block.height(), broadcaster, fee_estimator, logger);
2257                         }
2258                 }
2259         }
2260
2261         pub(crate) fn broadcast_latest_holder_commitment_txn<B: Deref, L: Deref>(&mut self, broadcaster: &B, logger: &L)
2262                 where B::Target: BroadcasterInterface,
2263                                         L::Target: Logger,
2264         {
2265                 for tx in self.get_latest_holder_commitment_txn(logger).iter() {
2266                         log_info!(logger, "Broadcasting local {}", log_tx!(tx));
2267                         broadcaster.broadcast_transaction(tx);
2268                 }
2269                 self.pending_monitor_events.push(MonitorEvent::CommitmentTxConfirmed(self.funding_info.0));
2270         }
2271
2272         pub fn update_monitor<B: Deref, F: Deref, L: Deref>(&mut self, updates: &ChannelMonitorUpdate, broadcaster: &B, fee_estimator: F, logger: &L) -> Result<(), ()>
2273         where B::Target: BroadcasterInterface,
2274                 F::Target: FeeEstimator,
2275                 L::Target: Logger,
2276         {
2277                 log_info!(logger, "Applying update to monitor {}, bringing update_id from {} to {} with {} changes.",
2278                         log_funding_info!(self), self.latest_update_id, updates.update_id, updates.updates.len());
2279                 // ChannelMonitor updates may be applied after force close if we receive a
2280                 // preimage for a broadcasted commitment transaction HTLC output that we'd
2281                 // like to claim on-chain. If this is the case, we no longer have guaranteed
2282                 // access to the monitor's update ID, so we use a sentinel value instead.
2283                 if updates.update_id == CLOSED_CHANNEL_UPDATE_ID {
2284                         assert_eq!(updates.updates.len(), 1);
2285                         match updates.updates[0] {
2286                                 ChannelMonitorUpdateStep::PaymentPreimage { .. } => {},
2287                                 _ => {
2288                                         log_error!(logger, "Attempted to apply post-force-close ChannelMonitorUpdate of type {}", updates.updates[0].variant_name());
2289                                         panic!("Attempted to apply post-force-close ChannelMonitorUpdate that wasn't providing a payment preimage");
2290                                 },
2291                         }
2292                 } else if self.latest_update_id + 1 != updates.update_id {
2293                         panic!("Attempted to apply ChannelMonitorUpdates out of order, check the update_id before passing an update to update_monitor!");
2294                 }
2295                 let mut ret = Ok(());
2296                 let bounded_fee_estimator = LowerBoundedFeeEstimator::new(&*fee_estimator);
2297                 for update in updates.updates.iter() {
2298                         match update {
2299                                 ChannelMonitorUpdateStep::LatestHolderCommitmentTXInfo { commitment_tx, htlc_outputs } => {
2300                                         log_trace!(logger, "Updating ChannelMonitor with latest holder commitment transaction info");
2301                                         if self.lockdown_from_offchain { panic!(); }
2302                                         if let Err(e) = self.provide_latest_holder_commitment_tx(commitment_tx.clone(), htlc_outputs.clone()) {
2303                                                 log_error!(logger, "Providing latest holder commitment transaction failed/was refused:");
2304                                                 log_error!(logger, "    {}", e);
2305                                                 ret = Err(());
2306                                         }
2307                                 }
2308                                 ChannelMonitorUpdateStep::LatestCounterpartyCommitmentTXInfo { commitment_txid, htlc_outputs, commitment_number, their_per_commitment_point } => {
2309                                         log_trace!(logger, "Updating ChannelMonitor with latest counterparty commitment transaction info");
2310                                         self.provide_latest_counterparty_commitment_tx(*commitment_txid, htlc_outputs.clone(), *commitment_number, *their_per_commitment_point, logger)
2311                                 },
2312                                 ChannelMonitorUpdateStep::PaymentPreimage { payment_preimage } => {
2313                                         log_trace!(logger, "Updating ChannelMonitor with payment preimage");
2314                                         self.provide_payment_preimage(&PaymentHash(Sha256::hash(&payment_preimage.0[..]).into_inner()), &payment_preimage, broadcaster, &bounded_fee_estimator, logger)
2315                                 },
2316                                 ChannelMonitorUpdateStep::CommitmentSecret { idx, secret } => {
2317                                         log_trace!(logger, "Updating ChannelMonitor with commitment secret");
2318                                         if let Err(e) = self.provide_secret(*idx, *secret) {
2319                                                 log_error!(logger, "Providing latest counterparty commitment secret failed/was refused:");
2320                                                 log_error!(logger, "    {}", e);
2321                                                 ret = Err(());
2322                                         }
2323                                 },
2324                                 ChannelMonitorUpdateStep::ChannelForceClosed { should_broadcast } => {
2325                                         log_trace!(logger, "Updating ChannelMonitor: channel force closed, should broadcast: {}", should_broadcast);
2326                                         self.lockdown_from_offchain = true;
2327                                         if *should_broadcast {
2328                                                 self.broadcast_latest_holder_commitment_txn(broadcaster, logger);
2329                                                 // If the channel supports anchor outputs, we'll need to emit an external
2330                                                 // event to be consumed such that a child transaction is broadcast with a
2331                                                 // high enough feerate for the parent commitment transaction to confirm.
2332                                                 if self.onchain_tx_handler.opt_anchors() {
2333                                                         let funding_output = HolderFundingOutput::build(
2334                                                                 self.funding_redeemscript.clone(), self.channel_value_satoshis,
2335                                                                 self.onchain_tx_handler.opt_anchors(),
2336                                                         );
2337                                                         let best_block_height = self.best_block.height();
2338                                                         let commitment_package = PackageTemplate::build_package(
2339                                                                 self.funding_info.0.txid.clone(), self.funding_info.0.index as u32,
2340                                                                 PackageSolvingData::HolderFundingOutput(funding_output),
2341                                                                 best_block_height, false, best_block_height,
2342                                                         );
2343                                                         self.onchain_tx_handler.update_claims_view_from_requests(
2344                                                                 vec![commitment_package], best_block_height, best_block_height,
2345                                                                 broadcaster, &bounded_fee_estimator, logger,
2346                                                         );
2347                                                 }
2348                                         } else if !self.holder_tx_signed {
2349                                                 log_error!(logger, "WARNING: You have a potentially-unsafe holder commitment transaction available to broadcast");
2350                                                 log_error!(logger, "    in channel monitor for channel {}!", log_bytes!(self.funding_info.0.to_channel_id()));
2351                                                 log_error!(logger, "    Read the docs for ChannelMonitor::get_latest_holder_commitment_txn and take manual action!");
2352                                         } else {
2353                                                 // If we generated a MonitorEvent::CommitmentTxConfirmed, the ChannelManager
2354                                                 // will still give us a ChannelForceClosed event with !should_broadcast, but we
2355                                                 // shouldn't print the scary warning above.
2356                                                 log_info!(logger, "Channel off-chain state closed after we broadcasted our latest commitment transaction.");
2357                                         }
2358                                 },
2359                                 ChannelMonitorUpdateStep::ShutdownScript { scriptpubkey } => {
2360                                         log_trace!(logger, "Updating ChannelMonitor with shutdown script");
2361                                         if let Some(shutdown_script) = self.shutdown_script.replace(scriptpubkey.clone()) {
2362                                                 panic!("Attempted to replace shutdown script {} with {}", shutdown_script, scriptpubkey);
2363                                         }
2364                                 },
2365                         }
2366                 }
2367                 self.latest_update_id = updates.update_id;
2368
2369                 if ret.is_ok() && self.funding_spend_seen {
2370                         log_error!(logger, "Refusing Channel Monitor Update as counterparty attempted to update commitment after funding was spent");
2371                         Err(())
2372                 } else { ret }
2373         }
2374
2375         pub fn get_latest_update_id(&self) -> u64 {
2376                 self.latest_update_id
2377         }
2378
2379         pub fn get_funding_txo(&self) -> &(OutPoint, Script) {
2380                 &self.funding_info
2381         }
2382
2383         pub fn get_outputs_to_watch(&self) -> &HashMap<Txid, Vec<(u32, Script)>> {
2384                 // If we've detected a counterparty commitment tx on chain, we must include it in the set
2385                 // of outputs to watch for spends of, otherwise we're likely to lose user funds. Because
2386                 // its trivial to do, double-check that here.
2387                 for (txid, _) in self.counterparty_commitment_txn_on_chain.iter() {
2388                         self.outputs_to_watch.get(txid).expect("Counterparty commitment txn which have been broadcast should have outputs registered");
2389                 }
2390                 &self.outputs_to_watch
2391         }
2392
2393         pub fn get_and_clear_pending_monitor_events(&mut self) -> Vec<MonitorEvent> {
2394                 let mut ret = Vec::new();
2395                 mem::swap(&mut ret, &mut self.pending_monitor_events);
2396                 ret
2397         }
2398
2399         pub fn get_and_clear_pending_events(&mut self) -> Vec<Event> {
2400                 let mut ret = Vec::new();
2401                 mem::swap(&mut ret, &mut self.pending_events);
2402                 #[cfg(anchors)]
2403                 for claim_event in self.onchain_tx_handler.get_and_clear_pending_claim_events().drain(..) {
2404                         match claim_event {
2405                                 ClaimEvent::BumpCommitment {
2406                                         package_target_feerate_sat_per_1000_weight, commitment_tx, anchor_output_idx,
2407                                 } => {
2408                                         let commitment_txid = commitment_tx.txid();
2409                                         debug_assert_eq!(self.current_holder_commitment_tx.txid, commitment_txid);
2410                                         let pending_htlcs = self.current_holder_commitment_tx.non_dust_htlcs();
2411                                         let commitment_tx_fee_satoshis = self.channel_value_satoshis -
2412                                                 commitment_tx.output.iter().fold(0u64, |sum, output| sum + output.value);
2413                                         ret.push(Event::BumpTransaction(BumpTransactionEvent::ChannelClose {
2414                                                 package_target_feerate_sat_per_1000_weight,
2415                                                 commitment_tx,
2416                                                 commitment_tx_fee_satoshis,
2417                                                 anchor_descriptor: AnchorDescriptor {
2418                                                         channel_keys_id: self.channel_keys_id,
2419                                                         channel_value_satoshis: self.channel_value_satoshis,
2420                                                         outpoint: BitcoinOutPoint {
2421                                                                 txid: commitment_txid,
2422                                                                 vout: anchor_output_idx,
2423                                                         },
2424                                                 },
2425                                                 pending_htlcs,
2426                                         }));
2427                                 },
2428                         }
2429                 }
2430                 ret
2431         }
2432
2433         /// Can only fail if idx is < get_min_seen_secret
2434         fn get_secret(&self, idx: u64) -> Option<[u8; 32]> {
2435                 self.commitment_secrets.get_secret(idx)
2436         }
2437
2438         pub(crate) fn get_min_seen_secret(&self) -> u64 {
2439                 self.commitment_secrets.get_min_seen_secret()
2440         }
2441
2442         pub(crate) fn get_cur_counterparty_commitment_number(&self) -> u64 {
2443                 self.current_counterparty_commitment_number
2444         }
2445
2446         pub(crate) fn get_cur_holder_commitment_number(&self) -> u64 {
2447                 self.current_holder_commitment_number
2448         }
2449
2450         /// Attempts to claim a counterparty commitment transaction's outputs using the revocation key and
2451         /// data in counterparty_claimable_outpoints. Will directly claim any HTLC outputs which expire at a
2452         /// height > height + CLTV_SHARED_CLAIM_BUFFER. In any case, will install monitoring for
2453         /// HTLC-Success/HTLC-Timeout transactions.
2454         ///
2455         /// Returns packages to claim the revoked output(s), as well as additional outputs to watch and
2456         /// general information about the output that is to the counterparty in the commitment
2457         /// transaction.
2458         fn check_spend_counterparty_transaction<L: Deref>(&mut self, tx: &Transaction, height: u32, block_hash: &BlockHash, logger: &L)
2459                 -> (Vec<PackageTemplate>, TransactionOutputs, CommitmentTxCounterpartyOutputInfo)
2460         where L::Target: Logger {
2461                 // Most secp and related errors trying to create keys means we have no hope of constructing
2462                 // a spend transaction...so we return no transactions to broadcast
2463                 let mut claimable_outpoints = Vec::new();
2464                 let mut watch_outputs = Vec::new();
2465                 let mut to_counterparty_output_info = None;
2466
2467                 let commitment_txid = tx.txid(); //TODO: This is gonna be a performance bottleneck for watchtowers!
2468                 let per_commitment_option = self.counterparty_claimable_outpoints.get(&commitment_txid);
2469
2470                 macro_rules! ignore_error {
2471                         ( $thing : expr ) => {
2472                                 match $thing {
2473                                         Ok(a) => a,
2474                                         Err(_) => return (claimable_outpoints, (commitment_txid, watch_outputs), to_counterparty_output_info)
2475                                 }
2476                         };
2477                 }
2478
2479                 let commitment_number = 0xffffffffffff - ((((tx.input[0].sequence.0 as u64 & 0xffffff) << 3*8) | (tx.lock_time.0 as u64 & 0xffffff)) ^ self.commitment_transaction_number_obscure_factor);
2480                 if commitment_number >= self.get_min_seen_secret() {
2481                         let secret = self.get_secret(commitment_number).unwrap();
2482                         let per_commitment_key = ignore_error!(SecretKey::from_slice(&secret));
2483                         let per_commitment_point = PublicKey::from_secret_key(&self.secp_ctx, &per_commitment_key);
2484                         let revocation_pubkey = chan_utils::derive_public_revocation_key(&self.secp_ctx, &per_commitment_point, &self.holder_revocation_basepoint);
2485                         let delayed_key = chan_utils::derive_public_key(&self.secp_ctx, &PublicKey::from_secret_key(&self.secp_ctx, &per_commitment_key), &self.counterparty_commitment_params.counterparty_delayed_payment_base_key);
2486
2487                         let revokeable_redeemscript = chan_utils::get_revokeable_redeemscript(&revocation_pubkey, self.counterparty_commitment_params.on_counterparty_tx_csv, &delayed_key);
2488                         let revokeable_p2wsh = revokeable_redeemscript.to_v0_p2wsh();
2489
2490                         // First, process non-htlc outputs (to_holder & to_counterparty)
2491                         for (idx, outp) in tx.output.iter().enumerate() {
2492                                 if outp.script_pubkey == revokeable_p2wsh {
2493                                         let revk_outp = RevokedOutput::build(per_commitment_point, self.counterparty_commitment_params.counterparty_delayed_payment_base_key, self.counterparty_commitment_params.counterparty_htlc_base_key, per_commitment_key, outp.value, self.counterparty_commitment_params.on_counterparty_tx_csv);
2494                                         let justice_package = PackageTemplate::build_package(commitment_txid, idx as u32, PackageSolvingData::RevokedOutput(revk_outp), height + self.counterparty_commitment_params.on_counterparty_tx_csv as u32, true, height);
2495                                         claimable_outpoints.push(justice_package);
2496                                         to_counterparty_output_info =
2497                                                 Some((idx.try_into().expect("Txn can't have more than 2^32 outputs"), outp.value));
2498                                 }
2499                         }
2500
2501                         // Then, try to find revoked htlc outputs
2502                         if let Some(ref per_commitment_data) = per_commitment_option {
2503                                 for (_, &(ref htlc, _)) in per_commitment_data.iter().enumerate() {
2504                                         if let Some(transaction_output_index) = htlc.transaction_output_index {
2505                                                 if transaction_output_index as usize >= tx.output.len() ||
2506                                                                 tx.output[transaction_output_index as usize].value != htlc.amount_msat / 1000 {
2507                                                         // per_commitment_data is corrupt or our commitment signing key leaked!
2508                                                         return (claimable_outpoints, (commitment_txid, watch_outputs),
2509                                                                 to_counterparty_output_info);
2510                                                 }
2511                                                 let revk_htlc_outp = RevokedHTLCOutput::build(per_commitment_point, self.counterparty_commitment_params.counterparty_delayed_payment_base_key, self.counterparty_commitment_params.counterparty_htlc_base_key, per_commitment_key, htlc.amount_msat / 1000, htlc.clone(), self.onchain_tx_handler.channel_transaction_parameters.opt_anchors.is_some());
2512                                                 let justice_package = PackageTemplate::build_package(commitment_txid, transaction_output_index, PackageSolvingData::RevokedHTLCOutput(revk_htlc_outp), htlc.cltv_expiry, true, height);
2513                                                 claimable_outpoints.push(justice_package);
2514                                         }
2515                                 }
2516                         }
2517
2518                         // Last, track onchain revoked commitment transaction and fail backward outgoing HTLCs as payment path is broken
2519                         if !claimable_outpoints.is_empty() || per_commitment_option.is_some() { // ie we're confident this is actually ours
2520                                 // We're definitely a counterparty commitment transaction!
2521                                 log_error!(logger, "Got broadcast of revoked counterparty commitment transaction, going to generate general spend tx with {} inputs", claimable_outpoints.len());
2522                                 for (idx, outp) in tx.output.iter().enumerate() {
2523                                         watch_outputs.push((idx as u32, outp.clone()));
2524                                 }
2525                                 self.counterparty_commitment_txn_on_chain.insert(commitment_txid, commitment_number);
2526
2527                                 if let Some(per_commitment_data) = per_commitment_option {
2528                                         fail_unbroadcast_htlcs!(self, "revoked_counterparty", commitment_txid, tx, height,
2529                                                 block_hash, per_commitment_data.iter().map(|(htlc, htlc_source)|
2530                                                         (htlc, htlc_source.as_ref().map(|htlc_source| htlc_source.as_ref()))
2531                                                 ), logger);
2532                                 } else {
2533                                         debug_assert!(false, "We should have per-commitment option for any recognized old commitment txn");
2534                                         fail_unbroadcast_htlcs!(self, "revoked counterparty", commitment_txid, tx, height,
2535                                                 block_hash, [].iter().map(|reference| *reference), logger);
2536                                 }
2537                         }
2538                 } else if let Some(per_commitment_data) = per_commitment_option {
2539                         // While this isn't useful yet, there is a potential race where if a counterparty
2540                         // revokes a state at the same time as the commitment transaction for that state is
2541                         // confirmed, and the watchtower receives the block before the user, the user could
2542                         // upload a new ChannelMonitor with the revocation secret but the watchtower has
2543                         // already processed the block, resulting in the counterparty_commitment_txn_on_chain entry
2544                         // not being generated by the above conditional. Thus, to be safe, we go ahead and
2545                         // insert it here.
2546                         for (idx, outp) in tx.output.iter().enumerate() {
2547                                 watch_outputs.push((idx as u32, outp.clone()));
2548                         }
2549                         self.counterparty_commitment_txn_on_chain.insert(commitment_txid, commitment_number);
2550
2551                         log_info!(logger, "Got broadcast of non-revoked counterparty commitment transaction {}", commitment_txid);
2552                         fail_unbroadcast_htlcs!(self, "counterparty", commitment_txid, tx, height, block_hash,
2553                                 per_commitment_data.iter().map(|(htlc, htlc_source)|
2554                                         (htlc, htlc_source.as_ref().map(|htlc_source| htlc_source.as_ref()))
2555                                 ), logger);
2556
2557                         let (htlc_claim_reqs, counterparty_output_info) =
2558                                 self.get_counterparty_output_claim_info(commitment_number, commitment_txid, Some(tx));
2559                         to_counterparty_output_info = counterparty_output_info;
2560                         for req in htlc_claim_reqs {
2561                                 claimable_outpoints.push(req);
2562                         }
2563
2564                 }
2565                 (claimable_outpoints, (commitment_txid, watch_outputs), to_counterparty_output_info)
2566         }
2567
2568         /// Returns the HTLC claim package templates and the counterparty output info
2569         fn get_counterparty_output_claim_info(&self, commitment_number: u64, commitment_txid: Txid, tx: Option<&Transaction>)
2570         -> (Vec<PackageTemplate>, CommitmentTxCounterpartyOutputInfo) {
2571                 let mut claimable_outpoints = Vec::new();
2572                 let mut to_counterparty_output_info: CommitmentTxCounterpartyOutputInfo = None;
2573
2574                 let htlc_outputs = match self.counterparty_claimable_outpoints.get(&commitment_txid) {
2575                         Some(outputs) => outputs,
2576                         None => return (claimable_outpoints, to_counterparty_output_info),
2577                 };
2578                 let per_commitment_points = match self.their_cur_per_commitment_points {
2579                         Some(points) => points,
2580                         None => return (claimable_outpoints, to_counterparty_output_info),
2581                 };
2582
2583                 let per_commitment_point =
2584                         // If the counterparty commitment tx is the latest valid state, use their latest
2585                         // per-commitment point
2586                         if per_commitment_points.0 == commitment_number { &per_commitment_points.1 }
2587                         else if let Some(point) = per_commitment_points.2.as_ref() {
2588                                 // If counterparty commitment tx is the state previous to the latest valid state, use
2589                                 // their previous per-commitment point (non-atomicity of revocation means it's valid for
2590                                 // them to temporarily have two valid commitment txns from our viewpoint)
2591                                 if per_commitment_points.0 == commitment_number + 1 {
2592                                         point
2593                                 } else { return (claimable_outpoints, to_counterparty_output_info); }
2594                         } else { return (claimable_outpoints, to_counterparty_output_info); };
2595
2596                 if let Some(transaction) = tx {
2597                         let revocation_pubkey = chan_utils::derive_public_revocation_key(
2598                                 &self.secp_ctx, &per_commitment_point, &self.holder_revocation_basepoint);
2599                         let delayed_key = chan_utils::derive_public_key(&self.secp_ctx,
2600                                 &per_commitment_point,
2601                                 &self.counterparty_commitment_params.counterparty_delayed_payment_base_key);
2602                         let revokeable_p2wsh = chan_utils::get_revokeable_redeemscript(&revocation_pubkey,
2603                                 self.counterparty_commitment_params.on_counterparty_tx_csv,
2604                                 &delayed_key).to_v0_p2wsh();
2605                         for (idx, outp) in transaction.output.iter().enumerate() {
2606                                 if outp.script_pubkey == revokeable_p2wsh {
2607                                         to_counterparty_output_info =
2608                                                 Some((idx.try_into().expect("Can't have > 2^32 outputs"), outp.value));
2609                                 }
2610                         }
2611                 }
2612
2613                 for (_, &(ref htlc, _)) in htlc_outputs.iter().enumerate() {
2614                         if let Some(transaction_output_index) = htlc.transaction_output_index {
2615                                 if let Some(transaction) = tx {
2616                                         if transaction_output_index as usize >= transaction.output.len() ||
2617                                                 transaction.output[transaction_output_index as usize].value != htlc.amount_msat / 1000 {
2618                                                         // per_commitment_data is corrupt or our commitment signing key leaked!
2619                                                         return (claimable_outpoints, to_counterparty_output_info);
2620                                                 }
2621                                 }
2622                                 let preimage = if htlc.offered { if let Some(p) = self.payment_preimages.get(&htlc.payment_hash) { Some(*p) } else { None } } else { None };
2623                                 if preimage.is_some() || !htlc.offered {
2624                                         let counterparty_htlc_outp = if htlc.offered {
2625                                                 PackageSolvingData::CounterpartyOfferedHTLCOutput(
2626                                                         CounterpartyOfferedHTLCOutput::build(*per_commitment_point,
2627                                                                 self.counterparty_commitment_params.counterparty_delayed_payment_base_key,
2628                                                                 self.counterparty_commitment_params.counterparty_htlc_base_key,
2629                                                                 preimage.unwrap(), htlc.clone(), self.onchain_tx_handler.opt_anchors()))
2630                                         } else {
2631                                                 PackageSolvingData::CounterpartyReceivedHTLCOutput(
2632                                                         CounterpartyReceivedHTLCOutput::build(*per_commitment_point,
2633                                                                 self.counterparty_commitment_params.counterparty_delayed_payment_base_key,
2634                                                                 self.counterparty_commitment_params.counterparty_htlc_base_key,
2635                                                                 htlc.clone(), self.onchain_tx_handler.opt_anchors()))
2636                                         };
2637                                         let aggregation = if !htlc.offered { false } else { true };
2638                                         let counterparty_package = PackageTemplate::build_package(commitment_txid, transaction_output_index, counterparty_htlc_outp, htlc.cltv_expiry,aggregation, 0);
2639                                         claimable_outpoints.push(counterparty_package);
2640                                 }
2641                         }
2642                 }
2643
2644                 (claimable_outpoints, to_counterparty_output_info)
2645         }
2646
2647         /// Attempts to claim a counterparty HTLC-Success/HTLC-Timeout's outputs using the revocation key
2648         fn check_spend_counterparty_htlc<L: Deref>(&mut self, tx: &Transaction, commitment_number: u64, height: u32, logger: &L) -> (Vec<PackageTemplate>, Option<TransactionOutputs>) where L::Target: Logger {
2649                 let htlc_txid = tx.txid();
2650                 if tx.input.len() != 1 || tx.output.len() != 1 || tx.input[0].witness.len() != 5 {
2651                         return (Vec::new(), None)
2652                 }
2653
2654                 macro_rules! ignore_error {
2655                         ( $thing : expr ) => {
2656                                 match $thing {
2657                                         Ok(a) => a,
2658                                         Err(_) => return (Vec::new(), None)
2659                                 }
2660                         };
2661                 }
2662
2663                 let secret = if let Some(secret) = self.get_secret(commitment_number) { secret } else { return (Vec::new(), None); };
2664                 let per_commitment_key = ignore_error!(SecretKey::from_slice(&secret));
2665                 let per_commitment_point = PublicKey::from_secret_key(&self.secp_ctx, &per_commitment_key);
2666
2667                 log_error!(logger, "Got broadcast of revoked counterparty HTLC transaction, spending {}:{}", htlc_txid, 0);
2668                 let revk_outp = RevokedOutput::build(per_commitment_point, self.counterparty_commitment_params.counterparty_delayed_payment_base_key, self.counterparty_commitment_params.counterparty_htlc_base_key, per_commitment_key, tx.output[0].value, self.counterparty_commitment_params.on_counterparty_tx_csv);
2669                 let justice_package = PackageTemplate::build_package(htlc_txid, 0, PackageSolvingData::RevokedOutput(revk_outp), height + self.counterparty_commitment_params.on_counterparty_tx_csv as u32, true, height);
2670                 let claimable_outpoints = vec!(justice_package);
2671                 let outputs = vec![(0, tx.output[0].clone())];
2672                 (claimable_outpoints, Some((htlc_txid, outputs)))
2673         }
2674
2675         // Returns (1) `PackageTemplate`s that can be given to the OnchainTxHandler, so that the handler can
2676         // broadcast transactions claiming holder HTLC commitment outputs and (2) a holder revokable
2677         // script so we can detect whether a holder transaction has been seen on-chain.
2678         fn get_broadcasted_holder_claims(&self, holder_tx: &HolderSignedTx, conf_height: u32) -> (Vec<PackageTemplate>, Option<(Script, PublicKey, PublicKey)>) {
2679                 let mut claim_requests = Vec::with_capacity(holder_tx.htlc_outputs.len());
2680
2681                 let redeemscript = chan_utils::get_revokeable_redeemscript(&holder_tx.revocation_key, self.on_holder_tx_csv, &holder_tx.delayed_payment_key);
2682                 let broadcasted_holder_revokable_script = Some((redeemscript.to_v0_p2wsh(), holder_tx.per_commitment_point.clone(), holder_tx.revocation_key.clone()));
2683
2684                 for &(ref htlc, _, _) in holder_tx.htlc_outputs.iter() {
2685                         if let Some(transaction_output_index) = htlc.transaction_output_index {
2686                                 let htlc_output = if htlc.offered {
2687                                                 HolderHTLCOutput::build_offered(htlc.amount_msat, htlc.cltv_expiry)
2688                                         } else {
2689                                                 let payment_preimage = if let Some(preimage) = self.payment_preimages.get(&htlc.payment_hash) {
2690                                                         preimage.clone()
2691                                                 } else {
2692                                                         // We can't build an HTLC-Success transaction without the preimage
2693                                                         continue;
2694                                                 };
2695                                                 HolderHTLCOutput::build_accepted(payment_preimage, htlc.amount_msat)
2696                                         };
2697                                 let htlc_package = PackageTemplate::build_package(holder_tx.txid, transaction_output_index, PackageSolvingData::HolderHTLCOutput(htlc_output), htlc.cltv_expiry, false, conf_height);
2698                                 claim_requests.push(htlc_package);
2699                         }
2700                 }
2701
2702                 (claim_requests, broadcasted_holder_revokable_script)
2703         }
2704
2705         // Returns holder HTLC outputs to watch and react to in case of spending.
2706         fn get_broadcasted_holder_watch_outputs(&self, holder_tx: &HolderSignedTx, commitment_tx: &Transaction) -> Vec<(u32, TxOut)> {
2707                 let mut watch_outputs = Vec::with_capacity(holder_tx.htlc_outputs.len());
2708                 for &(ref htlc, _, _) in holder_tx.htlc_outputs.iter() {
2709                         if let Some(transaction_output_index) = htlc.transaction_output_index {
2710                                 watch_outputs.push((transaction_output_index, commitment_tx.output[transaction_output_index as usize].clone()));
2711                         }
2712                 }
2713                 watch_outputs
2714         }
2715
2716         /// Attempts to claim any claimable HTLCs in a commitment transaction which was not (yet)
2717         /// revoked using data in holder_claimable_outpoints.
2718         /// Should not be used if check_spend_revoked_transaction succeeds.
2719         /// Returns None unless the transaction is definitely one of our commitment transactions.
2720         fn check_spend_holder_transaction<L: Deref>(&mut self, tx: &Transaction, height: u32, block_hash: &BlockHash, logger: &L) -> Option<(Vec<PackageTemplate>, TransactionOutputs)> where L::Target: Logger {
2721                 let commitment_txid = tx.txid();
2722                 let mut claim_requests = Vec::new();
2723                 let mut watch_outputs = Vec::new();
2724
2725                 macro_rules! append_onchain_update {
2726                         ($updates: expr, $to_watch: expr) => {
2727                                 claim_requests = $updates.0;
2728                                 self.broadcasted_holder_revokable_script = $updates.1;
2729                                 watch_outputs.append(&mut $to_watch);
2730                         }
2731                 }
2732
2733                 // HTLCs set may differ between last and previous holder commitment txn, in case of one them hitting chain, ensure we cancel all HTLCs backward
2734                 let mut is_holder_tx = false;
2735
2736                 if self.current_holder_commitment_tx.txid == commitment_txid {
2737                         is_holder_tx = true;
2738                         log_info!(logger, "Got broadcast of latest holder commitment tx {}, searching for available HTLCs to claim", commitment_txid);
2739                         let res = self.get_broadcasted_holder_claims(&self.current_holder_commitment_tx, height);
2740                         let mut to_watch = self.get_broadcasted_holder_watch_outputs(&self.current_holder_commitment_tx, tx);
2741                         append_onchain_update!(res, to_watch);
2742                         fail_unbroadcast_htlcs!(self, "latest holder", commitment_txid, tx, height,
2743                                 block_hash, self.current_holder_commitment_tx.htlc_outputs.iter()
2744                                 .map(|(htlc, _, htlc_source)| (htlc, htlc_source.as_ref())), logger);
2745                 } else if let &Some(ref holder_tx) = &self.prev_holder_signed_commitment_tx {
2746                         if holder_tx.txid == commitment_txid {
2747                                 is_holder_tx = true;
2748                                 log_info!(logger, "Got broadcast of previous holder commitment tx {}, searching for available HTLCs to claim", commitment_txid);
2749                                 let res = self.get_broadcasted_holder_claims(holder_tx, height);
2750                                 let mut to_watch = self.get_broadcasted_holder_watch_outputs(holder_tx, tx);
2751                                 append_onchain_update!(res, to_watch);
2752                                 fail_unbroadcast_htlcs!(self, "previous holder", commitment_txid, tx, height, block_hash,
2753                                         holder_tx.htlc_outputs.iter().map(|(htlc, _, htlc_source)| (htlc, htlc_source.as_ref())),
2754                                         logger);
2755                         }
2756                 }
2757
2758                 if is_holder_tx {
2759                         Some((claim_requests, (commitment_txid, watch_outputs)))
2760                 } else {
2761                         None
2762                 }
2763         }
2764
2765         pub fn get_latest_holder_commitment_txn<L: Deref>(&mut self, logger: &L) -> Vec<Transaction> where L::Target: Logger {
2766                 log_debug!(logger, "Getting signed latest holder commitment transaction!");
2767                 self.holder_tx_signed = true;
2768                 let commitment_tx = self.onchain_tx_handler.get_fully_signed_holder_tx(&self.funding_redeemscript);
2769                 let txid = commitment_tx.txid();
2770                 let mut holder_transactions = vec![commitment_tx];
2771                 // When anchor outputs are present, the HTLC transactions are only valid once the commitment
2772                 // transaction confirms.
2773                 if self.onchain_tx_handler.opt_anchors() {
2774                         return holder_transactions;
2775                 }
2776                 for htlc in self.current_holder_commitment_tx.htlc_outputs.iter() {
2777                         if let Some(vout) = htlc.0.transaction_output_index {
2778                                 let preimage = if !htlc.0.offered {
2779                                         if let Some(preimage) = self.payment_preimages.get(&htlc.0.payment_hash) { Some(preimage.clone()) } else {
2780                                                 // We can't build an HTLC-Success transaction without the preimage
2781                                                 continue;
2782                                         }
2783                                 } else if htlc.0.cltv_expiry > self.best_block.height() + 1 {
2784                                         // Don't broadcast HTLC-Timeout transactions immediately as they don't meet the
2785                                         // current locktime requirements on-chain. We will broadcast them in
2786                                         // `block_confirmed` when `should_broadcast_holder_commitment_txn` returns true.
2787                                         // Note that we add + 1 as transactions are broadcastable when they can be
2788                                         // confirmed in the next block.
2789                                         continue;
2790                                 } else { None };
2791                                 if let Some(htlc_tx) = self.onchain_tx_handler.get_fully_signed_htlc_tx(
2792                                         &::bitcoin::OutPoint { txid, vout }, &preimage) {
2793                                         holder_transactions.push(htlc_tx);
2794                                 }
2795                         }
2796                 }
2797                 // We throw away the generated waiting_first_conf data as we aren't (yet) confirmed and we don't actually know what the caller wants to do.
2798                 // The data will be re-generated and tracked in check_spend_holder_transaction if we get a confirmation.
2799                 holder_transactions
2800         }
2801
2802         #[cfg(any(test,feature = "unsafe_revoked_tx_signing"))]
2803         /// Note that this includes possibly-locktimed-in-the-future transactions!
2804         fn unsafe_get_latest_holder_commitment_txn<L: Deref>(&mut self, logger: &L) -> Vec<Transaction> where L::Target: Logger {
2805                 log_debug!(logger, "Getting signed copy of latest holder commitment transaction!");
2806                 let commitment_tx = self.onchain_tx_handler.get_fully_signed_copy_holder_tx(&self.funding_redeemscript);
2807                 let txid = commitment_tx.txid();
2808                 let mut holder_transactions = vec![commitment_tx];
2809                 // When anchor outputs are present, the HTLC transactions are only final once the commitment
2810                 // transaction confirms due to the CSV 1 encumberance.
2811                 if self.onchain_tx_handler.opt_anchors() {
2812                         return holder_transactions;
2813                 }
2814                 for htlc in self.current_holder_commitment_tx.htlc_outputs.iter() {
2815                         if let Some(vout) = htlc.0.transaction_output_index {
2816                                 let preimage = if !htlc.0.offered {
2817                                         if let Some(preimage) = self.payment_preimages.get(&htlc.0.payment_hash) { Some(preimage.clone()) } else {
2818                                                 // We can't build an HTLC-Success transaction without the preimage
2819                                                 continue;
2820                                         }
2821                                 } else { None };
2822                                 if let Some(htlc_tx) = self.onchain_tx_handler.unsafe_get_fully_signed_htlc_tx(
2823                                         &::bitcoin::OutPoint { txid, vout }, &preimage) {
2824                                         holder_transactions.push(htlc_tx);
2825                                 }
2826                         }
2827                 }
2828                 holder_transactions
2829         }
2830
2831         pub fn block_connected<B: Deref, F: Deref, L: Deref>(&mut self, header: &BlockHeader, txdata: &TransactionData, height: u32, broadcaster: B, fee_estimator: F, logger: L) -> Vec<TransactionOutputs>
2832                 where B::Target: BroadcasterInterface,
2833                       F::Target: FeeEstimator,
2834                                         L::Target: Logger,
2835         {
2836                 let block_hash = header.block_hash();
2837                 self.best_block = BestBlock::new(block_hash, height);
2838
2839                 let bounded_fee_estimator = LowerBoundedFeeEstimator::new(fee_estimator);
2840                 self.transactions_confirmed(header, txdata, height, broadcaster, &bounded_fee_estimator, logger)
2841         }
2842
2843         fn best_block_updated<B: Deref, F: Deref, L: Deref>(
2844                 &mut self,
2845                 header: &BlockHeader,
2846                 height: u32,
2847                 broadcaster: B,
2848                 fee_estimator: &LowerBoundedFeeEstimator<F>,
2849                 logger: L,
2850         ) -> Vec<TransactionOutputs>
2851         where
2852                 B::Target: BroadcasterInterface,
2853                 F::Target: FeeEstimator,
2854                 L::Target: Logger,
2855         {
2856                 let block_hash = header.block_hash();
2857
2858                 if height > self.best_block.height() {
2859                         self.best_block = BestBlock::new(block_hash, height);
2860                         self.block_confirmed(height, block_hash, vec![], vec![], vec![], &broadcaster, &fee_estimator, &logger)
2861                 } else if block_hash != self.best_block.block_hash() {
2862                         self.best_block = BestBlock::new(block_hash, height);
2863                         self.onchain_events_awaiting_threshold_conf.retain(|ref entry| entry.height <= height);
2864                         self.onchain_tx_handler.block_disconnected(height + 1, broadcaster, fee_estimator, logger);
2865                         Vec::new()
2866                 } else { Vec::new() }
2867         }
2868
2869         fn transactions_confirmed<B: Deref, F: Deref, L: Deref>(
2870                 &mut self,
2871                 header: &BlockHeader,
2872                 txdata: &TransactionData,
2873                 height: u32,
2874                 broadcaster: B,
2875                 fee_estimator: &LowerBoundedFeeEstimator<F>,
2876                 logger: L,
2877         ) -> Vec<TransactionOutputs>
2878         where
2879                 B::Target: BroadcasterInterface,
2880                 F::Target: FeeEstimator,
2881                 L::Target: Logger,
2882         {
2883                 let txn_matched = self.filter_block(txdata);
2884                 for tx in &txn_matched {
2885                         let mut output_val = 0;
2886                         for out in tx.output.iter() {
2887                                 if out.value > 21_000_000_0000_0000 { panic!("Value-overflowing transaction provided to block connected"); }
2888                                 output_val += out.value;
2889                                 if output_val > 21_000_000_0000_0000 { panic!("Value-overflowing transaction provided to block connected"); }
2890                         }
2891                 }
2892
2893                 let block_hash = header.block_hash();
2894
2895                 let mut watch_outputs = Vec::new();
2896                 let mut claimable_outpoints = Vec::new();
2897                 'tx_iter: for tx in &txn_matched {
2898                         let txid = tx.txid();
2899                         // If a transaction has already been confirmed, ensure we don't bother processing it duplicatively.
2900                         if Some(txid) == self.funding_spend_confirmed {
2901                                 log_debug!(logger, "Skipping redundant processing of funding-spend tx {} as it was previously confirmed", txid);
2902                                 continue 'tx_iter;
2903                         }
2904                         for ev in self.onchain_events_awaiting_threshold_conf.iter() {
2905                                 if ev.txid == txid {
2906                                         if let Some(conf_hash) = ev.block_hash {
2907                                                 assert_eq!(header.block_hash(), conf_hash,
2908                                                         "Transaction {} was already confirmed and is being re-confirmed in a different block.\n\
2909                                                         This indicates a severe bug in the transaction connection logic - a reorg should have been processed first!", ev.txid);
2910                                         }
2911                                         log_debug!(logger, "Skipping redundant processing of confirming tx {} as it was previously confirmed", txid);
2912                                         continue 'tx_iter;
2913                                 }
2914                         }
2915                         for htlc in self.htlcs_resolved_on_chain.iter() {
2916                                 if Some(txid) == htlc.resolving_txid {
2917                                         log_debug!(logger, "Skipping redundant processing of HTLC resolution tx {} as it was previously confirmed", txid);
2918                                         continue 'tx_iter;
2919                                 }
2920                         }
2921                         for spendable_txid in self.spendable_txids_confirmed.iter() {
2922                                 if txid == *spendable_txid {
2923                                         log_debug!(logger, "Skipping redundant processing of spendable tx {} as it was previously confirmed", txid);
2924                                         continue 'tx_iter;
2925                                 }
2926                         }
2927
2928                         if tx.input.len() == 1 {
2929                                 // Assuming our keys were not leaked (in which case we're screwed no matter what),
2930                                 // commitment transactions and HTLC transactions will all only ever have one input,
2931                                 // which is an easy way to filter out any potential non-matching txn for lazy
2932                                 // filters.
2933                                 let prevout = &tx.input[0].previous_output;
2934                                 if prevout.txid == self.funding_info.0.txid && prevout.vout == self.funding_info.0.index as u32 {
2935                                         let mut balance_spendable_csv = None;
2936                                         log_info!(logger, "Channel {} closed by funding output spend in txid {}.",
2937                                                 log_bytes!(self.funding_info.0.to_channel_id()), txid);
2938                                         self.funding_spend_seen = true;
2939                                         let mut commitment_tx_to_counterparty_output = None;
2940                                         if (tx.input[0].sequence.0 >> 8*3) as u8 == 0x80 && (tx.lock_time.0 >> 8*3) as u8 == 0x20 {
2941                                                 let (mut new_outpoints, new_outputs, counterparty_output_idx_sats) =
2942                                                         self.check_spend_counterparty_transaction(&tx, height, &block_hash, &logger);
2943                                                 commitment_tx_to_counterparty_output = counterparty_output_idx_sats;
2944                                                 if !new_outputs.1.is_empty() {
2945                                                         watch_outputs.push(new_outputs);
2946                                                 }
2947                                                 claimable_outpoints.append(&mut new_outpoints);
2948                                                 if new_outpoints.is_empty() {
2949                                                         if let Some((mut new_outpoints, new_outputs)) = self.check_spend_holder_transaction(&tx, height, &block_hash, &logger) {
2950                                                                 debug_assert!(commitment_tx_to_counterparty_output.is_none(),
2951                                                                         "A commitment transaction matched as both a counterparty and local commitment tx?");
2952                                                                 if !new_outputs.1.is_empty() {
2953                                                                         watch_outputs.push(new_outputs);
2954                                                                 }
2955                                                                 claimable_outpoints.append(&mut new_outpoints);
2956                                                                 balance_spendable_csv = Some(self.on_holder_tx_csv);
2957                                                         }
2958                                                 }
2959                                         }
2960                                         self.onchain_events_awaiting_threshold_conf.push(OnchainEventEntry {
2961                                                 txid,
2962                                                 transaction: Some((*tx).clone()),
2963                                                 height,
2964                                                 block_hash: Some(block_hash),
2965                                                 event: OnchainEvent::FundingSpendConfirmation {
2966                                                         on_local_output_csv: balance_spendable_csv,
2967                                                         commitment_tx_to_counterparty_output,
2968                                                 },
2969                                         });
2970                                 } else {
2971                                         if let Some(&commitment_number) = self.counterparty_commitment_txn_on_chain.get(&prevout.txid) {
2972                                                 let (mut new_outpoints, new_outputs_option) = self.check_spend_counterparty_htlc(&tx, commitment_number, height, &logger);
2973                                                 claimable_outpoints.append(&mut new_outpoints);
2974                                                 if let Some(new_outputs) = new_outputs_option {
2975                                                         watch_outputs.push(new_outputs);
2976                                                 }
2977                                         }
2978                                 }
2979                         }
2980                         // While all commitment/HTLC-Success/HTLC-Timeout transactions have one input, HTLCs
2981                         // can also be resolved in a few other ways which can have more than one output. Thus,
2982                         // we call is_resolving_htlc_output here outside of the tx.input.len() == 1 check.
2983                         self.is_resolving_htlc_output(&tx, height, &block_hash, &logger);
2984
2985                         self.is_paying_spendable_output(&tx, height, &block_hash, &logger);
2986                 }
2987
2988                 if height > self.best_block.height() {
2989                         self.best_block = BestBlock::new(block_hash, height);
2990                 }
2991
2992                 self.block_confirmed(height, block_hash, txn_matched, watch_outputs, claimable_outpoints, &broadcaster, &fee_estimator, &logger)
2993         }
2994
2995         /// Update state for new block(s)/transaction(s) confirmed. Note that the caller must update
2996         /// `self.best_block` before calling if a new best blockchain tip is available. More
2997         /// concretely, `self.best_block` must never be at a lower height than `conf_height`, avoiding
2998         /// complexity especially in
2999         /// `OnchainTx::update_claims_view_from_requests`/`OnchainTx::update_claims_view_from_matched_txn`.
3000         ///
3001         /// `conf_height` should be set to the height at which any new transaction(s)/block(s) were
3002         /// confirmed at, even if it is not the current best height.
3003         fn block_confirmed<B: Deref, F: Deref, L: Deref>(
3004                 &mut self,
3005                 conf_height: u32,
3006                 conf_hash: BlockHash,
3007                 txn_matched: Vec<&Transaction>,
3008                 mut watch_outputs: Vec<TransactionOutputs>,
3009                 mut claimable_outpoints: Vec<PackageTemplate>,
3010                 broadcaster: &B,
3011                 fee_estimator: &LowerBoundedFeeEstimator<F>,
3012                 logger: &L,
3013         ) -> Vec<TransactionOutputs>
3014         where
3015                 B::Target: BroadcasterInterface,
3016                 F::Target: FeeEstimator,
3017                 L::Target: Logger,
3018         {
3019                 log_trace!(logger, "Processing {} matched transactions for block at height {}.", txn_matched.len(), conf_height);
3020                 debug_assert!(self.best_block.height() >= conf_height);
3021
3022                 let should_broadcast = self.should_broadcast_holder_commitment_txn(logger);
3023                 if should_broadcast {
3024                         let funding_outp = HolderFundingOutput::build(self.funding_redeemscript.clone(), self.channel_value_satoshis, self.onchain_tx_handler.opt_anchors());
3025                         let commitment_package = PackageTemplate::build_package(self.funding_info.0.txid.clone(), self.funding_info.0.index as u32, PackageSolvingData::HolderFundingOutput(funding_outp), self.best_block.height(), false, self.best_block.height());
3026                         claimable_outpoints.push(commitment_package);
3027                         self.pending_monitor_events.push(MonitorEvent::CommitmentTxConfirmed(self.funding_info.0));
3028                         let commitment_tx = self.onchain_tx_handler.get_fully_signed_holder_tx(&self.funding_redeemscript);
3029                         self.holder_tx_signed = true;
3030                         // We can't broadcast our HTLC transactions while the commitment transaction is
3031                         // unconfirmed. We'll delay doing so until we detect the confirmed commitment in
3032                         // `transactions_confirmed`.
3033                         if !self.onchain_tx_handler.opt_anchors() {
3034                                 // Because we're broadcasting a commitment transaction, we should construct the package
3035                                 // assuming it gets confirmed in the next block. Sadly, we have code which considers
3036                                 // "not yet confirmed" things as discardable, so we cannot do that here.
3037                                 let (mut new_outpoints, _) = self.get_broadcasted_holder_claims(&self.current_holder_commitment_tx, self.best_block.height());
3038                                 let new_outputs = self.get_broadcasted_holder_watch_outputs(&self.current_holder_commitment_tx, &commitment_tx);
3039                                 if !new_outputs.is_empty() {
3040                                         watch_outputs.push((self.current_holder_commitment_tx.txid.clone(), new_outputs));
3041                                 }
3042                                 claimable_outpoints.append(&mut new_outpoints);
3043                         }
3044                 }
3045
3046                 // Find which on-chain events have reached their confirmation threshold.
3047                 let onchain_events_awaiting_threshold_conf =
3048                         self.onchain_events_awaiting_threshold_conf.drain(..).collect::<Vec<_>>();
3049                 let mut onchain_events_reaching_threshold_conf = Vec::new();
3050                 for entry in onchain_events_awaiting_threshold_conf {
3051                         if entry.has_reached_confirmation_threshold(&self.best_block) {
3052                                 onchain_events_reaching_threshold_conf.push(entry);
3053                         } else {
3054                                 self.onchain_events_awaiting_threshold_conf.push(entry);
3055                         }
3056                 }
3057
3058                 // Used to check for duplicate HTLC resolutions.
3059                 #[cfg(debug_assertions)]
3060                 let unmatured_htlcs: Vec<_> = self.onchain_events_awaiting_threshold_conf
3061                         .iter()
3062                         .filter_map(|entry| match &entry.event {
3063                                 OnchainEvent::HTLCUpdate { source, .. } => Some(source),
3064                                 _ => None,
3065                         })
3066                         .collect();
3067                 #[cfg(debug_assertions)]
3068                 let mut matured_htlcs = Vec::new();
3069
3070                 // Produce actionable events from on-chain events having reached their threshold.
3071                 for entry in onchain_events_reaching_threshold_conf.drain(..) {
3072                         match entry.event {
3073                                 OnchainEvent::HTLCUpdate { ref source, payment_hash, htlc_value_satoshis, commitment_tx_output_idx } => {
3074                                         // Check for duplicate HTLC resolutions.
3075                                         #[cfg(debug_assertions)]
3076                                         {
3077                                                 debug_assert!(
3078                                                         unmatured_htlcs.iter().find(|&htlc| htlc == &source).is_none(),
3079                                                         "An unmature HTLC transaction conflicts with a maturing one; failed to \
3080                                                          call either transaction_unconfirmed for the conflicting transaction \
3081                                                          or block_disconnected for a block containing it.");
3082                                                 debug_assert!(
3083                                                         matured_htlcs.iter().find(|&htlc| htlc == source).is_none(),
3084                                                         "A matured HTLC transaction conflicts with a maturing one; failed to \
3085                                                          call either transaction_unconfirmed for the conflicting transaction \
3086                                                          or block_disconnected for a block containing it.");
3087                                                 matured_htlcs.push(source.clone());
3088                                         }
3089
3090                                         log_debug!(logger, "HTLC {} failure update in {} has got enough confirmations to be passed upstream",
3091                                                 log_bytes!(payment_hash.0), entry.txid);
3092                                         self.pending_monitor_events.push(MonitorEvent::HTLCEvent(HTLCUpdate {
3093                                                 payment_hash,
3094                                                 payment_preimage: None,
3095                                                 source: source.clone(),
3096                                                 htlc_value_satoshis,
3097                                         }));
3098                                         self.htlcs_resolved_on_chain.push(IrrevocablyResolvedHTLC {
3099                                                 commitment_tx_output_idx,
3100                                                 resolving_txid: Some(entry.txid),
3101                                                 resolving_tx: entry.transaction,
3102                                                 payment_preimage: None,
3103                                         });
3104                                 },
3105                                 OnchainEvent::MaturingOutput { descriptor } => {
3106                                         log_debug!(logger, "Descriptor {} has got enough confirmations to be passed upstream", log_spendable!(descriptor));
3107                                         self.pending_events.push(Event::SpendableOutputs {
3108                                                 outputs: vec![descriptor]
3109                                         });
3110                                         self.spendable_txids_confirmed.push(entry.txid);
3111                                 },
3112                                 OnchainEvent::HTLCSpendConfirmation { commitment_tx_output_idx, preimage, .. } => {
3113                                         self.htlcs_resolved_on_chain.push(IrrevocablyResolvedHTLC {
3114                                                 commitment_tx_output_idx: Some(commitment_tx_output_idx),
3115                                                 resolving_txid: Some(entry.txid),
3116                                                 resolving_tx: entry.transaction,
3117                                                 payment_preimage: preimage,
3118                                         });
3119                                 },
3120                                 OnchainEvent::FundingSpendConfirmation { commitment_tx_to_counterparty_output, .. } => {
3121                                         self.funding_spend_confirmed = Some(entry.txid);
3122                                         self.confirmed_commitment_tx_counterparty_output = commitment_tx_to_counterparty_output;
3123                                 },
3124                         }
3125                 }
3126
3127                 self.onchain_tx_handler.update_claims_view_from_requests(claimable_outpoints, conf_height, self.best_block.height(), broadcaster, fee_estimator, logger);
3128                 self.onchain_tx_handler.update_claims_view_from_matched_txn(&txn_matched, conf_height, conf_hash, self.best_block.height(), broadcaster, fee_estimator, logger);
3129
3130                 // Determine new outputs to watch by comparing against previously known outputs to watch,
3131                 // updating the latter in the process.
3132                 watch_outputs.retain(|&(ref txid, ref txouts)| {
3133                         let idx_and_scripts = txouts.iter().map(|o| (o.0, o.1.script_pubkey.clone())).collect();
3134                         self.outputs_to_watch.insert(txid.clone(), idx_and_scripts).is_none()
3135                 });
3136                 #[cfg(test)]
3137                 {
3138                         // If we see a transaction for which we registered outputs previously,
3139                         // make sure the registered scriptpubkey at the expected index match
3140                         // the actual transaction output one. We failed this case before #653.
3141                         for tx in &txn_matched {
3142                                 if let Some(outputs) = self.get_outputs_to_watch().get(&tx.txid()) {
3143                                         for idx_and_script in outputs.iter() {
3144                                                 assert!((idx_and_script.0 as usize) < tx.output.len());
3145                                                 assert_eq!(tx.output[idx_and_script.0 as usize].script_pubkey, idx_and_script.1);
3146                                         }
3147                                 }
3148                         }
3149                 }
3150                 watch_outputs
3151         }
3152
3153         pub fn block_disconnected<B: Deref, F: Deref, L: Deref>(&mut self, header: &BlockHeader, height: u32, broadcaster: B, fee_estimator: F, logger: L)
3154                 where B::Target: BroadcasterInterface,
3155                       F::Target: FeeEstimator,
3156                       L::Target: Logger,
3157         {
3158                 log_trace!(logger, "Block {} at height {} disconnected", header.block_hash(), height);
3159
3160                 //We may discard:
3161                 //- htlc update there as failure-trigger tx (revoked commitment tx, non-revoked commitment tx, HTLC-timeout tx) has been disconnected
3162                 //- maturing spendable output has transaction paying us has been disconnected
3163                 self.onchain_events_awaiting_threshold_conf.retain(|ref entry| entry.height < height);
3164
3165                 let bounded_fee_estimator = LowerBoundedFeeEstimator::new(fee_estimator);
3166                 self.onchain_tx_handler.block_disconnected(height, broadcaster, &bounded_fee_estimator, logger);
3167
3168                 self.best_block = BestBlock::new(header.prev_blockhash, height - 1);
3169         }
3170
3171         fn transaction_unconfirmed<B: Deref, F: Deref, L: Deref>(
3172                 &mut self,
3173                 txid: &Txid,
3174                 broadcaster: B,
3175                 fee_estimator: &LowerBoundedFeeEstimator<F>,
3176                 logger: L,
3177         ) where
3178                 B::Target: BroadcasterInterface,
3179                 F::Target: FeeEstimator,
3180                 L::Target: Logger,
3181         {
3182                 let mut removed_height = None;
3183                 for entry in self.onchain_events_awaiting_threshold_conf.iter() {
3184                         if entry.txid == *txid {
3185                                 removed_height = Some(entry.height);
3186                                 break;
3187                         }
3188                 }
3189
3190                 if let Some(removed_height) = removed_height {
3191                         log_info!(logger, "transaction_unconfirmed of txid {} implies height {} was reorg'd out", txid, removed_height);
3192                         self.onchain_events_awaiting_threshold_conf.retain(|ref entry| if entry.height >= removed_height {
3193                                 log_info!(logger, "Transaction {} reorg'd out", entry.txid);
3194                                 false
3195                         } else { true });
3196                 }
3197
3198                 debug_assert!(!self.onchain_events_awaiting_threshold_conf.iter().any(|ref entry| entry.txid == *txid));
3199
3200                 self.onchain_tx_handler.transaction_unconfirmed(txid, broadcaster, fee_estimator, logger);
3201         }
3202
3203         /// Filters a block's `txdata` for transactions spending watched outputs or for any child
3204         /// transactions thereof.
3205         fn filter_block<'a>(&self, txdata: &TransactionData<'a>) -> Vec<&'a Transaction> {
3206                 let mut matched_txn = HashSet::new();
3207                 txdata.iter().filter(|&&(_, tx)| {
3208                         let mut matches = self.spends_watched_output(tx);
3209                         for input in tx.input.iter() {
3210                                 if matches { break; }
3211                                 if matched_txn.contains(&input.previous_output.txid) {
3212                                         matches = true;
3213                                 }
3214                         }
3215                         if matches {
3216                                 matched_txn.insert(tx.txid());
3217                         }
3218                         matches
3219                 }).map(|(_, tx)| *tx).collect()
3220         }
3221
3222         /// Checks if a given transaction spends any watched outputs.
3223         fn spends_watched_output(&self, tx: &Transaction) -> bool {
3224                 for input in tx.input.iter() {
3225                         if let Some(outputs) = self.get_outputs_to_watch().get(&input.previous_output.txid) {
3226                                 for (idx, _script_pubkey) in outputs.iter() {
3227                                         if *idx == input.previous_output.vout {
3228                                                 #[cfg(test)]
3229                                                 {
3230                                                         // If the expected script is a known type, check that the witness
3231                                                         // appears to be spending the correct type (ie that the match would
3232                                                         // actually succeed in BIP 158/159-style filters).
3233                                                         if _script_pubkey.is_v0_p2wsh() {
3234                                                                 if input.witness.last().unwrap().to_vec() == deliberately_bogus_accepted_htlc_witness_program() {
3235                                                                         // In at least one test we use a deliberately bogus witness
3236                                                                         // script which hit an old panic. Thus, we check for that here
3237                                                                         // and avoid the assert if its the expected bogus script.
3238                                                                         return true;
3239                                                                 }
3240
3241                                                                 assert_eq!(&bitcoin::Address::p2wsh(&Script::from(input.witness.last().unwrap().to_vec()), bitcoin::Network::Bitcoin).script_pubkey(), _script_pubkey);
3242                                                         } else if _script_pubkey.is_v0_p2wpkh() {
3243                                                                 assert_eq!(&bitcoin::Address::p2wpkh(&bitcoin::PublicKey::from_slice(&input.witness.last().unwrap()).unwrap(), bitcoin::Network::Bitcoin).unwrap().script_pubkey(), _script_pubkey);
3244                                                         } else { panic!(); }
3245                                                 }
3246                                                 return true;
3247                                         }
3248                                 }
3249                         }
3250                 }
3251
3252                 false
3253         }
3254
3255         fn should_broadcast_holder_commitment_txn<L: Deref>(&self, logger: &L) -> bool where L::Target: Logger {
3256                 // There's no need to broadcast our commitment transaction if we've seen one confirmed (even
3257                 // with 1 confirmation) as it'll be rejected as duplicate/conflicting.
3258                 if self.funding_spend_confirmed.is_some() ||
3259                         self.onchain_events_awaiting_threshold_conf.iter().find(|event| match event.event {
3260                                 OnchainEvent::FundingSpendConfirmation { .. } => true,
3261                                 _ => false,
3262                         }).is_some()
3263                 {
3264                         return false;
3265                 }
3266                 // We need to consider all HTLCs which are:
3267                 //  * in any unrevoked counterparty commitment transaction, as they could broadcast said
3268                 //    transactions and we'd end up in a race, or
3269                 //  * are in our latest holder commitment transaction, as this is the thing we will
3270                 //    broadcast if we go on-chain.
3271                 // Note that we consider HTLCs which were below dust threshold here - while they don't
3272                 // strictly imply that we need to fail the channel, we need to go ahead and fail them back
3273                 // to the source, and if we don't fail the channel we will have to ensure that the next
3274                 // updates that peer sends us are update_fails, failing the channel if not. It's probably
3275                 // easier to just fail the channel as this case should be rare enough anyway.
3276                 let height = self.best_block.height();
3277                 macro_rules! scan_commitment {
3278                         ($htlcs: expr, $holder_tx: expr) => {
3279                                 for ref htlc in $htlcs {
3280                                         // For inbound HTLCs which we know the preimage for, we have to ensure we hit the
3281                                         // chain with enough room to claim the HTLC without our counterparty being able to
3282                                         // time out the HTLC first.
3283                                         // For outbound HTLCs which our counterparty hasn't failed/claimed, our primary
3284                                         // concern is being able to claim the corresponding inbound HTLC (on another
3285                                         // channel) before it expires. In fact, we don't even really care if our
3286                                         // counterparty here claims such an outbound HTLC after it expired as long as we
3287                                         // can still claim the corresponding HTLC. Thus, to avoid needlessly hitting the
3288                                         // chain when our counterparty is waiting for expiration to off-chain fail an HTLC
3289                                         // we give ourselves a few blocks of headroom after expiration before going
3290                                         // on-chain for an expired HTLC.
3291                                         // Note that, to avoid a potential attack whereby a node delays claiming an HTLC
3292                                         // from us until we've reached the point where we go on-chain with the
3293                                         // corresponding inbound HTLC, we must ensure that outbound HTLCs go on chain at
3294                                         // least CLTV_CLAIM_BUFFER blocks prior to the inbound HTLC.
3295                                         //  aka outbound_cltv + LATENCY_GRACE_PERIOD_BLOCKS == height - CLTV_CLAIM_BUFFER
3296                                         //      inbound_cltv == height + CLTV_CLAIM_BUFFER
3297                                         //      outbound_cltv + LATENCY_GRACE_PERIOD_BLOCKS + CLTV_CLAIM_BUFFER <= inbound_cltv - CLTV_CLAIM_BUFFER
3298                                         //      LATENCY_GRACE_PERIOD_BLOCKS + 2*CLTV_CLAIM_BUFFER <= inbound_cltv - outbound_cltv
3299                                         //      CLTV_EXPIRY_DELTA <= inbound_cltv - outbound_cltv (by check in ChannelManager::decode_update_add_htlc_onion)
3300                                         //      LATENCY_GRACE_PERIOD_BLOCKS + 2*CLTV_CLAIM_BUFFER <= CLTV_EXPIRY_DELTA
3301                                         //  The final, above, condition is checked for statically in channelmanager
3302                                         //  with CHECK_CLTV_EXPIRY_SANITY_2.
3303                                         let htlc_outbound = $holder_tx == htlc.offered;
3304                                         if ( htlc_outbound && htlc.cltv_expiry + LATENCY_GRACE_PERIOD_BLOCKS <= height) ||
3305                                            (!htlc_outbound && htlc.cltv_expiry <= height + CLTV_CLAIM_BUFFER && self.payment_preimages.contains_key(&htlc.payment_hash)) {
3306                                                 log_info!(logger, "Force-closing channel due to {} HTLC timeout, HTLC expiry is {}", if htlc_outbound { "outbound" } else { "inbound "}, htlc.cltv_expiry);
3307                                                 return true;
3308                                         }
3309                                 }
3310                         }
3311                 }
3312
3313                 scan_commitment!(self.current_holder_commitment_tx.htlc_outputs.iter().map(|&(ref a, _, _)| a), true);
3314
3315                 if let Some(ref txid) = self.current_counterparty_commitment_txid {
3316                         if let Some(ref htlc_outputs) = self.counterparty_claimable_outpoints.get(txid) {
3317                                 scan_commitment!(htlc_outputs.iter().map(|&(ref a, _)| a), false);
3318                         }
3319                 }
3320                 if let Some(ref txid) = self.prev_counterparty_commitment_txid {
3321                         if let Some(ref htlc_outputs) = self.counterparty_claimable_outpoints.get(txid) {
3322                                 scan_commitment!(htlc_outputs.iter().map(|&(ref a, _)| a), false);
3323                         }
3324                 }
3325
3326                 false
3327         }
3328
3329         /// Check if any transaction broadcasted is resolving HTLC output by a success or timeout on a holder
3330         /// or counterparty commitment tx, if so send back the source, preimage if found and payment_hash of resolved HTLC
3331         fn is_resolving_htlc_output<L: Deref>(&mut self, tx: &Transaction, height: u32, block_hash: &BlockHash, logger: &L) where L::Target: Logger {
3332                 'outer_loop: for input in &tx.input {
3333                         let mut payment_data = None;
3334                         let htlc_claim = HTLCClaim::from_witness(&input.witness);
3335                         let revocation_sig_claim = htlc_claim == Some(HTLCClaim::Revocation);
3336                         let accepted_preimage_claim = htlc_claim == Some(HTLCClaim::AcceptedPreimage);
3337                         #[cfg(not(fuzzing))]
3338                         let accepted_timeout_claim = htlc_claim == Some(HTLCClaim::AcceptedTimeout);
3339                         let offered_preimage_claim = htlc_claim == Some(HTLCClaim::OfferedPreimage);
3340                         #[cfg(not(fuzzing))]
3341                         let offered_timeout_claim = htlc_claim == Some(HTLCClaim::OfferedTimeout);
3342
3343                         let mut payment_preimage = PaymentPreimage([0; 32]);
3344                         if offered_preimage_claim || accepted_preimage_claim {
3345                                 payment_preimage.0.copy_from_slice(input.witness.second_to_last().unwrap());
3346                         }
3347
3348                         macro_rules! log_claim {
3349                                 ($tx_info: expr, $holder_tx: expr, $htlc: expr, $source_avail: expr) => {
3350                                         let outbound_htlc = $holder_tx == $htlc.offered;
3351                                         // HTLCs must either be claimed by a matching script type or through the
3352                                         // revocation path:
3353                                         #[cfg(not(fuzzing))] // Note that the fuzzer is not bound by pesky things like "signatures"
3354                                         debug_assert!(!$htlc.offered || offered_preimage_claim || offered_timeout_claim || revocation_sig_claim);
3355                                         #[cfg(not(fuzzing))] // Note that the fuzzer is not bound by pesky things like "signatures"
3356                                         debug_assert!($htlc.offered || accepted_preimage_claim || accepted_timeout_claim || revocation_sig_claim);
3357                                         // Further, only exactly one of the possible spend paths should have been
3358                                         // matched by any HTLC spend:
3359                                         #[cfg(not(fuzzing))] // Note that the fuzzer is not bound by pesky things like "signatures"
3360                                         debug_assert_eq!(accepted_preimage_claim as u8 + accepted_timeout_claim as u8 +
3361                                                          offered_preimage_claim as u8 + offered_timeout_claim as u8 +
3362                                                          revocation_sig_claim as u8, 1);
3363                                         if ($holder_tx && revocation_sig_claim) ||
3364                                                         (outbound_htlc && !$source_avail && (accepted_preimage_claim || offered_preimage_claim)) {
3365                                                 log_error!(logger, "Input spending {} ({}:{}) in {} resolves {} HTLC with payment hash {} with {}!",
3366                                                         $tx_info, input.previous_output.txid, input.previous_output.vout, tx.txid(),
3367                                                         if outbound_htlc { "outbound" } else { "inbound" }, log_bytes!($htlc.payment_hash.0),
3368                                                         if revocation_sig_claim { "revocation sig" } else { "preimage claim after we'd passed the HTLC resolution back. We can likely claim the HTLC output with a revocation claim" });
3369                                         } else {
3370                                                 log_info!(logger, "Input spending {} ({}:{}) in {} resolves {} HTLC with payment hash {} with {}",
3371                                                         $tx_info, input.previous_output.txid, input.previous_output.vout, tx.txid(),
3372                                                         if outbound_htlc { "outbound" } else { "inbound" }, log_bytes!($htlc.payment_hash.0),
3373                                                         if revocation_sig_claim { "revocation sig" } else if accepted_preimage_claim || offered_preimage_claim { "preimage" } else { "timeout" });
3374                                         }
3375                                 }
3376                         }
3377
3378                         macro_rules! check_htlc_valid_counterparty {
3379                                 ($counterparty_txid: expr, $htlc_output: expr) => {
3380                                         if let Some(txid) = $counterparty_txid {
3381                                                 for &(ref pending_htlc, ref pending_source) in self.counterparty_claimable_outpoints.get(&txid).unwrap() {
3382                                                         if pending_htlc.payment_hash == $htlc_output.payment_hash && pending_htlc.amount_msat == $htlc_output.amount_msat {
3383                                                                 if let &Some(ref source) = pending_source {
3384                                                                         log_claim!("revoked counterparty commitment tx", false, pending_htlc, true);
3385                                                                         payment_data = Some(((**source).clone(), $htlc_output.payment_hash, $htlc_output.amount_msat));
3386                                                                         break;
3387                                                                 }
3388                                                         }
3389                                                 }
3390                                         }
3391                                 }
3392                         }
3393
3394                         macro_rules! scan_commitment {
3395                                 ($htlcs: expr, $tx_info: expr, $holder_tx: expr) => {
3396                                         for (ref htlc_output, source_option) in $htlcs {
3397                                                 if Some(input.previous_output.vout) == htlc_output.transaction_output_index {
3398                                                         if let Some(ref source) = source_option {
3399                                                                 log_claim!($tx_info, $holder_tx, htlc_output, true);
3400                                                                 // We have a resolution of an HTLC either from one of our latest
3401                                                                 // holder commitment transactions or an unrevoked counterparty commitment
3402                                                                 // transaction. This implies we either learned a preimage, the HTLC
3403                                                                 // has timed out, or we screwed up. In any case, we should now
3404                                                                 // resolve the source HTLC with the original sender.
3405                                                                 payment_data = Some(((*source).clone(), htlc_output.payment_hash, htlc_output.amount_msat));
3406                                                         } else if !$holder_tx {
3407                                                                 check_htlc_valid_counterparty!(self.current_counterparty_commitment_txid, htlc_output);
3408                                                                 if payment_data.is_none() {
3409                                                                         check_htlc_valid_counterparty!(self.prev_counterparty_commitment_txid, htlc_output);
3410                                                                 }
3411                                                         }
3412                                                         if payment_data.is_none() {
3413                                                                 log_claim!($tx_info, $holder_tx, htlc_output, false);
3414                                                                 let outbound_htlc = $holder_tx == htlc_output.offered;
3415                                                                 self.onchain_events_awaiting_threshold_conf.push(OnchainEventEntry {
3416                                                                         txid: tx.txid(), height, block_hash: Some(*block_hash), transaction: Some(tx.clone()),
3417                                                                         event: OnchainEvent::HTLCSpendConfirmation {
3418                                                                                 commitment_tx_output_idx: input.previous_output.vout,
3419                                                                                 preimage: if accepted_preimage_claim || offered_preimage_claim {
3420                                                                                         Some(payment_preimage) } else { None },
3421                                                                                 // If this is a payment to us (ie !outbound_htlc), wait for
3422                                                                                 // the CSV delay before dropping the HTLC from claimable
3423                                                                                 // balance if the claim was an HTLC-Success transaction (ie
3424                                                                                 // accepted_preimage_claim).
3425                                                                                 on_to_local_output_csv: if accepted_preimage_claim && !outbound_htlc {
3426                                                                                         Some(self.on_holder_tx_csv) } else { None },
3427                                                                         },
3428                                                                 });
3429                                                                 continue 'outer_loop;
3430                                                         }
3431                                                 }
3432                                         }
3433                                 }
3434                         }
3435
3436                         if input.previous_output.txid == self.current_holder_commitment_tx.txid {
3437                                 scan_commitment!(self.current_holder_commitment_tx.htlc_outputs.iter().map(|&(ref a, _, ref b)| (a, b.as_ref())),
3438                                         "our latest holder commitment tx", true);
3439                         }
3440                         if let Some(ref prev_holder_signed_commitment_tx) = self.prev_holder_signed_commitment_tx {
3441                                 if input.previous_output.txid == prev_holder_signed_commitment_tx.txid {
3442                                         scan_commitment!(prev_holder_signed_commitment_tx.htlc_outputs.iter().map(|&(ref a, _, ref b)| (a, b.as_ref())),
3443                                                 "our previous holder commitment tx", true);
3444                                 }
3445                         }
3446                         if let Some(ref htlc_outputs) = self.counterparty_claimable_outpoints.get(&input.previous_output.txid) {
3447                                 scan_commitment!(htlc_outputs.iter().map(|&(ref a, ref b)| (a, (b.as_ref().clone()).map(|boxed| &**boxed))),
3448                                         "counterparty commitment tx", false);
3449                         }
3450
3451                         // Check that scan_commitment, above, decided there is some source worth relaying an
3452                         // HTLC resolution backwards to and figure out whether we learned a preimage from it.
3453                         if let Some((source, payment_hash, amount_msat)) = payment_data {
3454                                 if accepted_preimage_claim {
3455                                         if !self.pending_monitor_events.iter().any(
3456                                                 |update| if let &MonitorEvent::HTLCEvent(ref upd) = update { upd.source == source } else { false }) {
3457                                                 self.onchain_events_awaiting_threshold_conf.push(OnchainEventEntry {
3458                                                         txid: tx.txid(),
3459                                                         height,
3460                                                         block_hash: Some(*block_hash),
3461                                                         transaction: Some(tx.clone()),
3462                                                         event: OnchainEvent::HTLCSpendConfirmation {
3463                                                                 commitment_tx_output_idx: input.previous_output.vout,
3464                                                                 preimage: Some(payment_preimage),
3465                                                                 on_to_local_output_csv: None,
3466                                                         },
3467                                                 });
3468                                                 self.pending_monitor_events.push(MonitorEvent::HTLCEvent(HTLCUpdate {
3469                                                         source,
3470                                                         payment_preimage: Some(payment_preimage),
3471                                                         payment_hash,
3472                                                         htlc_value_satoshis: Some(amount_msat / 1000),
3473                                                 }));
3474                                         }
3475                                 } else if offered_preimage_claim {
3476                                         if !self.pending_monitor_events.iter().any(
3477                                                 |update| if let &MonitorEvent::HTLCEvent(ref upd) = update {
3478                                                         upd.source == source
3479                                                 } else { false }) {
3480                                                 self.onchain_events_awaiting_threshold_conf.push(OnchainEventEntry {
3481                                                         txid: tx.txid(),
3482                                                         transaction: Some(tx.clone()),
3483                                                         height,
3484                                                         block_hash: Some(*block_hash),
3485                                                         event: OnchainEvent::HTLCSpendConfirmation {
3486                                                                 commitment_tx_output_idx: input.previous_output.vout,
3487                                                                 preimage: Some(payment_preimage),
3488                                                                 on_to_local_output_csv: None,
3489                                                         },
3490                                                 });
3491                                                 self.pending_monitor_events.push(MonitorEvent::HTLCEvent(HTLCUpdate {
3492                                                         source,
3493                                                         payment_preimage: Some(payment_preimage),
3494                                                         payment_hash,
3495                                                         htlc_value_satoshis: Some(amount_msat / 1000),
3496                                                 }));
3497                                         }
3498                                 } else {
3499                                         self.onchain_events_awaiting_threshold_conf.retain(|ref entry| {
3500                                                 if entry.height != height { return true; }
3501                                                 match entry.event {
3502                                                         OnchainEvent::HTLCUpdate { source: ref htlc_source, .. } => {
3503                                                                 *htlc_source != source
3504                                                         },
3505                                                         _ => true,
3506                                                 }
3507                                         });
3508                                         let entry = OnchainEventEntry {
3509                                                 txid: tx.txid(),
3510                                                 transaction: Some(tx.clone()),
3511                                                 height,
3512                                                 block_hash: Some(*block_hash),
3513                                                 event: OnchainEvent::HTLCUpdate {
3514                                                         source, payment_hash,
3515                                                         htlc_value_satoshis: Some(amount_msat / 1000),
3516                                                         commitment_tx_output_idx: Some(input.previous_output.vout),
3517                                                 },
3518                                         };
3519                                         log_info!(logger, "Failing HTLC with payment_hash {} timeout by a spend tx, waiting for confirmation (at height {})", log_bytes!(payment_hash.0), entry.confirmation_threshold());
3520                                         self.onchain_events_awaiting_threshold_conf.push(entry);
3521                                 }
3522                         }
3523                 }
3524         }
3525
3526         /// Check if any transaction broadcasted is paying fund back to some address we can assume to own
3527         fn is_paying_spendable_output<L: Deref>(&mut self, tx: &Transaction, height: u32, block_hash: &BlockHash, logger: &L) where L::Target: Logger {
3528                 let mut spendable_output = None;
3529                 for (i, outp) in tx.output.iter().enumerate() { // There is max one spendable output for any channel tx, including ones generated by us
3530                         if i > ::core::u16::MAX as usize {
3531                                 // While it is possible that an output exists on chain which is greater than the
3532                                 // 2^16th output in a given transaction, this is only possible if the output is not
3533                                 // in a lightning transaction and was instead placed there by some third party who
3534                                 // wishes to give us money for no reason.
3535                                 // Namely, any lightning transactions which we pre-sign will never have anywhere
3536                                 // near 2^16 outputs both because such transactions must have ~2^16 outputs who's
3537                                 // scripts are not longer than one byte in length and because they are inherently
3538                                 // non-standard due to their size.
3539                                 // Thus, it is completely safe to ignore such outputs, and while it may result in
3540                                 // us ignoring non-lightning fund to us, that is only possible if someone fills
3541                                 // nearly a full block with garbage just to hit this case.
3542                                 continue;
3543                         }
3544                         if outp.script_pubkey == self.destination_script {
3545                                 spendable_output =  Some(SpendableOutputDescriptor::StaticOutput {
3546                                         outpoint: OutPoint { txid: tx.txid(), index: i as u16 },
3547                                         output: outp.clone(),
3548                                 });
3549                                 break;
3550                         }
3551                         if let Some(ref broadcasted_holder_revokable_script) = self.broadcasted_holder_revokable_script {
3552                                 if broadcasted_holder_revokable_script.0 == outp.script_pubkey {
3553                                         spendable_output =  Some(SpendableOutputDescriptor::DelayedPaymentOutput(DelayedPaymentOutputDescriptor {
3554                                                 outpoint: OutPoint { txid: tx.txid(), index: i as u16 },
3555                                                 per_commitment_point: broadcasted_holder_revokable_script.1,
3556                                                 to_self_delay: self.on_holder_tx_csv,
3557                                                 output: outp.clone(),
3558                                                 revocation_pubkey: broadcasted_holder_revokable_script.2.clone(),
3559                                                 channel_keys_id: self.channel_keys_id,
3560                                                 channel_value_satoshis: self.channel_value_satoshis,
3561                                         }));
3562                                         break;
3563                                 }
3564                         }
3565                         if self.counterparty_payment_script == outp.script_pubkey {
3566                                 spendable_output = Some(SpendableOutputDescriptor::StaticPaymentOutput(StaticPaymentOutputDescriptor {
3567                                         outpoint: OutPoint { txid: tx.txid(), index: i as u16 },
3568                                         output: outp.clone(),
3569                                         channel_keys_id: self.channel_keys_id,
3570                                         channel_value_satoshis: self.channel_value_satoshis,
3571                                 }));
3572                                 break;
3573                         }
3574                         if self.shutdown_script.as_ref() == Some(&outp.script_pubkey) {
3575                                 spendable_output = Some(SpendableOutputDescriptor::StaticOutput {
3576                                         outpoint: OutPoint { txid: tx.txid(), index: i as u16 },
3577                                         output: outp.clone(),
3578                                 });
3579                                 break;
3580                         }
3581                 }
3582                 if let Some(spendable_output) = spendable_output {
3583                         let entry = OnchainEventEntry {
3584                                 txid: tx.txid(),
3585                                 transaction: Some(tx.clone()),
3586                                 height,
3587                                 block_hash: Some(*block_hash),
3588                                 event: OnchainEvent::MaturingOutput { descriptor: spendable_output.clone() },
3589                         };
3590                         log_info!(logger, "Received spendable output {}, spendable at height {}", log_spendable!(spendable_output), entry.confirmation_threshold());
3591                         self.onchain_events_awaiting_threshold_conf.push(entry);
3592                 }
3593         }
3594 }
3595
3596 impl<Signer: Sign, T: Deref, F: Deref, L: Deref> chain::Listen for (ChannelMonitor<Signer>, T, F, L)
3597 where
3598         T::Target: BroadcasterInterface,
3599         F::Target: FeeEstimator,
3600         L::Target: Logger,
3601 {
3602         fn filtered_block_connected(&self, header: &BlockHeader, txdata: &TransactionData, height: u32) {
3603                 self.0.block_connected(header, txdata, height, &*self.1, &*self.2, &*self.3);
3604         }
3605
3606         fn block_disconnected(&self, header: &BlockHeader, height: u32) {
3607                 self.0.block_disconnected(header, height, &*self.1, &*self.2, &*self.3);
3608         }
3609 }
3610
3611 impl<Signer: Sign, T: Deref, F: Deref, L: Deref> chain::Confirm for (ChannelMonitor<Signer>, T, F, L)
3612 where
3613         T::Target: BroadcasterInterface,
3614         F::Target: FeeEstimator,
3615         L::Target: Logger,
3616 {
3617         fn transactions_confirmed(&self, header: &BlockHeader, txdata: &TransactionData, height: u32) {
3618                 self.0.transactions_confirmed(header, txdata, height, &*self.1, &*self.2, &*self.3);
3619         }
3620
3621         fn transaction_unconfirmed(&self, txid: &Txid) {
3622                 self.0.transaction_unconfirmed(txid, &*self.1, &*self.2, &*self.3);
3623         }
3624
3625         fn best_block_updated(&self, header: &BlockHeader, height: u32) {
3626                 self.0.best_block_updated(header, height, &*self.1, &*self.2, &*self.3);
3627         }
3628
3629         fn get_relevant_txids(&self) -> Vec<(Txid, Option<BlockHash>)> {
3630                 self.0.get_relevant_txids()
3631         }
3632 }
3633
3634 const MAX_ALLOC_SIZE: usize = 64*1024;
3635
3636 impl<'a, K: KeysInterface> ReadableArgs<&'a K>
3637                 for (BlockHash, ChannelMonitor<K::Signer>) {
3638         fn read<R: io::Read>(reader: &mut R, keys_manager: &'a K) -> Result<Self, DecodeError> {
3639                 macro_rules! unwrap_obj {
3640                         ($key: expr) => {
3641                                 match $key {
3642                                         Ok(res) => res,
3643                                         Err(_) => return Err(DecodeError::InvalidValue),
3644                                 }
3645                         }
3646                 }
3647
3648                 let _ver = read_ver_prefix!(reader, SERIALIZATION_VERSION);
3649
3650                 let latest_update_id: u64 = Readable::read(reader)?;
3651                 let commitment_transaction_number_obscure_factor = <U48 as Readable>::read(reader)?.0;
3652
3653                 let destination_script = Readable::read(reader)?;
3654                 let broadcasted_holder_revokable_script = match <u8 as Readable>::read(reader)? {
3655                         0 => {
3656                                 let revokable_address = Readable::read(reader)?;
3657                                 let per_commitment_point = Readable::read(reader)?;
3658                                 let revokable_script = Readable::read(reader)?;
3659                                 Some((revokable_address, per_commitment_point, revokable_script))
3660                         },
3661                         1 => { None },
3662                         _ => return Err(DecodeError::InvalidValue),
3663                 };
3664                 let counterparty_payment_script = Readable::read(reader)?;
3665                 let shutdown_script = {
3666                         let script = <Script as Readable>::read(reader)?;
3667                         if script.is_empty() { None } else { Some(script) }
3668                 };
3669
3670                 let channel_keys_id = Readable::read(reader)?;
3671                 let holder_revocation_basepoint = Readable::read(reader)?;
3672                 // Technically this can fail and serialize fail a round-trip, but only for serialization of
3673                 // barely-init'd ChannelMonitors that we can't do anything with.
3674                 let outpoint = OutPoint {
3675                         txid: Readable::read(reader)?,
3676                         index: Readable::read(reader)?,
3677                 };
3678                 let funding_info = (outpoint, Readable::read(reader)?);
3679                 let current_counterparty_commitment_txid = Readable::read(reader)?;
3680                 let prev_counterparty_commitment_txid = Readable::read(reader)?;
3681
3682                 let counterparty_commitment_params = Readable::read(reader)?;
3683                 let funding_redeemscript = Readable::read(reader)?;
3684                 let channel_value_satoshis = Readable::read(reader)?;
3685
3686                 let their_cur_per_commitment_points = {
3687                         let first_idx = <U48 as Readable>::read(reader)?.0;
3688                         if first_idx == 0 {
3689                                 None
3690                         } else {
3691                                 let first_point = Readable::read(reader)?;
3692                                 let second_point_slice: [u8; 33] = Readable::read(reader)?;
3693                                 if second_point_slice[0..32] == [0; 32] && second_point_slice[32] == 0 {
3694                                         Some((first_idx, first_point, None))
3695                                 } else {
3696                                         Some((first_idx, first_point, Some(unwrap_obj!(PublicKey::from_slice(&second_point_slice)))))
3697                                 }
3698                         }
3699                 };
3700
3701                 let on_holder_tx_csv: u16 = Readable::read(reader)?;
3702
3703                 let commitment_secrets = Readable::read(reader)?;
3704
3705                 macro_rules! read_htlc_in_commitment {
3706                         () => {
3707                                 {
3708                                         let offered: bool = Readable::read(reader)?;
3709                                         let amount_msat: u64 = Readable::read(reader)?;
3710                                         let cltv_expiry: u32 = Readable::read(reader)?;
3711                                         let payment_hash: PaymentHash = Readable::read(reader)?;
3712                                         let transaction_output_index: Option<u32> = Readable::read(reader)?;
3713
3714                                         HTLCOutputInCommitment {
3715                                                 offered, amount_msat, cltv_expiry, payment_hash, transaction_output_index
3716                                         }
3717                                 }
3718                         }
3719                 }
3720
3721                 let counterparty_claimable_outpoints_len: u64 = Readable::read(reader)?;
3722                 let mut counterparty_claimable_outpoints = HashMap::with_capacity(cmp::min(counterparty_claimable_outpoints_len as usize, MAX_ALLOC_SIZE / 64));
3723                 for _ in 0..counterparty_claimable_outpoints_len {
3724                         let txid: Txid = Readable::read(reader)?;
3725                         let htlcs_count: u64 = Readable::read(reader)?;
3726                         let mut htlcs = Vec::with_capacity(cmp::min(htlcs_count as usize, MAX_ALLOC_SIZE / 32));
3727                         for _ in 0..htlcs_count {
3728                                 htlcs.push((read_htlc_in_commitment!(), <Option<HTLCSource> as Readable>::read(reader)?.map(|o: HTLCSource| Box::new(o))));
3729                         }
3730                         if let Some(_) = counterparty_claimable_outpoints.insert(txid, htlcs) {
3731                                 return Err(DecodeError::InvalidValue);
3732                         }
3733                 }
3734
3735                 let counterparty_commitment_txn_on_chain_len: u64 = Readable::read(reader)?;
3736                 let mut counterparty_commitment_txn_on_chain = HashMap::with_capacity(cmp::min(counterparty_commitment_txn_on_chain_len as usize, MAX_ALLOC_SIZE / 32));
3737                 for _ in 0..counterparty_commitment_txn_on_chain_len {
3738                         let txid: Txid = Readable::read(reader)?;
3739                         let commitment_number = <U48 as Readable>::read(reader)?.0;
3740                         if let Some(_) = counterparty_commitment_txn_on_chain.insert(txid, commitment_number) {
3741                                 return Err(DecodeError::InvalidValue);
3742                         }
3743                 }
3744
3745                 let counterparty_hash_commitment_number_len: u64 = Readable::read(reader)?;
3746                 let mut counterparty_hash_commitment_number = HashMap::with_capacity(cmp::min(counterparty_hash_commitment_number_len as usize, MAX_ALLOC_SIZE / 32));
3747                 for _ in 0..counterparty_hash_commitment_number_len {
3748                         let payment_hash: PaymentHash = Readable::read(reader)?;
3749                         let commitment_number = <U48 as Readable>::read(reader)?.0;
3750                         if let Some(_) = counterparty_hash_commitment_number.insert(payment_hash, commitment_number) {
3751                                 return Err(DecodeError::InvalidValue);
3752                         }
3753                 }
3754
3755                 let mut prev_holder_signed_commitment_tx: Option<HolderSignedTx> =
3756                         match <u8 as Readable>::read(reader)? {
3757                                 0 => None,
3758                                 1 => {
3759                                         Some(Readable::read(reader)?)
3760                                 },
3761                                 _ => return Err(DecodeError::InvalidValue),
3762                         };
3763                 let mut current_holder_commitment_tx: HolderSignedTx = Readable::read(reader)?;
3764
3765                 let current_counterparty_commitment_number = <U48 as Readable>::read(reader)?.0;
3766                 let current_holder_commitment_number = <U48 as Readable>::read(reader)?.0;
3767
3768                 let payment_preimages_len: u64 = Readable::read(reader)?;
3769                 let mut payment_preimages = HashMap::with_capacity(cmp::min(payment_preimages_len as usize, MAX_ALLOC_SIZE / 32));
3770                 for _ in 0..payment_preimages_len {
3771                         let preimage: PaymentPreimage = Readable::read(reader)?;
3772                         let hash = PaymentHash(Sha256::hash(&preimage.0[..]).into_inner());
3773                         if let Some(_) = payment_preimages.insert(hash, preimage) {
3774                                 return Err(DecodeError::InvalidValue);
3775                         }
3776                 }
3777
3778                 let pending_monitor_events_len: u64 = Readable::read(reader)?;
3779                 let mut pending_monitor_events = Some(
3780                         Vec::with_capacity(cmp::min(pending_monitor_events_len as usize, MAX_ALLOC_SIZE / (32 + 8*3))));
3781                 for _ in 0..pending_monitor_events_len {
3782                         let ev = match <u8 as Readable>::read(reader)? {
3783                                 0 => MonitorEvent::HTLCEvent(Readable::read(reader)?),
3784                                 1 => MonitorEvent::CommitmentTxConfirmed(funding_info.0),
3785                                 _ => return Err(DecodeError::InvalidValue)
3786                         };
3787                         pending_monitor_events.as_mut().unwrap().push(ev);
3788                 }
3789
3790                 let pending_events_len: u64 = Readable::read(reader)?;
3791                 let mut pending_events = Vec::with_capacity(cmp::min(pending_events_len as usize, MAX_ALLOC_SIZE / mem::size_of::<Event>()));
3792                 for _ in 0..pending_events_len {
3793                         if let Some(event) = MaybeReadable::read(reader)? {
3794                                 pending_events.push(event);
3795                         }
3796                 }
3797
3798                 let best_block = BestBlock::new(Readable::read(reader)?, Readable::read(reader)?);
3799
3800                 let waiting_threshold_conf_len: u64 = Readable::read(reader)?;
3801                 let mut onchain_events_awaiting_threshold_conf = Vec::with_capacity(cmp::min(waiting_threshold_conf_len as usize, MAX_ALLOC_SIZE / 128));
3802                 for _ in 0..waiting_threshold_conf_len {
3803                         if let Some(val) = MaybeReadable::read(reader)? {
3804                                 onchain_events_awaiting_threshold_conf.push(val);
3805                         }
3806                 }
3807
3808                 let outputs_to_watch_len: u64 = Readable::read(reader)?;
3809                 let mut outputs_to_watch = HashMap::with_capacity(cmp::min(outputs_to_watch_len as usize, MAX_ALLOC_SIZE / (mem::size_of::<Txid>() + mem::size_of::<u32>() + mem::size_of::<Vec<Script>>())));
3810                 for _ in 0..outputs_to_watch_len {
3811                         let txid = Readable::read(reader)?;
3812                         let outputs_len: u64 = Readable::read(reader)?;
3813                         let mut outputs = Vec::with_capacity(cmp::min(outputs_len as usize, MAX_ALLOC_SIZE / (mem::size_of::<u32>() + mem::size_of::<Script>())));
3814                         for _ in 0..outputs_len {
3815                                 outputs.push((Readable::read(reader)?, Readable::read(reader)?));
3816                         }
3817                         if let Some(_) = outputs_to_watch.insert(txid, outputs) {
3818                                 return Err(DecodeError::InvalidValue);
3819                         }
3820                 }
3821                 let onchain_tx_handler: OnchainTxHandler<K::Signer> = ReadableArgs::read(
3822                         reader, (keys_manager, channel_value_satoshis, channel_keys_id)
3823                 )?;
3824
3825                 let lockdown_from_offchain = Readable::read(reader)?;
3826                 let holder_tx_signed = Readable::read(reader)?;
3827
3828                 if let Some(prev_commitment_tx) = prev_holder_signed_commitment_tx.as_mut() {
3829                         let prev_holder_value = onchain_tx_handler.get_prev_holder_commitment_to_self_value();
3830                         if prev_holder_value.is_none() { return Err(DecodeError::InvalidValue); }
3831                         if prev_commitment_tx.to_self_value_sat == u64::max_value() {
3832                                 prev_commitment_tx.to_self_value_sat = prev_holder_value.unwrap();
3833                         } else if prev_commitment_tx.to_self_value_sat != prev_holder_value.unwrap() {
3834                                 return Err(DecodeError::InvalidValue);
3835                         }
3836                 }
3837
3838                 let cur_holder_value = onchain_tx_handler.get_cur_holder_commitment_to_self_value();
3839                 if current_holder_commitment_tx.to_self_value_sat == u64::max_value() {
3840                         current_holder_commitment_tx.to_self_value_sat = cur_holder_value;
3841                 } else if current_holder_commitment_tx.to_self_value_sat != cur_holder_value {
3842                         return Err(DecodeError::InvalidValue);
3843                 }
3844
3845                 let mut funding_spend_confirmed = None;
3846                 let mut htlcs_resolved_on_chain = Some(Vec::new());
3847                 let mut funding_spend_seen = Some(false);
3848                 let mut counterparty_node_id = None;
3849                 let mut confirmed_commitment_tx_counterparty_output = None;
3850                 let mut spendable_txids_confirmed = Some(Vec::new());
3851                 read_tlv_fields!(reader, {
3852                         (1, funding_spend_confirmed, option),
3853                         (3, htlcs_resolved_on_chain, vec_type),
3854                         (5, pending_monitor_events, vec_type),
3855                         (7, funding_spend_seen, option),
3856                         (9, counterparty_node_id, option),
3857                         (11, confirmed_commitment_tx_counterparty_output, option),
3858                         (13, spendable_txids_confirmed, vec_type),
3859                 });
3860
3861                 let mut secp_ctx = Secp256k1::new();
3862                 secp_ctx.seeded_randomize(&keys_manager.get_secure_random_bytes());
3863
3864                 Ok((best_block.block_hash(), ChannelMonitor::from_impl(ChannelMonitorImpl {
3865                         latest_update_id,
3866                         commitment_transaction_number_obscure_factor,
3867
3868                         destination_script,
3869                         broadcasted_holder_revokable_script,
3870                         counterparty_payment_script,
3871                         shutdown_script,
3872
3873                         channel_keys_id,
3874                         holder_revocation_basepoint,
3875                         funding_info,
3876                         current_counterparty_commitment_txid,
3877                         prev_counterparty_commitment_txid,
3878
3879                         counterparty_commitment_params,
3880                         funding_redeemscript,
3881                         channel_value_satoshis,
3882                         their_cur_per_commitment_points,
3883
3884                         on_holder_tx_csv,
3885
3886                         commitment_secrets,
3887                         counterparty_claimable_outpoints,
3888                         counterparty_commitment_txn_on_chain,
3889                         counterparty_hash_commitment_number,
3890
3891                         prev_holder_signed_commitment_tx,
3892                         current_holder_commitment_tx,
3893                         current_counterparty_commitment_number,
3894                         current_holder_commitment_number,
3895
3896                         payment_preimages,
3897                         pending_monitor_events: pending_monitor_events.unwrap(),
3898                         pending_events,
3899
3900                         onchain_events_awaiting_threshold_conf,
3901                         outputs_to_watch,
3902
3903                         onchain_tx_handler,
3904
3905                         lockdown_from_offchain,
3906                         holder_tx_signed,
3907                         funding_spend_seen: funding_spend_seen.unwrap(),
3908                         funding_spend_confirmed,
3909                         confirmed_commitment_tx_counterparty_output,
3910                         htlcs_resolved_on_chain: htlcs_resolved_on_chain.unwrap(),
3911                         spendable_txids_confirmed: spendable_txids_confirmed.unwrap(),
3912
3913                         best_block,
3914                         counterparty_node_id,
3915
3916                         secp_ctx,
3917                 })))
3918         }
3919 }
3920
3921 #[cfg(test)]
3922 mod tests {
3923         use bitcoin::blockdata::block::BlockHeader;
3924         use bitcoin::blockdata::script::{Script, Builder};
3925         use bitcoin::blockdata::opcodes;
3926         use bitcoin::blockdata::transaction::{Transaction, TxIn, TxOut, EcdsaSighashType};
3927         use bitcoin::blockdata::transaction::OutPoint as BitcoinOutPoint;
3928         use bitcoin::util::sighash;
3929         use bitcoin::hashes::Hash;
3930         use bitcoin::hashes::sha256::Hash as Sha256;
3931         use bitcoin::hashes::hex::FromHex;
3932         use bitcoin::hash_types::{BlockHash, Txid};
3933         use bitcoin::network::constants::Network;
3934         use bitcoin::secp256k1::{SecretKey,PublicKey};
3935         use bitcoin::secp256k1::Secp256k1;
3936
3937         use hex;
3938
3939         use crate::chain::chaininterface::LowerBoundedFeeEstimator;
3940
3941         use super::ChannelMonitorUpdateStep;
3942         use crate::{check_added_monitors, check_closed_broadcast, check_closed_event, check_spends, get_local_commitment_txn, get_monitor, get_route_and_payment_hash, unwrap_send_err};
3943         use crate::chain::{BestBlock, Confirm};
3944         use crate::chain::channelmonitor::ChannelMonitor;
3945         use crate::chain::package::{weight_offered_htlc, weight_received_htlc, weight_revoked_offered_htlc, weight_revoked_received_htlc, WEIGHT_REVOKED_OUTPUT};
3946         use crate::chain::transaction::OutPoint;
3947         use crate::chain::keysinterface::InMemorySigner;
3948         use crate::ln::{PaymentPreimage, PaymentHash};
3949         use crate::ln::chan_utils;
3950         use crate::ln::chan_utils::{HTLCOutputInCommitment, ChannelPublicKeys, ChannelTransactionParameters, HolderCommitmentTransaction, CounterpartyChannelTransactionParameters};
3951         use crate::ln::channelmanager::{self, PaymentSendFailure, PaymentId};
3952         use crate::ln::functional_test_utils::*;
3953         use crate::ln::script::ShutdownScript;
3954         use crate::util::errors::APIError;
3955         use crate::util::events::{ClosureReason, MessageSendEventsProvider};
3956         use crate::util::test_utils::{TestLogger, TestBroadcaster, TestFeeEstimator};
3957         use crate::util::ser::{ReadableArgs, Writeable};
3958         use crate::sync::{Arc, Mutex};
3959         use crate::io;
3960         use bitcoin::{PackedLockTime, Sequence, TxMerkleNode, Witness};
3961         use crate::prelude::*;
3962
3963         fn do_test_funding_spend_refuses_updates(use_local_txn: bool) {
3964                 // Previously, monitor updates were allowed freely even after a funding-spend transaction
3965                 // confirmed. This would allow a race condition where we could receive a payment (including
3966                 // the counterparty revoking their broadcasted state!) and accept it without recourse as
3967                 // long as the ChannelMonitor receives the block first, the full commitment update dance
3968                 // occurs after the block is connected, and before the ChannelManager receives the block.
3969                 // Obviously this is an incredibly contrived race given the counterparty would be risking
3970                 // their full channel balance for it, but its worth fixing nonetheless as it makes the
3971                 // potential ChannelMonitor states simpler to reason about.
3972                 //
3973                 // This test checks said behavior, as well as ensuring a ChannelMonitorUpdate with multiple
3974                 // updates is handled correctly in such conditions.
3975                 let chanmon_cfgs = create_chanmon_cfgs(3);
3976                 let node_cfgs = create_node_cfgs(3, &chanmon_cfgs);
3977                 let node_chanmgrs = create_node_chanmgrs(3, &node_cfgs, &[None, None, None]);
3978                 let nodes = create_network(3, &node_cfgs, &node_chanmgrs);
3979                 let channel = create_announced_chan_between_nodes(
3980                         &nodes, 0, 1, channelmanager::provided_init_features(), channelmanager::provided_init_features());
3981                 create_announced_chan_between_nodes(
3982                         &nodes, 1, 2, channelmanager::provided_init_features(), channelmanager::provided_init_features());
3983
3984                 // Rebalance somewhat
3985                 send_payment(&nodes[0], &[&nodes[1]], 10_000_000);
3986
3987                 // First route two payments for testing at the end
3988                 let payment_preimage_1 = route_payment(&nodes[0], &[&nodes[1], &nodes[2]], 1_000_000).0;
3989                 let payment_preimage_2 = route_payment(&nodes[0], &[&nodes[1], &nodes[2]], 1_000_000).0;
3990
3991                 let local_txn = get_local_commitment_txn!(nodes[1], channel.2);
3992                 assert_eq!(local_txn.len(), 1);
3993                 let remote_txn = get_local_commitment_txn!(nodes[0], channel.2);
3994                 assert_eq!(remote_txn.len(), 3); // Commitment and two HTLC-Timeouts
3995                 check_spends!(remote_txn[1], remote_txn[0]);
3996                 check_spends!(remote_txn[2], remote_txn[0]);
3997                 let broadcast_tx = if use_local_txn { &local_txn[0] } else { &remote_txn[0] };
3998
3999                 // Connect a commitment transaction, but only to the ChainMonitor/ChannelMonitor. The
4000                 // channel is now closed, but the ChannelManager doesn't know that yet.
4001                 let new_header = BlockHeader {
4002                         version: 2, time: 0, bits: 0, nonce: 0,
4003                         prev_blockhash: nodes[0].best_block_info().0,
4004                         merkle_root: TxMerkleNode::all_zeros() };
4005                 let conf_height = nodes[0].best_block_info().1 + 1;
4006                 nodes[1].chain_monitor.chain_monitor.transactions_confirmed(&new_header,
4007                         &[(0, broadcast_tx)], conf_height);
4008
4009                 let (_, pre_update_monitor) = <(BlockHash, ChannelMonitor<InMemorySigner>)>::read(
4010                                                 &mut io::Cursor::new(&get_monitor!(nodes[1], channel.2).encode()),
4011                                                 &nodes[1].keys_manager.backing).unwrap();
4012
4013                 // If the ChannelManager tries to update the channel, however, the ChainMonitor will pass
4014                 // the update through to the ChannelMonitor which will refuse it (as the channel is closed).
4015                 let (route, payment_hash, _, payment_secret) = get_route_and_payment_hash!(nodes[1], nodes[0], 100_000);
4016                 unwrap_send_err!(nodes[1].node.send_payment(&route, payment_hash, &Some(payment_secret), PaymentId(payment_hash.0)),
4017                         true, APIError::ChannelUnavailable { ref err },
4018                         assert!(err.contains("ChannelMonitor storage failure")));
4019                 check_added_monitors!(nodes[1], 2); // After the failure we generate a close-channel monitor update
4020                 check_closed_broadcast!(nodes[1], true);
4021                 check_closed_event!(nodes[1], 1, ClosureReason::ProcessingError { err: "ChannelMonitor storage failure".to_string() });
4022
4023                 // Build a new ChannelMonitorUpdate which contains both the failing commitment tx update
4024                 // and provides the claim preimages for the two pending HTLCs. The first update generates
4025                 // an error, but the point of this test is to ensure the later updates are still applied.
4026                 let monitor_updates = nodes[1].chain_monitor.monitor_updates.lock().unwrap();
4027                 let mut replay_update = monitor_updates.get(&channel.2).unwrap().iter().rev().skip(1).next().unwrap().clone();
4028                 assert_eq!(replay_update.updates.len(), 1);
4029                 if let ChannelMonitorUpdateStep::LatestCounterpartyCommitmentTXInfo { .. } = replay_update.updates[0] {
4030                 } else { panic!(); }
4031                 replay_update.updates.push(ChannelMonitorUpdateStep::PaymentPreimage { payment_preimage: payment_preimage_1 });
4032                 replay_update.updates.push(ChannelMonitorUpdateStep::PaymentPreimage { payment_preimage: payment_preimage_2 });
4033
4034                 let broadcaster = TestBroadcaster::new(Arc::clone(&nodes[1].blocks));
4035                 assert!(
4036                         pre_update_monitor.update_monitor(&replay_update, &&broadcaster, &chanmon_cfgs[1].fee_estimator, &nodes[1].logger)
4037                         .is_err());
4038                 // Even though we error'd on the first update, we should still have generated an HTLC claim
4039                 // transaction
4040                 let txn_broadcasted = broadcaster.txn_broadcasted.lock().unwrap().split_off(0);
4041                 assert!(txn_broadcasted.len() >= 2);
4042                 let htlc_txn = txn_broadcasted.iter().filter(|tx| {
4043                         assert_eq!(tx.input.len(), 1);
4044                         tx.input[0].previous_output.txid == broadcast_tx.txid()
4045                 }).collect::<Vec<_>>();
4046                 assert_eq!(htlc_txn.len(), 2);
4047                 check_spends!(htlc_txn[0], broadcast_tx);
4048                 check_spends!(htlc_txn[1], broadcast_tx);
4049         }
4050         #[test]
4051         fn test_funding_spend_refuses_updates() {
4052                 do_test_funding_spend_refuses_updates(true);
4053                 do_test_funding_spend_refuses_updates(false);
4054         }
4055
4056         #[test]
4057         fn test_prune_preimages() {
4058                 let secp_ctx = Secp256k1::new();
4059                 let logger = Arc::new(TestLogger::new());
4060                 let broadcaster = Arc::new(TestBroadcaster{txn_broadcasted: Mutex::new(Vec::new()), blocks: Arc::new(Mutex::new(Vec::new()))});
4061                 let fee_estimator = TestFeeEstimator { sat_per_kw: Mutex::new(253) };
4062
4063                 let dummy_key = PublicKey::from_secret_key(&secp_ctx, &SecretKey::from_slice(&[42; 32]).unwrap());
4064                 let dummy_tx = Transaction { version: 0, lock_time: PackedLockTime::ZERO, input: Vec::new(), output: Vec::new() };
4065
4066                 let mut preimages = Vec::new();
4067                 {
4068                         for i in 0..20 {
4069                                 let preimage = PaymentPreimage([i; 32]);
4070                                 let hash = PaymentHash(Sha256::hash(&preimage.0[..]).into_inner());
4071                                 preimages.push((preimage, hash));
4072                         }
4073                 }
4074
4075                 macro_rules! preimages_slice_to_htlc_outputs {
4076                         ($preimages_slice: expr) => {
4077                                 {
4078                                         let mut res = Vec::new();
4079                                         for (idx, preimage) in $preimages_slice.iter().enumerate() {
4080                                                 res.push((HTLCOutputInCommitment {
4081                                                         offered: true,
4082                                                         amount_msat: 0,
4083                                                         cltv_expiry: 0,
4084                                                         payment_hash: preimage.1.clone(),
4085                                                         transaction_output_index: Some(idx as u32),
4086                                                 }, None));
4087                                         }
4088                                         res
4089                                 }
4090                         }
4091                 }
4092                 macro_rules! preimages_to_holder_htlcs {
4093                         ($preimages_slice: expr) => {
4094                                 {
4095                                         let mut inp = preimages_slice_to_htlc_outputs!($preimages_slice);
4096                                         let res: Vec<_> = inp.drain(..).map(|e| { (e.0, None, e.1) }).collect();
4097                                         res
4098                                 }
4099                         }
4100                 }
4101
4102                 macro_rules! test_preimages_exist {
4103                         ($preimages_slice: expr, $monitor: expr) => {
4104                                 for preimage in $preimages_slice {
4105                                         assert!($monitor.inner.lock().unwrap().payment_preimages.contains_key(&preimage.1));
4106                                 }
4107                         }
4108                 }
4109
4110                 let keys = InMemorySigner::new(
4111                         &secp_ctx,
4112                         SecretKey::from_slice(&[41; 32]).unwrap(),
4113                         SecretKey::from_slice(&[41; 32]).unwrap(),
4114                         SecretKey::from_slice(&[41; 32]).unwrap(),
4115                         SecretKey::from_slice(&[41; 32]).unwrap(),
4116                         SecretKey::from_slice(&[41; 32]).unwrap(),
4117                         SecretKey::from_slice(&[41; 32]).unwrap(),
4118                         [41; 32],
4119                         0,
4120                         [0; 32],
4121                 );
4122
4123                 let counterparty_pubkeys = ChannelPublicKeys {
4124                         funding_pubkey: PublicKey::from_secret_key(&secp_ctx, &SecretKey::from_slice(&[44; 32]).unwrap()),
4125                         revocation_basepoint: PublicKey::from_secret_key(&secp_ctx, &SecretKey::from_slice(&[45; 32]).unwrap()),
4126                         payment_point: PublicKey::from_secret_key(&secp_ctx, &SecretKey::from_slice(&[46; 32]).unwrap()),
4127                         delayed_payment_basepoint: PublicKey::from_secret_key(&secp_ctx, &SecretKey::from_slice(&[47; 32]).unwrap()),
4128                         htlc_basepoint: PublicKey::from_secret_key(&secp_ctx, &SecretKey::from_slice(&[48; 32]).unwrap())
4129                 };
4130                 let funding_outpoint = OutPoint { txid: Txid::all_zeros(), index: u16::max_value() };
4131                 let channel_parameters = ChannelTransactionParameters {
4132                         holder_pubkeys: keys.holder_channel_pubkeys.clone(),
4133                         holder_selected_contest_delay: 66,
4134                         is_outbound_from_holder: true,
4135                         counterparty_parameters: Some(CounterpartyChannelTransactionParameters {
4136                                 pubkeys: counterparty_pubkeys,
4137                                 selected_contest_delay: 67,
4138                         }),
4139                         funding_outpoint: Some(funding_outpoint),
4140                         opt_anchors: None,
4141                         opt_non_zero_fee_anchors: None,
4142                 };
4143                 // Prune with one old state and a holder commitment tx holding a few overlaps with the
4144                 // old state.
4145                 let shutdown_pubkey = PublicKey::from_secret_key(&secp_ctx, &SecretKey::from_slice(&[42; 32]).unwrap());
4146                 let best_block = BestBlock::from_genesis(Network::Testnet);
4147                 let monitor = ChannelMonitor::new(Secp256k1::new(), keys,
4148                                                   Some(ShutdownScript::new_p2wpkh_from_pubkey(shutdown_pubkey).into_inner()), 0, &Script::new(),
4149                                                   (OutPoint { txid: Txid::from_slice(&[43; 32]).unwrap(), index: 0 }, Script::new()),
4150                                                   &channel_parameters,
4151                                                   Script::new(), 46, 0,
4152                                                   HolderCommitmentTransaction::dummy(), best_block, dummy_key);
4153
4154                 monitor.provide_latest_holder_commitment_tx(HolderCommitmentTransaction::dummy(), preimages_to_holder_htlcs!(preimages[0..10])).unwrap();
4155                 let dummy_txid = dummy_tx.txid();
4156                 monitor.provide_latest_counterparty_commitment_tx(dummy_txid, preimages_slice_to_htlc_outputs!(preimages[5..15]), 281474976710655, dummy_key, &logger);
4157                 monitor.provide_latest_counterparty_commitment_tx(dummy_txid, preimages_slice_to_htlc_outputs!(preimages[15..20]), 281474976710654, dummy_key, &logger);
4158                 monitor.provide_latest_counterparty_commitment_tx(dummy_txid, preimages_slice_to_htlc_outputs!(preimages[17..20]), 281474976710653, dummy_key, &logger);
4159                 monitor.provide_latest_counterparty_commitment_tx(dummy_txid, preimages_slice_to_htlc_outputs!(preimages[18..20]), 281474976710652, dummy_key, &logger);
4160                 for &(ref preimage, ref hash) in preimages.iter() {
4161                         let bounded_fee_estimator = LowerBoundedFeeEstimator::new(&fee_estimator);
4162                         monitor.provide_payment_preimage(hash, preimage, &broadcaster, &bounded_fee_estimator, &logger);
4163                 }
4164
4165                 // Now provide a secret, pruning preimages 10-15
4166                 let mut secret = [0; 32];
4167                 secret[0..32].clone_from_slice(&hex::decode("7cc854b54e3e0dcdb010d7a3fee464a9687be6e8db3be6854c475621e007a5dc").unwrap());
4168                 monitor.provide_secret(281474976710655, secret.clone()).unwrap();
4169                 assert_eq!(monitor.inner.lock().unwrap().payment_preimages.len(), 15);
4170                 test_preimages_exist!(&preimages[0..10], monitor);
4171                 test_preimages_exist!(&preimages[15..20], monitor);
4172
4173                 // Now provide a further secret, pruning preimages 15-17
4174                 secret[0..32].clone_from_slice(&hex::decode("c7518c8ae4660ed02894df8976fa1a3659c1a8b4b5bec0c4b872abeba4cb8964").unwrap());
4175                 monitor.provide_secret(281474976710654, secret.clone()).unwrap();
4176                 assert_eq!(monitor.inner.lock().unwrap().payment_preimages.len(), 13);
4177                 test_preimages_exist!(&preimages[0..10], monitor);
4178                 test_preimages_exist!(&preimages[17..20], monitor);
4179
4180                 // Now update holder commitment tx info, pruning only element 18 as we still care about the
4181                 // previous commitment tx's preimages too
4182                 monitor.provide_latest_holder_commitment_tx(HolderCommitmentTransaction::dummy(), preimages_to_holder_htlcs!(preimages[0..5])).unwrap();
4183                 secret[0..32].clone_from_slice(&hex::decode("2273e227a5b7449b6e70f1fb4652864038b1cbf9cd7c043a7d6456b7fc275ad8").unwrap());
4184                 monitor.provide_secret(281474976710653, secret.clone()).unwrap();
4185                 assert_eq!(monitor.inner.lock().unwrap().payment_preimages.len(), 12);
4186                 test_preimages_exist!(&preimages[0..10], monitor);
4187                 test_preimages_exist!(&preimages[18..20], monitor);
4188
4189                 // But if we do it again, we'll prune 5-10
4190                 monitor.provide_latest_holder_commitment_tx(HolderCommitmentTransaction::dummy(), preimages_to_holder_htlcs!(preimages[0..3])).unwrap();
4191                 secret[0..32].clone_from_slice(&hex::decode("27cddaa5624534cb6cb9d7da077cf2b22ab21e9b506fd4998a51d54502e99116").unwrap());
4192                 monitor.provide_secret(281474976710652, secret.clone()).unwrap();
4193                 assert_eq!(monitor.inner.lock().unwrap().payment_preimages.len(), 5);
4194                 test_preimages_exist!(&preimages[0..5], monitor);
4195         }
4196
4197         #[test]
4198         fn test_claim_txn_weight_computation() {
4199                 // We test Claim txn weight, knowing that we want expected weigth and
4200                 // not actual case to avoid sigs and time-lock delays hell variances.
4201
4202                 let secp_ctx = Secp256k1::new();
4203                 let privkey = SecretKey::from_slice(&hex::decode("0101010101010101010101010101010101010101010101010101010101010101").unwrap()[..]).unwrap();
4204                 let pubkey = PublicKey::from_secret_key(&secp_ctx, &privkey);
4205
4206                 macro_rules! sign_input {
4207                         ($sighash_parts: expr, $idx: expr, $amount: expr, $weight: expr, $sum_actual_sigs: expr, $opt_anchors: expr) => {
4208                                 let htlc = HTLCOutputInCommitment {
4209                                         offered: if *$weight == weight_revoked_offered_htlc($opt_anchors) || *$weight == weight_offered_htlc($opt_anchors) { true } else { false },
4210                                         amount_msat: 0,
4211                                         cltv_expiry: 2 << 16,
4212                                         payment_hash: PaymentHash([1; 32]),
4213                                         transaction_output_index: Some($idx as u32),
4214                                 };
4215                                 let redeem_script = if *$weight == WEIGHT_REVOKED_OUTPUT { chan_utils::get_revokeable_redeemscript(&pubkey, 256, &pubkey) } else { chan_utils::get_htlc_redeemscript_with_explicit_keys(&htlc, $opt_anchors, &pubkey, &pubkey, &pubkey) };
4216                                 let sighash = hash_to_message!(&$sighash_parts.segwit_signature_hash($idx, &redeem_script, $amount, EcdsaSighashType::All).unwrap()[..]);
4217                                 let sig = secp_ctx.sign_ecdsa(&sighash, &privkey);
4218                                 let mut ser_sig = sig.serialize_der().to_vec();
4219                                 ser_sig.push(EcdsaSighashType::All as u8);
4220                                 $sum_actual_sigs += ser_sig.len();
4221                                 let witness = $sighash_parts.witness_mut($idx).unwrap();
4222                                 witness.push(ser_sig);
4223                                 if *$weight == WEIGHT_REVOKED_OUTPUT {
4224                                         witness.push(vec!(1));
4225                                 } else if *$weight == weight_revoked_offered_htlc($opt_anchors) || *$weight == weight_revoked_received_htlc($opt_anchors) {
4226                                         witness.push(pubkey.clone().serialize().to_vec());
4227                                 } else if *$weight == weight_received_htlc($opt_anchors) {
4228                                         witness.push(vec![0]);
4229                                 } else {
4230                                         witness.push(PaymentPreimage([1; 32]).0.to_vec());
4231                                 }
4232                                 witness.push(redeem_script.into_bytes());
4233                                 let witness = witness.to_vec();
4234                                 println!("witness[0] {}", witness[0].len());
4235                                 println!("witness[1] {}", witness[1].len());
4236                                 println!("witness[2] {}", witness[2].len());
4237                         }
4238                 }
4239
4240                 let script_pubkey = Builder::new().push_opcode(opcodes::all::OP_RETURN).into_script();
4241                 let txid = Txid::from_hex("56944c5d3f98413ef45cf54545538103cc9f298e0575820ad3591376e2e0f65d").unwrap();
4242
4243                 // Justice tx with 1 to_holder, 2 revoked offered HTLCs, 1 revoked received HTLCs
4244                 for &opt_anchors in [false, true].iter() {
4245                         let mut claim_tx = Transaction { version: 0, lock_time: PackedLockTime::ZERO, input: Vec::new(), output: Vec::new() };
4246                         let mut sum_actual_sigs = 0;
4247                         for i in 0..4 {
4248                                 claim_tx.input.push(TxIn {
4249                                         previous_output: BitcoinOutPoint {
4250                                                 txid,
4251                                                 vout: i,
4252                                         },
4253                                         script_sig: Script::new(),
4254                                         sequence: Sequence::ENABLE_RBF_NO_LOCKTIME,
4255                                         witness: Witness::new(),
4256                                 });
4257                         }
4258                         claim_tx.output.push(TxOut {
4259                                 script_pubkey: script_pubkey.clone(),
4260                                 value: 0,
4261                         });
4262                         let base_weight = claim_tx.weight();
4263                         let inputs_weight = vec![WEIGHT_REVOKED_OUTPUT, weight_revoked_offered_htlc(opt_anchors), weight_revoked_offered_htlc(opt_anchors), weight_revoked_received_htlc(opt_anchors)];
4264                         let mut inputs_total_weight = 2; // count segwit flags
4265                         {
4266                                 let mut sighash_parts = sighash::SighashCache::new(&mut claim_tx);
4267                                 for (idx, inp) in inputs_weight.iter().enumerate() {
4268                                         sign_input!(sighash_parts, idx, 0, inp, sum_actual_sigs, opt_anchors);
4269                                         inputs_total_weight += inp;
4270                                 }
4271                         }
4272                         assert_eq!(base_weight + inputs_total_weight as usize,  claim_tx.weight() + /* max_length_sig */ (73 * inputs_weight.len() - sum_actual_sigs));
4273                 }
4274
4275                 // Claim tx with 1 offered HTLCs, 3 received HTLCs
4276                 for &opt_anchors in [false, true].iter() {
4277                         let mut claim_tx = Transaction { version: 0, lock_time: PackedLockTime::ZERO, input: Vec::new(), output: Vec::new() };
4278                         let mut sum_actual_sigs = 0;
4279                         for i in 0..4 {
4280                                 claim_tx.input.push(TxIn {
4281                                         previous_output: BitcoinOutPoint {
4282                                                 txid,
4283                                                 vout: i,
4284                                         },
4285                                         script_sig: Script::new(),
4286                                         sequence: Sequence::ENABLE_RBF_NO_LOCKTIME,
4287                                         witness: Witness::new(),
4288                                 });
4289                         }
4290                         claim_tx.output.push(TxOut {
4291                                 script_pubkey: script_pubkey.clone(),
4292                                 value: 0,
4293                         });
4294                         let base_weight = claim_tx.weight();
4295                         let inputs_weight = vec![weight_offered_htlc(opt_anchors), weight_received_htlc(opt_anchors), weight_received_htlc(opt_anchors), weight_received_htlc(opt_anchors)];
4296                         let mut inputs_total_weight = 2; // count segwit flags
4297                         {
4298                                 let mut sighash_parts = sighash::SighashCache::new(&mut claim_tx);
4299                                 for (idx, inp) in inputs_weight.iter().enumerate() {
4300                                         sign_input!(sighash_parts, idx, 0, inp, sum_actual_sigs, opt_anchors);
4301                                         inputs_total_weight += inp;
4302                                 }
4303                         }
4304                         assert_eq!(base_weight + inputs_total_weight as usize,  claim_tx.weight() + /* max_length_sig */ (73 * inputs_weight.len() - sum_actual_sigs));
4305                 }
4306
4307                 // Justice tx with 1 revoked HTLC-Success tx output
4308                 for &opt_anchors in [false, true].iter() {
4309                         let mut claim_tx = Transaction { version: 0, lock_time: PackedLockTime::ZERO, input: Vec::new(), output: Vec::new() };
4310                         let mut sum_actual_sigs = 0;
4311                         claim_tx.input.push(TxIn {
4312                                 previous_output: BitcoinOutPoint {
4313                                         txid,
4314                                         vout: 0,
4315                                 },
4316                                 script_sig: Script::new(),
4317                                 sequence: Sequence::ENABLE_RBF_NO_LOCKTIME,
4318                                 witness: Witness::new(),
4319                         });
4320                         claim_tx.output.push(TxOut {
4321                                 script_pubkey: script_pubkey.clone(),
4322                                 value: 0,
4323                         });
4324                         let base_weight = claim_tx.weight();
4325                         let inputs_weight = vec![WEIGHT_REVOKED_OUTPUT];
4326                         let mut inputs_total_weight = 2; // count segwit flags
4327                         {
4328                                 let mut sighash_parts = sighash::SighashCache::new(&mut claim_tx);
4329                                 for (idx, inp) in inputs_weight.iter().enumerate() {
4330                                         sign_input!(sighash_parts, idx, 0, inp, sum_actual_sigs, opt_anchors);
4331                                         inputs_total_weight += inp;
4332                                 }
4333                         }
4334                         assert_eq!(base_weight + inputs_total_weight as usize, claim_tx.weight() + /* max_length_isg */ (73 * inputs_weight.len() - sum_actual_sigs));
4335                 }
4336         }
4337
4338         // Further testing is done in the ChannelManager integration tests.
4339 }