4438579657eecc74e6cf1cb9458b339c2db82292
[rust-lightning] / lightning / src / ln / chan_utils.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 //! Various utilities for building scripts and deriving keys related to channels. These are
11 //! largely of interest for those implementing chain::keysinterface::Sign message signing by hand.
12
13 use bitcoin::blockdata::script::{Script,Builder};
14 use bitcoin::blockdata::opcodes;
15 use bitcoin::blockdata::transaction::{TxIn,TxOut,OutPoint,Transaction, SigHashType};
16 use bitcoin::util::bip143;
17
18 use bitcoin::hashes::{Hash, HashEngine};
19 use bitcoin::hashes::sha256::Hash as Sha256;
20 use bitcoin::hashes::ripemd160::Hash as Ripemd160;
21 use bitcoin::hash_types::{Txid, PubkeyHash};
22
23 use ln::{PaymentHash, PaymentPreimage};
24 use ln::msgs::DecodeError;
25 use util::ser::{Readable, Writeable, Writer, MAX_BUF_SIZE};
26 use util::byte_utils;
27
28 use bitcoin::hash_types::WPubkeyHash;
29 use bitcoin::secp256k1::key::{SecretKey, PublicKey};
30 use bitcoin::secp256k1::{Secp256k1, Signature, Message};
31 use bitcoin::secp256k1::Error as SecpError;
32 use bitcoin::secp256k1;
33
34 use std::cmp;
35 use ln::chan_utils;
36 use util::transaction_utils::sort_outputs;
37 use ln::channel::INITIAL_COMMITMENT_NUMBER;
38 use std::io::Read;
39 use std::ops::Deref;
40 use chain;
41
42 // Maximum size of a serialized HTLCOutputInCommitment
43 const HTLC_OUTPUT_IN_COMMITMENT_SIZE: usize = 1 + 8 + 4 + 32 + 5;
44
45 pub(crate) const MAX_HTLCS: u16 = 483;
46
47 // This checks that the buffer size is greater than the maximum possible size for serialized HTLCS
48 const _EXCESS_BUFFER_SIZE: usize = MAX_BUF_SIZE - MAX_HTLCS as usize * HTLC_OUTPUT_IN_COMMITMENT_SIZE;
49
50 pub(super) const HTLC_SUCCESS_TX_WEIGHT: u64 = 703;
51 pub(super) const HTLC_TIMEOUT_TX_WEIGHT: u64 = 663;
52
53 #[derive(PartialEq)]
54 pub(crate) enum HTLCType {
55         AcceptedHTLC,
56         OfferedHTLC
57 }
58
59 impl HTLCType {
60         /// Check if a given tx witnessScript len matchs one of a pre-signed HTLC
61         pub(crate) fn scriptlen_to_htlctype(witness_script_len: usize) ->  Option<HTLCType> {
62                 if witness_script_len == 133 {
63                         Some(HTLCType::OfferedHTLC)
64                 } else if witness_script_len >= 136 && witness_script_len <= 139 {
65                         Some(HTLCType::AcceptedHTLC)
66                 } else {
67                         None
68                 }
69         }
70 }
71
72 // Various functions for key derivation and transaction creation for use within channels. Primarily
73 // used in Channel and ChannelMonitor.
74
75 /// Build the commitment secret from the seed and the commitment number
76 pub fn build_commitment_secret(commitment_seed: &[u8; 32], idx: u64) -> [u8; 32] {
77         let mut res: [u8; 32] = commitment_seed.clone();
78         for i in 0..48 {
79                 let bitpos = 47 - i;
80                 if idx & (1 << bitpos) == (1 << bitpos) {
81                         res[bitpos / 8] ^= 1 << (bitpos & 7);
82                         res = Sha256::hash(&res).into_inner();
83                 }
84         }
85         res
86 }
87
88 /// Implements the per-commitment secret storage scheme from
89 /// [BOLT 3](https://github.com/lightningnetwork/lightning-rfc/blob/dcbf8583976df087c79c3ce0b535311212e6812d/03-transactions.md#efficient-per-commitment-secret-storage).
90 ///
91 /// Allows us to keep track of all of the revocation secrets of counterarties in just 50*32 bytes
92 /// or so.
93 #[derive(Clone)]
94 pub(crate) struct CounterpartyCommitmentSecrets {
95         old_secrets: [([u8; 32], u64); 49],
96 }
97
98 impl PartialEq for CounterpartyCommitmentSecrets {
99         fn eq(&self, other: &Self) -> bool {
100                 for (&(ref secret, ref idx), &(ref o_secret, ref o_idx)) in self.old_secrets.iter().zip(other.old_secrets.iter()) {
101                         if secret != o_secret || idx != o_idx {
102                                 return false
103                         }
104                 }
105                 true
106         }
107 }
108
109 impl CounterpartyCommitmentSecrets {
110         pub(crate) fn new() -> Self {
111                 Self { old_secrets: [([0; 32], 1 << 48); 49], }
112         }
113
114         #[inline]
115         fn place_secret(idx: u64) -> u8 {
116                 for i in 0..48 {
117                         if idx & (1 << i) == (1 << i) {
118                                 return i
119                         }
120                 }
121                 48
122         }
123
124         pub(crate) fn get_min_seen_secret(&self) -> u64 {
125                 //TODO This can be optimized?
126                 let mut min = 1 << 48;
127                 for &(_, idx) in self.old_secrets.iter() {
128                         if idx < min {
129                                 min = idx;
130                         }
131                 }
132                 min
133         }
134
135         #[inline]
136         fn derive_secret(secret: [u8; 32], bits: u8, idx: u64) -> [u8; 32] {
137                 let mut res: [u8; 32] = secret;
138                 for i in 0..bits {
139                         let bitpos = bits - 1 - i;
140                         if idx & (1 << bitpos) == (1 << bitpos) {
141                                 res[(bitpos / 8) as usize] ^= 1 << (bitpos & 7);
142                                 res = Sha256::hash(&res).into_inner();
143                         }
144                 }
145                 res
146         }
147
148         pub(crate) fn provide_secret(&mut self, idx: u64, secret: [u8; 32]) -> Result<(), ()> {
149                 let pos = Self::place_secret(idx);
150                 for i in 0..pos {
151                         let (old_secret, old_idx) = self.old_secrets[i as usize];
152                         if Self::derive_secret(secret, pos, old_idx) != old_secret {
153                                 return Err(());
154                         }
155                 }
156                 if self.get_min_seen_secret() <= idx {
157                         return Ok(());
158                 }
159                 self.old_secrets[pos as usize] = (secret, idx);
160                 Ok(())
161         }
162
163         /// Can only fail if idx is < get_min_seen_secret
164         pub(crate) fn get_secret(&self, idx: u64) -> Option<[u8; 32]> {
165                 for i in 0..self.old_secrets.len() {
166                         if (idx & (!((1 << i) - 1))) == self.old_secrets[i].1 {
167                                 return Some(Self::derive_secret(self.old_secrets[i].0, i as u8, idx))
168                         }
169                 }
170                 assert!(idx < self.get_min_seen_secret());
171                 None
172         }
173 }
174
175 impl Writeable for CounterpartyCommitmentSecrets {
176         fn write<W: Writer>(&self, writer: &mut W) -> Result<(), ::std::io::Error> {
177                 for &(ref secret, ref idx) in self.old_secrets.iter() {
178                         writer.write_all(secret)?;
179                         writer.write_all(&byte_utils::be64_to_array(*idx))?;
180                 }
181                 Ok(())
182         }
183 }
184 impl Readable for CounterpartyCommitmentSecrets {
185         fn read<R: ::std::io::Read>(reader: &mut R) -> Result<Self, DecodeError> {
186                 let mut old_secrets = [([0; 32], 1 << 48); 49];
187                 for &mut (ref mut secret, ref mut idx) in old_secrets.iter_mut() {
188                         *secret = Readable::read(reader)?;
189                         *idx = Readable::read(reader)?;
190                 }
191
192                 Ok(Self { old_secrets })
193         }
194 }
195
196 /// Derives a per-commitment-transaction private key (eg an htlc key or delayed_payment key)
197 /// from the base secret and the per_commitment_point.
198 ///
199 /// Note that this is infallible iff we trust that at least one of the two input keys are randomly
200 /// generated (ie our own).
201 pub fn derive_private_key<T: secp256k1::Signing>(secp_ctx: &Secp256k1<T>, per_commitment_point: &PublicKey, base_secret: &SecretKey) -> Result<SecretKey, SecpError> {
202         let mut sha = Sha256::engine();
203         sha.input(&per_commitment_point.serialize());
204         sha.input(&PublicKey::from_secret_key(&secp_ctx, &base_secret).serialize());
205         let res = Sha256::from_engine(sha).into_inner();
206
207         let mut key = base_secret.clone();
208         key.add_assign(&res)?;
209         Ok(key)
210 }
211
212 /// Derives a per-commitment-transaction public key (eg an htlc key or a delayed_payment key)
213 /// from the base point and the per_commitment_key. This is the public equivalent of
214 /// derive_private_key - using only public keys to derive a public key instead of private keys.
215 ///
216 /// Note that this is infallible iff we trust that at least one of the two input keys are randomly
217 /// generated (ie our own).
218 pub fn derive_public_key<T: secp256k1::Signing>(secp_ctx: &Secp256k1<T>, per_commitment_point: &PublicKey, base_point: &PublicKey) -> Result<PublicKey, SecpError> {
219         let mut sha = Sha256::engine();
220         sha.input(&per_commitment_point.serialize());
221         sha.input(&base_point.serialize());
222         let res = Sha256::from_engine(sha).into_inner();
223
224         let hashkey = PublicKey::from_secret_key(&secp_ctx, &SecretKey::from_slice(&res)?);
225         base_point.combine(&hashkey)
226 }
227
228 /// Derives a per-commitment-transaction revocation key from its constituent parts.
229 ///
230 /// Only the cheating participant owns a valid witness to propagate a revoked 
231 /// commitment transaction, thus per_commitment_secret always come from cheater
232 /// and revocation_base_secret always come from punisher, which is the broadcaster
233 /// of the transaction spending with this key knowledge.
234 ///
235 /// Note that this is infallible iff we trust that at least one of the two input keys are randomly
236 /// generated (ie our own).
237 pub fn derive_private_revocation_key<T: secp256k1::Signing>(secp_ctx: &Secp256k1<T>, per_commitment_secret: &SecretKey, countersignatory_revocation_base_secret: &SecretKey) -> Result<SecretKey, SecpError> {
238         let countersignatory_revocation_base_point = PublicKey::from_secret_key(&secp_ctx, &countersignatory_revocation_base_secret);
239         let per_commitment_point = PublicKey::from_secret_key(&secp_ctx, &per_commitment_secret);
240
241         let rev_append_commit_hash_key = {
242                 let mut sha = Sha256::engine();
243                 sha.input(&countersignatory_revocation_base_point.serialize());
244                 sha.input(&per_commitment_point.serialize());
245
246                 Sha256::from_engine(sha).into_inner()
247         };
248         let commit_append_rev_hash_key = {
249                 let mut sha = Sha256::engine();
250                 sha.input(&per_commitment_point.serialize());
251                 sha.input(&countersignatory_revocation_base_point.serialize());
252
253                 Sha256::from_engine(sha).into_inner()
254         };
255
256         let mut countersignatory_contrib = countersignatory_revocation_base_secret.clone();
257         countersignatory_contrib.mul_assign(&rev_append_commit_hash_key)?;
258         let mut broadcaster_contrib = per_commitment_secret.clone();
259         broadcaster_contrib.mul_assign(&commit_append_rev_hash_key)?;
260         countersignatory_contrib.add_assign(&broadcaster_contrib[..])?;
261         Ok(countersignatory_contrib)
262 }
263
264 /// Derives a per-commitment-transaction revocation public key from its constituent parts. This is
265 /// the public equivalend of derive_private_revocation_key - using only public keys to derive a
266 /// public key instead of private keys.
267 ///
268 /// Only the cheating participant owns a valid witness to propagate a revoked 
269 /// commitment transaction, thus per_commitment_point always come from cheater
270 /// and revocation_base_point always come from punisher, which is the broadcaster
271 /// of the transaction spending with this key knowledge.
272 ///
273 /// Note that this is infallible iff we trust that at least one of the two input keys are randomly
274 /// generated (ie our own).
275 pub fn derive_public_revocation_key<T: secp256k1::Verification>(secp_ctx: &Secp256k1<T>, per_commitment_point: &PublicKey, countersignatory_revocation_base_point: &PublicKey) -> Result<PublicKey, SecpError> {
276         let rev_append_commit_hash_key = {
277                 let mut sha = Sha256::engine();
278                 sha.input(&countersignatory_revocation_base_point.serialize());
279                 sha.input(&per_commitment_point.serialize());
280
281                 Sha256::from_engine(sha).into_inner()
282         };
283         let commit_append_rev_hash_key = {
284                 let mut sha = Sha256::engine();
285                 sha.input(&per_commitment_point.serialize());
286                 sha.input(&countersignatory_revocation_base_point.serialize());
287
288                 Sha256::from_engine(sha).into_inner()
289         };
290
291         let mut countersignatory_contrib = countersignatory_revocation_base_point.clone();
292         countersignatory_contrib.mul_assign(&secp_ctx, &rev_append_commit_hash_key)?;
293         let mut broadcaster_contrib = per_commitment_point.clone();
294         broadcaster_contrib.mul_assign(&secp_ctx, &commit_append_rev_hash_key)?;
295         countersignatory_contrib.combine(&broadcaster_contrib)
296 }
297
298 /// The set of public keys which are used in the creation of one commitment transaction.
299 /// These are derived from the channel base keys and per-commitment data.
300 ///
301 /// A broadcaster key is provided from potential broadcaster of the computed transaction.
302 /// A countersignatory key is coming from a protocol participant unable to broadcast the
303 /// transaction.
304 ///
305 /// These keys are assumed to be good, either because the code derived them from
306 /// channel basepoints via the new function, or they were obtained via
307 /// CommitmentTransaction.trust().keys() because we trusted the source of the
308 /// pre-calculated keys.
309 #[derive(PartialEq, Clone)]
310 pub struct TxCreationKeys {
311         /// The broadcaster's per-commitment public key which was used to derive the other keys.
312         pub per_commitment_point: PublicKey,
313         /// The revocation key which is used to allow the broadcaster of the commitment
314         /// transaction to provide their counterparty the ability to punish them if they broadcast
315         /// an old state.
316         pub revocation_key: PublicKey,
317         /// Broadcaster's HTLC Key
318         pub broadcaster_htlc_key: PublicKey,
319         /// Countersignatory's HTLC Key
320         pub countersignatory_htlc_key: PublicKey,
321         /// Broadcaster's Payment Key (which isn't allowed to be spent from for some delay)
322         pub broadcaster_delayed_payment_key: PublicKey,
323 }
324
325 impl_writeable!(TxCreationKeys, 33*5,
326         { per_commitment_point, revocation_key, broadcaster_htlc_key, countersignatory_htlc_key, broadcaster_delayed_payment_key });
327
328 /// One counterparty's public keys which do not change over the life of a channel.
329 #[derive(Clone, PartialEq)]
330 pub struct ChannelPublicKeys {
331         /// The public key which is used to sign all commitment transactions, as it appears in the
332         /// on-chain channel lock-in 2-of-2 multisig output.
333         pub funding_pubkey: PublicKey,
334         /// The base point which is used (with derive_public_revocation_key) to derive per-commitment
335         /// revocation keys. This is combined with the per-commitment-secret generated by the
336         /// counterparty to create a secret which the counterparty can reveal to revoke previous
337         /// states.
338         pub revocation_basepoint: PublicKey,
339         /// The public key on which the non-broadcaster (ie the countersignatory) receives an immediately
340         /// spendable primary channel balance on the broadcaster's commitment transaction. This key is
341         /// static across every commitment transaction.
342         pub payment_point: PublicKey,
343         /// The base point which is used (with derive_public_key) to derive a per-commitment payment
344         /// public key which receives non-HTLC-encumbered funds which are only available for spending
345         /// after some delay (or can be claimed via the revocation path).
346         pub delayed_payment_basepoint: PublicKey,
347         /// The base point which is used (with derive_public_key) to derive a per-commitment public key
348         /// which is used to encumber HTLC-in-flight outputs.
349         pub htlc_basepoint: PublicKey,
350 }
351
352 impl_writeable!(ChannelPublicKeys, 33*5, {
353         funding_pubkey,
354         revocation_basepoint,
355         payment_point,
356         delayed_payment_basepoint,
357         htlc_basepoint
358 });
359
360
361 impl TxCreationKeys {
362         /// Create per-state keys from channel base points and the per-commitment point.
363         /// Key set is asymmetric and can't be used as part of counter-signatory set of transactions.
364         pub fn derive_new<T: secp256k1::Signing + secp256k1::Verification>(secp_ctx: &Secp256k1<T>, per_commitment_point: &PublicKey, broadcaster_delayed_payment_base: &PublicKey, broadcaster_htlc_base: &PublicKey, countersignatory_revocation_base: &PublicKey, countersignatory_htlc_base: &PublicKey) -> Result<TxCreationKeys, SecpError> {
365                 Ok(TxCreationKeys {
366                         per_commitment_point: per_commitment_point.clone(),
367                         revocation_key: derive_public_revocation_key(&secp_ctx, &per_commitment_point, &countersignatory_revocation_base)?,
368                         broadcaster_htlc_key: derive_public_key(&secp_ctx, &per_commitment_point, &broadcaster_htlc_base)?,
369                         countersignatory_htlc_key: derive_public_key(&secp_ctx, &per_commitment_point, &countersignatory_htlc_base)?,
370                         broadcaster_delayed_payment_key: derive_public_key(&secp_ctx, &per_commitment_point, &broadcaster_delayed_payment_base)?,
371                 })
372         }
373
374         /// Generate per-state keys from channel static keys.
375         /// Key set is asymmetric and can't be used as part of counter-signatory set of transactions.
376         pub fn from_channel_static_keys<T: secp256k1::Signing + secp256k1::Verification>(per_commitment_point: &PublicKey, broadcaster_keys: &ChannelPublicKeys, countersignatory_keys: &ChannelPublicKeys, secp_ctx: &Secp256k1<T>) -> Result<TxCreationKeys, SecpError> {
377                 TxCreationKeys::derive_new(
378                         &secp_ctx,
379                         &per_commitment_point,
380                         &broadcaster_keys.delayed_payment_basepoint,
381                         &broadcaster_keys.htlc_basepoint,
382                         &countersignatory_keys.revocation_basepoint,
383                         &countersignatory_keys.htlc_basepoint,
384                 )
385         }
386 }
387
388 /// The maximum length of a script returned by get_revokeable_redeemscript.
389 // Calculated as 6 bytes of opcodes, 1 byte push plus 2 bytes for contest_delay, and two public
390 // keys of 33 bytes (+ 1 push).
391 pub const REVOKEABLE_REDEEMSCRIPT_MAX_LENGTH: usize = 6 + 3 + 34*2;
392
393 /// A script either spendable by the revocation
394 /// key or the broadcaster_delayed_payment_key and satisfying the relative-locktime OP_CSV constrain.
395 /// Encumbering a `to_holder` output on a commitment transaction or 2nd-stage HTLC transactions.
396 pub fn get_revokeable_redeemscript(revocation_key: &PublicKey, contest_delay: u16, broadcaster_delayed_payment_key: &PublicKey) -> Script {
397         let res = Builder::new().push_opcode(opcodes::all::OP_IF)
398                       .push_slice(&revocation_key.serialize())
399                       .push_opcode(opcodes::all::OP_ELSE)
400                       .push_int(contest_delay as i64)
401                       .push_opcode(opcodes::all::OP_CSV)
402                       .push_opcode(opcodes::all::OP_DROP)
403                       .push_slice(&broadcaster_delayed_payment_key.serialize())
404                       .push_opcode(opcodes::all::OP_ENDIF)
405                       .push_opcode(opcodes::all::OP_CHECKSIG)
406                       .into_script();
407         debug_assert!(res.len() <= REVOKEABLE_REDEEMSCRIPT_MAX_LENGTH);
408         res
409 }
410
411 #[derive(Clone, PartialEq)]
412 /// Information about an HTLC as it appears in a commitment transaction
413 pub struct HTLCOutputInCommitment {
414         /// Whether the HTLC was "offered" (ie outbound in relation to this commitment transaction).
415         /// Note that this is not the same as whether it is ountbound *from us*. To determine that you
416         /// need to compare this value to whether the commitment transaction in question is that of
417         /// the counterparty or our own.
418         pub offered: bool,
419         /// The value, in msat, of the HTLC. The value as it appears in the commitment transaction is
420         /// this divided by 1000.
421         pub amount_msat: u64,
422         /// The CLTV lock-time at which this HTLC expires.
423         pub cltv_expiry: u32,
424         /// The hash of the preimage which unlocks this HTLC.
425         pub payment_hash: PaymentHash,
426         /// The position within the commitment transactions' outputs. This may be None if the value is
427         /// below the dust limit (in which case no output appears in the commitment transaction and the
428         /// value is spent to additional transaction fees).
429         pub transaction_output_index: Option<u32>,
430 }
431
432 impl_writeable_len_match!(HTLCOutputInCommitment, {
433                 { HTLCOutputInCommitment { transaction_output_index: None, .. }, HTLC_OUTPUT_IN_COMMITMENT_SIZE - 4 },
434                 { _, HTLC_OUTPUT_IN_COMMITMENT_SIZE }
435         }, {
436         offered,
437         amount_msat,
438         cltv_expiry,
439         payment_hash,
440         transaction_output_index
441 });
442
443 #[inline]
444 pub(crate) fn get_htlc_redeemscript_with_explicit_keys(htlc: &HTLCOutputInCommitment, broadcaster_htlc_key: &PublicKey, countersignatory_htlc_key: &PublicKey, revocation_key: &PublicKey) -> Script {
445         let payment_hash160 = Ripemd160::hash(&htlc.payment_hash.0[..]).into_inner();
446         if htlc.offered {
447                 Builder::new().push_opcode(opcodes::all::OP_DUP)
448                               .push_opcode(opcodes::all::OP_HASH160)
449                               .push_slice(&PubkeyHash::hash(&revocation_key.serialize())[..])
450                               .push_opcode(opcodes::all::OP_EQUAL)
451                               .push_opcode(opcodes::all::OP_IF)
452                               .push_opcode(opcodes::all::OP_CHECKSIG)
453                               .push_opcode(opcodes::all::OP_ELSE)
454                               .push_slice(&countersignatory_htlc_key.serialize()[..])
455                               .push_opcode(opcodes::all::OP_SWAP)
456                               .push_opcode(opcodes::all::OP_SIZE)
457                               .push_int(32)
458                               .push_opcode(opcodes::all::OP_EQUAL)
459                               .push_opcode(opcodes::all::OP_NOTIF)
460                               .push_opcode(opcodes::all::OP_DROP)
461                               .push_int(2)
462                               .push_opcode(opcodes::all::OP_SWAP)
463                               .push_slice(&broadcaster_htlc_key.serialize()[..])
464                               .push_int(2)
465                               .push_opcode(opcodes::all::OP_CHECKMULTISIG)
466                               .push_opcode(opcodes::all::OP_ELSE)
467                               .push_opcode(opcodes::all::OP_HASH160)
468                               .push_slice(&payment_hash160)
469                               .push_opcode(opcodes::all::OP_EQUALVERIFY)
470                               .push_opcode(opcodes::all::OP_CHECKSIG)
471                               .push_opcode(opcodes::all::OP_ENDIF)
472                               .push_opcode(opcodes::all::OP_ENDIF)
473                               .into_script()
474         } else {
475                 Builder::new().push_opcode(opcodes::all::OP_DUP)
476                               .push_opcode(opcodes::all::OP_HASH160)
477                               .push_slice(&PubkeyHash::hash(&revocation_key.serialize())[..])
478                               .push_opcode(opcodes::all::OP_EQUAL)
479                               .push_opcode(opcodes::all::OP_IF)
480                               .push_opcode(opcodes::all::OP_CHECKSIG)
481                               .push_opcode(opcodes::all::OP_ELSE)
482                               .push_slice(&countersignatory_htlc_key.serialize()[..])
483                               .push_opcode(opcodes::all::OP_SWAP)
484                               .push_opcode(opcodes::all::OP_SIZE)
485                               .push_int(32)
486                               .push_opcode(opcodes::all::OP_EQUAL)
487                               .push_opcode(opcodes::all::OP_IF)
488                               .push_opcode(opcodes::all::OP_HASH160)
489                               .push_slice(&payment_hash160)
490                               .push_opcode(opcodes::all::OP_EQUALVERIFY)
491                               .push_int(2)
492                               .push_opcode(opcodes::all::OP_SWAP)
493                               .push_slice(&broadcaster_htlc_key.serialize()[..])
494                               .push_int(2)
495                               .push_opcode(opcodes::all::OP_CHECKMULTISIG)
496                               .push_opcode(opcodes::all::OP_ELSE)
497                               .push_opcode(opcodes::all::OP_DROP)
498                               .push_int(htlc.cltv_expiry as i64)
499                               .push_opcode(opcodes::all::OP_CLTV)
500                               .push_opcode(opcodes::all::OP_DROP)
501                               .push_opcode(opcodes::all::OP_CHECKSIG)
502                               .push_opcode(opcodes::all::OP_ENDIF)
503                               .push_opcode(opcodes::all::OP_ENDIF)
504                               .into_script()
505         }
506 }
507
508 /// Gets the witness redeemscript for an HTLC output in a commitment transaction. Note that htlc
509 /// does not need to have its previous_output_index filled.
510 #[inline]
511 pub fn get_htlc_redeemscript(htlc: &HTLCOutputInCommitment, keys: &TxCreationKeys) -> Script {
512         get_htlc_redeemscript_with_explicit_keys(htlc, &keys.broadcaster_htlc_key, &keys.countersignatory_htlc_key, &keys.revocation_key)
513 }
514
515 /// Gets the redeemscript for a funding output from the two funding public keys.
516 /// Note that the order of funding public keys does not matter.
517 pub fn make_funding_redeemscript(broadcaster: &PublicKey, countersignatory: &PublicKey) -> Script {
518         let broadcaster_funding_key = broadcaster.serialize();
519         let countersignatory_funding_key = countersignatory.serialize();
520
521         let builder = Builder::new().push_opcode(opcodes::all::OP_PUSHNUM_2);
522         if broadcaster_funding_key[..] < countersignatory_funding_key[..] {
523                 builder.push_slice(&broadcaster_funding_key)
524                         .push_slice(&countersignatory_funding_key)
525         } else {
526                 builder.push_slice(&countersignatory_funding_key)
527                         .push_slice(&broadcaster_funding_key)
528         }.push_opcode(opcodes::all::OP_PUSHNUM_2).push_opcode(opcodes::all::OP_CHECKMULTISIG).into_script()
529 }
530
531 /// panics if htlc.transaction_output_index.is_none()!
532 pub fn build_htlc_transaction(prev_hash: &Txid, feerate_per_kw: u32, contest_delay: u16, htlc: &HTLCOutputInCommitment, broadcaster_delayed_payment_key: &PublicKey, revocation_key: &PublicKey) -> Transaction {
533         let mut txins: Vec<TxIn> = Vec::new();
534         txins.push(TxIn {
535                 previous_output: OutPoint {
536                         txid: prev_hash.clone(),
537                         vout: htlc.transaction_output_index.expect("Can't build an HTLC transaction for a dust output"),
538                 },
539                 script_sig: Script::new(),
540                 sequence: 0,
541                 witness: Vec::new(),
542         });
543
544         let total_fee = if htlc.offered {
545                         feerate_per_kw as u64 * HTLC_TIMEOUT_TX_WEIGHT / 1000
546                 } else {
547                         feerate_per_kw as u64 * HTLC_SUCCESS_TX_WEIGHT / 1000
548                 };
549
550         let mut txouts: Vec<TxOut> = Vec::new();
551         txouts.push(TxOut {
552                 script_pubkey: get_revokeable_redeemscript(revocation_key, contest_delay, broadcaster_delayed_payment_key).to_v0_p2wsh(),
553                 value: htlc.amount_msat / 1000 - total_fee //TODO: BOLT 3 does not specify if we should add amount_msat before dividing or if we should divide by 1000 before subtracting (as we do here)
554         });
555
556         Transaction {
557                 version: 2,
558                 lock_time: if htlc.offered { htlc.cltv_expiry } else { 0 },
559                 input: txins,
560                 output: txouts,
561         }
562 }
563
564 /// Per-channel data used to build transactions in conjunction with the per-commitment data (CommitmentTransaction).
565 /// The fields are organized by holder/counterparty.
566 ///
567 /// Normally, this is converted to the broadcaster/countersignatory-organized DirectedChannelTransactionParameters
568 /// before use, via the as_holder_broadcastable and as_counterparty_broadcastable functions.
569 #[derive(Clone)]
570 pub struct ChannelTransactionParameters {
571         /// Holder public keys
572         pub holder_pubkeys: ChannelPublicKeys,
573         /// The contest delay selected by the holder, which applies to counterparty-broadcast transactions
574         pub holder_selected_contest_delay: u16,
575         /// Whether the holder is the initiator of this channel.
576         /// This is an input to the commitment number obscure factor computation.
577         pub is_outbound_from_holder: bool,
578         /// The late-bound counterparty channel transaction parameters.
579         /// These parameters are populated at the point in the protocol where the counterparty provides them.
580         pub counterparty_parameters: Option<CounterpartyChannelTransactionParameters>,
581         /// The late-bound funding outpoint
582         pub funding_outpoint: Option<chain::transaction::OutPoint>,
583 }
584
585 /// Late-bound per-channel counterparty data used to build transactions.
586 #[derive(Clone)]
587 pub struct CounterpartyChannelTransactionParameters {
588         /// Counter-party public keys
589         pub pubkeys: ChannelPublicKeys,
590         /// The contest delay selected by the counterparty, which applies to holder-broadcast transactions
591         pub selected_contest_delay: u16,
592 }
593
594 impl ChannelTransactionParameters {
595         /// Whether the late bound parameters are populated.
596         pub fn is_populated(&self) -> bool {
597                 self.counterparty_parameters.is_some() && self.funding_outpoint.is_some()
598         }
599
600         /// Convert the holder/counterparty parameters to broadcaster/countersignatory-organized parameters,
601         /// given that the holder is the broadcaster.
602         ///
603         /// self.is_populated() must be true before calling this function.
604         pub fn as_holder_broadcastable(&self) -> DirectedChannelTransactionParameters {
605                 assert!(self.is_populated(), "self.late_parameters must be set before using as_holder_broadcastable");
606                 DirectedChannelTransactionParameters {
607                         inner: self,
608                         holder_is_broadcaster: true
609                 }
610         }
611
612         /// Convert the holder/counterparty parameters to broadcaster/countersignatory-organized parameters,
613         /// given that the counterparty is the broadcaster.
614         ///
615         /// self.is_populated() must be true before calling this function.
616         pub fn as_counterparty_broadcastable(&self) -> DirectedChannelTransactionParameters {
617                 assert!(self.is_populated(), "self.late_parameters must be set before using as_counterparty_broadcastable");
618                 DirectedChannelTransactionParameters {
619                         inner: self,
620                         holder_is_broadcaster: false
621                 }
622         }
623 }
624
625 impl_writeable!(CounterpartyChannelTransactionParameters, 0, {
626         pubkeys,
627         selected_contest_delay
628 });
629
630 impl_writeable!(ChannelTransactionParameters, 0, {
631         holder_pubkeys,
632         holder_selected_contest_delay,
633         is_outbound_from_holder,
634         counterparty_parameters,
635         funding_outpoint
636 });
637
638 /// Static channel fields used to build transactions given per-commitment fields, organized by
639 /// broadcaster/countersignatory.
640 ///
641 /// This is derived from the holder/counterparty-organized ChannelTransactionParameters via the
642 /// as_holder_broadcastable and as_counterparty_broadcastable functions.
643 pub struct DirectedChannelTransactionParameters<'a> {
644         /// The holder's channel static parameters
645         inner: &'a ChannelTransactionParameters,
646         /// Whether the holder is the broadcaster
647         holder_is_broadcaster: bool,
648 }
649
650 impl<'a> DirectedChannelTransactionParameters<'a> {
651         /// Get the channel pubkeys for the broadcaster
652         pub fn broadcaster_pubkeys(&self) -> &ChannelPublicKeys {
653                 if self.holder_is_broadcaster {
654                         &self.inner.holder_pubkeys
655                 } else {
656                         &self.inner.counterparty_parameters.as_ref().unwrap().pubkeys
657                 }
658         }
659
660         /// Get the channel pubkeys for the countersignatory
661         pub fn countersignatory_pubkeys(&self) -> &ChannelPublicKeys {
662                 if self.holder_is_broadcaster {
663                         &self.inner.counterparty_parameters.as_ref().unwrap().pubkeys
664                 } else {
665                         &self.inner.holder_pubkeys
666                 }
667         }
668
669         /// Get the contest delay applicable to the transactions.
670         /// Note that the contest delay was selected by the countersignatory.
671         pub fn contest_delay(&self) -> u16 {
672                 let counterparty_parameters = self.inner.counterparty_parameters.as_ref().unwrap();
673                 if self.holder_is_broadcaster { counterparty_parameters.selected_contest_delay } else { self.inner.holder_selected_contest_delay }
674         }
675
676         /// Whether the channel is outbound from the broadcaster.
677         ///
678         /// The boolean representing the side that initiated the channel is
679         /// an input to the commitment number obscure factor computation.
680         pub fn is_outbound(&self) -> bool {
681                 if self.holder_is_broadcaster { self.inner.is_outbound_from_holder } else { !self.inner.is_outbound_from_holder }
682         }
683
684         /// The funding outpoint
685         pub fn funding_outpoint(&self) -> OutPoint {
686                 self.inner.funding_outpoint.unwrap().into_bitcoin_outpoint()
687         }
688 }
689
690 /// Information needed to build and sign a holder's commitment transaction.
691 ///
692 /// The transaction is only signed once we are ready to broadcast.
693 #[derive(Clone)]
694 pub struct HolderCommitmentTransaction {
695         inner: CommitmentTransaction,
696         /// Our counterparty's signature for the transaction
697         pub counterparty_sig: Signature,
698         /// All non-dust counterparty HTLC signatures, in the order they appear in the transaction
699         pub counterparty_htlc_sigs: Vec<Signature>,
700         // Which order the signatures should go in when constructing the final commitment tx witness.
701         // The user should be able to reconstruct this themselves, so we don't bother to expose it.
702         holder_sig_first: bool,
703 }
704
705 impl Deref for HolderCommitmentTransaction {
706         type Target = CommitmentTransaction;
707
708         fn deref(&self) -> &Self::Target { &self.inner }
709 }
710
711 impl PartialEq for HolderCommitmentTransaction {
712         // We dont care whether we are signed in equality comparison
713         fn eq(&self, o: &Self) -> bool {
714                 self.inner == o.inner
715         }
716 }
717
718 impl_writeable!(HolderCommitmentTransaction, 0, {
719         inner, counterparty_sig, counterparty_htlc_sigs, holder_sig_first
720 });
721
722 impl HolderCommitmentTransaction {
723         #[cfg(test)]
724         pub fn dummy() -> Self {
725                 let secp_ctx = Secp256k1::new();
726                 let dummy_key = PublicKey::from_secret_key(&secp_ctx, &SecretKey::from_slice(&[42; 32]).unwrap());
727                 let dummy_sig = secp_ctx.sign(&secp256k1::Message::from_slice(&[42; 32]).unwrap(), &SecretKey::from_slice(&[42; 32]).unwrap());
728
729                 let keys = TxCreationKeys {
730                         per_commitment_point: dummy_key.clone(),
731                         revocation_key: dummy_key.clone(),
732                         broadcaster_htlc_key: dummy_key.clone(),
733                         countersignatory_htlc_key: dummy_key.clone(),
734                         broadcaster_delayed_payment_key: dummy_key.clone(),
735                 };
736                 let channel_pubkeys = ChannelPublicKeys {
737                         funding_pubkey: dummy_key.clone(),
738                         revocation_basepoint: dummy_key.clone(),
739                         payment_point: dummy_key.clone(),
740                         delayed_payment_basepoint: dummy_key.clone(),
741                         htlc_basepoint: dummy_key.clone()
742                 };
743                 let channel_parameters = ChannelTransactionParameters {
744                         holder_pubkeys: channel_pubkeys.clone(),
745                         holder_selected_contest_delay: 0,
746                         is_outbound_from_holder: false,
747                         counterparty_parameters: Some(CounterpartyChannelTransactionParameters { pubkeys: channel_pubkeys.clone(), selected_contest_delay: 0 }),
748                         funding_outpoint: Some(chain::transaction::OutPoint { txid: Default::default(), index: 0 })
749                 };
750                 let mut htlcs_with_aux: Vec<(_, ())> = Vec::new();
751                 let inner = CommitmentTransaction::new_with_auxiliary_htlc_data(0, 0, 0, keys, 0, &mut htlcs_with_aux, &channel_parameters.as_counterparty_broadcastable());
752                 HolderCommitmentTransaction {
753                         inner,
754                         counterparty_sig: dummy_sig,
755                         counterparty_htlc_sigs: Vec::new(),
756                         holder_sig_first: false
757                 }
758         }
759
760         /// Create a new holder transaction with the given counterparty signatures.
761         /// The funding keys are used to figure out which signature should go first when building the transaction for broadcast.
762         pub fn new(commitment_tx: CommitmentTransaction, counterparty_sig: Signature, counterparty_htlc_sigs: Vec<Signature>, holder_funding_key: &PublicKey, counterparty_funding_key: &PublicKey) -> Self {
763                 Self {
764                         inner: commitment_tx,
765                         counterparty_sig,
766                         counterparty_htlc_sigs,
767                         holder_sig_first: holder_funding_key.serialize()[..] < counterparty_funding_key.serialize()[..],
768                 }
769         }
770
771         pub(crate) fn add_holder_sig(&self, funding_redeemscript: &Script, holder_sig: Signature) -> Transaction {
772                 // First push the multisig dummy, note that due to BIP147 (NULLDUMMY) it must be a zero-length element.
773                 let mut tx = self.inner.built.transaction.clone();
774                 tx.input[0].witness.push(Vec::new());
775
776                 if self.holder_sig_first {
777                         tx.input[0].witness.push(holder_sig.serialize_der().to_vec());
778                         tx.input[0].witness.push(self.counterparty_sig.serialize_der().to_vec());
779                 } else {
780                         tx.input[0].witness.push(self.counterparty_sig.serialize_der().to_vec());
781                         tx.input[0].witness.push(holder_sig.serialize_der().to_vec());
782                 }
783                 tx.input[0].witness[1].push(SigHashType::All as u8);
784                 tx.input[0].witness[2].push(SigHashType::All as u8);
785
786                 tx.input[0].witness.push(funding_redeemscript.as_bytes().to_vec());
787                 tx
788         }
789 }
790
791 /// A pre-built Bitcoin commitment transaction and its txid.
792 #[derive(Clone)]
793 pub struct BuiltCommitmentTransaction {
794         /// The commitment transaction
795         pub transaction: Transaction,
796         /// The txid for the commitment transaction.
797         ///
798         /// This is provided as a performance optimization, instead of calling transaction.txid()
799         /// multiple times.
800         pub txid: Txid,
801 }
802
803 impl_writeable!(BuiltCommitmentTransaction, 0, { transaction, txid });
804
805 impl BuiltCommitmentTransaction {
806         /// Get the SIGHASH_ALL sighash value of the transaction.
807         ///
808         /// This can be used to verify a signature.
809         pub fn get_sighash_all(&self, funding_redeemscript: &Script, channel_value_satoshis: u64) -> Message {
810                 let sighash = &bip143::SigHashCache::new(&self.transaction).signature_hash(0, funding_redeemscript, channel_value_satoshis, SigHashType::All)[..];
811                 hash_to_message!(sighash)
812         }
813
814         /// Sign a transaction, either because we are counter-signing the counterparty's transaction or
815         /// because we are about to broadcast a holder transaction.
816         pub fn sign<T: secp256k1::Signing>(&self, funding_key: &SecretKey, funding_redeemscript: &Script, channel_value_satoshis: u64, secp_ctx: &Secp256k1<T>) -> Signature {
817                 let sighash = self.get_sighash_all(funding_redeemscript, channel_value_satoshis);
818                 secp_ctx.sign(&sighash, funding_key)
819         }
820 }
821
822 /// This class tracks the per-transaction information needed to build a commitment transaction and to
823 /// actually build it and sign.  It is used for holder transactions that we sign only when needed
824 /// and for transactions we sign for the counterparty.
825 ///
826 /// This class can be used inside a signer implementation to generate a signature given the relevant
827 /// secret key.
828 #[derive(Clone)]
829 pub struct CommitmentTransaction {
830         commitment_number: u64,
831         to_broadcaster_value_sat: u64,
832         to_countersignatory_value_sat: u64,
833         feerate_per_kw: u32,
834         htlcs: Vec<HTLCOutputInCommitment>,
835         // A cache of the parties' pubkeys required to construct the transaction, see doc for trust()
836         keys: TxCreationKeys,
837         // For access to the pre-built transaction, see doc for trust()
838         built: BuiltCommitmentTransaction,
839 }
840
841 impl PartialEq for CommitmentTransaction {
842         fn eq(&self, o: &Self) -> bool {
843                 let eq = self.commitment_number == o.commitment_number &&
844                         self.to_broadcaster_value_sat == o.to_broadcaster_value_sat &&
845                         self.to_countersignatory_value_sat == o.to_countersignatory_value_sat &&
846                         self.feerate_per_kw == o.feerate_per_kw &&
847                         self.htlcs == o.htlcs &&
848                         self.keys == o.keys;
849                 if eq {
850                         debug_assert_eq!(self.built.transaction, o.built.transaction);
851                         debug_assert_eq!(self.built.txid, o.built.txid);
852                 }
853                 eq
854         }
855 }
856
857 /// (C-not exported) as users never need to call this directly
858 impl Writeable for Vec<HTLCOutputInCommitment> {
859         #[inline]
860         fn write<W: Writer>(&self, w: &mut W) -> Result<(), ::std::io::Error> {
861                 (self.len() as u16).write(w)?;
862                 for e in self.iter() {
863                         e.write(w)?;
864                 }
865                 Ok(())
866         }
867 }
868
869 /// (C-not exported) as users never need to call this directly
870 impl Readable for Vec<HTLCOutputInCommitment> {
871         #[inline]
872         fn read<R: Read>(r: &mut R) -> Result<Self, DecodeError> {
873                 let len: u16 = Readable::read(r)?;
874                 let byte_size = (len as usize)
875                         .checked_mul(HTLC_OUTPUT_IN_COMMITMENT_SIZE)
876                         .ok_or(DecodeError::BadLengthDescriptor)?;
877                 if byte_size > MAX_BUF_SIZE {
878                         return Err(DecodeError::BadLengthDescriptor);
879                 }
880                 let mut ret = Vec::with_capacity(len as usize);
881                 for _ in 0..len { ret.push(HTLCOutputInCommitment::read(r)?); }
882                 Ok(ret)
883         }
884 }
885
886 impl_writeable!(CommitmentTransaction, 0, {
887         commitment_number,
888         to_broadcaster_value_sat,
889         to_countersignatory_value_sat,
890         feerate_per_kw,
891         htlcs,
892         keys,
893         built
894 });
895
896 impl CommitmentTransaction {
897         /// Construct an object of the class while assigning transaction output indices to HTLCs.
898         ///
899         /// Populates HTLCOutputInCommitment.transaction_output_index in htlcs_with_aux.
900         ///
901         /// The generic T allows the caller to match the HTLC output index with auxiliary data.
902         /// This auxiliary data is not stored in this object.
903         ///
904         /// Only include HTLCs that are above the dust limit for the channel.
905         ///
906         /// (C-not exported) due to the generic though we likely should expose a version without
907         pub fn new_with_auxiliary_htlc_data<T>(commitment_number: u64, to_broadcaster_value_sat: u64, to_countersignatory_value_sat: u64, keys: TxCreationKeys, feerate_per_kw: u32, htlcs_with_aux: &mut Vec<(HTLCOutputInCommitment, T)>, channel_parameters: &DirectedChannelTransactionParameters) -> CommitmentTransaction {
908                 // Sort outputs and populate output indices while keeping track of the auxiliary data
909                 let (outputs, htlcs) = Self::internal_build_outputs(&keys, to_broadcaster_value_sat, to_countersignatory_value_sat, htlcs_with_aux, channel_parameters).unwrap();
910
911                 let (obscured_commitment_transaction_number, txins) = Self::internal_build_inputs(commitment_number, channel_parameters);
912                 let transaction = Self::make_transaction(obscured_commitment_transaction_number, txins, outputs);
913                 let txid = transaction.txid();
914                 CommitmentTransaction {
915                         commitment_number,
916                         to_broadcaster_value_sat,
917                         to_countersignatory_value_sat,
918                         feerate_per_kw,
919                         htlcs,
920                         keys,
921                         built: BuiltCommitmentTransaction {
922                                 transaction,
923                                 txid
924                         },
925                 }
926         }
927
928         fn internal_rebuild_transaction(&self, keys: &TxCreationKeys, channel_parameters: &DirectedChannelTransactionParameters) -> Result<BuiltCommitmentTransaction, ()> {
929                 let (obscured_commitment_transaction_number, txins) = Self::internal_build_inputs(self.commitment_number, channel_parameters);
930
931                 let mut htlcs_with_aux = self.htlcs.iter().map(|h| (h.clone(), ())).collect();
932                 let (outputs, _) = Self::internal_build_outputs(keys, self.to_broadcaster_value_sat, self.to_countersignatory_value_sat, &mut htlcs_with_aux, channel_parameters)?;
933
934                 let transaction = Self::make_transaction(obscured_commitment_transaction_number, txins, outputs);
935                 let txid = transaction.txid();
936                 let built_transaction = BuiltCommitmentTransaction {
937                         transaction,
938                         txid
939                 };
940                 Ok(built_transaction)
941         }
942
943         fn make_transaction(obscured_commitment_transaction_number: u64, txins: Vec<TxIn>, outputs: Vec<TxOut>) -> Transaction {
944                 Transaction {
945                         version: 2,
946                         lock_time: ((0x20 as u32) << 8 * 3) | ((obscured_commitment_transaction_number & 0xffffffu64) as u32),
947                         input: txins,
948                         output: outputs,
949                 }
950         }
951
952         // This is used in two cases:
953         // - initial sorting of outputs / HTLCs in the constructor, in which case T is auxiliary data the
954         //   caller needs to have sorted together with the HTLCs so it can keep track of the output index
955         // - building of a bitcoin transaction during a verify() call, in which case T is just ()
956         fn internal_build_outputs<T>(keys: &TxCreationKeys, to_broadcaster_value_sat: u64, to_countersignatory_value_sat: u64, htlcs_with_aux: &mut Vec<(HTLCOutputInCommitment, T)>, channel_parameters: &DirectedChannelTransactionParameters) -> Result<(Vec<TxOut>, Vec<HTLCOutputInCommitment>), ()> {
957                 let countersignatory_pubkeys = channel_parameters.countersignatory_pubkeys();
958                 let contest_delay = channel_parameters.contest_delay();
959
960                 let mut txouts: Vec<(TxOut, Option<&mut HTLCOutputInCommitment>)> = Vec::new();
961
962                 if to_countersignatory_value_sat > 0 {
963                         let script = script_for_p2wpkh(&countersignatory_pubkeys.payment_point);
964                         txouts.push((
965                                 TxOut {
966                                         script_pubkey: script.clone(),
967                                         value: to_countersignatory_value_sat,
968                                 },
969                                 None,
970                         ))
971                 }
972
973                 if to_broadcaster_value_sat > 0 {
974                         let redeem_script = get_revokeable_redeemscript(
975                                 &keys.revocation_key,
976                                 contest_delay,
977                                 &keys.broadcaster_delayed_payment_key,
978                         );
979                         txouts.push((
980                                 TxOut {
981                                         script_pubkey: redeem_script.to_v0_p2wsh(),
982                                         value: to_broadcaster_value_sat,
983                                 },
984                                 None,
985                         ));
986                 }
987
988                 let mut htlcs = Vec::with_capacity(htlcs_with_aux.len());
989                 for (htlc, _) in htlcs_with_aux {
990                         let script = chan_utils::get_htlc_redeemscript(&htlc, &keys);
991                         let txout = TxOut {
992                                 script_pubkey: script.to_v0_p2wsh(),
993                                 value: htlc.amount_msat / 1000,
994                         };
995                         txouts.push((txout, Some(htlc)));
996                 }
997
998                 // Sort output in BIP-69 order (amount, scriptPubkey).  Tie-breaks based on HTLC
999                 // CLTV expiration height.
1000                 sort_outputs(&mut txouts, |a, b| {
1001                         if let &Some(ref a_htlcout) = a {
1002                                 if let &Some(ref b_htlcout) = b {
1003                                         a_htlcout.cltv_expiry.cmp(&b_htlcout.cltv_expiry)
1004                                                 // Note that due to hash collisions, we have to have a fallback comparison
1005                                                 // here for fuzztarget mode (otherwise at least chanmon_fail_consistency
1006                                                 // may fail)!
1007                                                 .then(a_htlcout.payment_hash.0.cmp(&b_htlcout.payment_hash.0))
1008                                 // For non-HTLC outputs, if they're copying our SPK we don't really care if we
1009                                 // close the channel due to mismatches - they're doing something dumb:
1010                                 } else { cmp::Ordering::Equal }
1011                         } else { cmp::Ordering::Equal }
1012                 });
1013
1014                 let mut outputs = Vec::with_capacity(txouts.len());
1015                 for (idx, out) in txouts.drain(..).enumerate() {
1016                         if let Some(htlc) = out.1 {
1017                                 htlc.transaction_output_index = Some(idx as u32);
1018                                 htlcs.push(htlc.clone());
1019                         }
1020                         outputs.push(out.0);
1021                 }
1022                 Ok((outputs, htlcs))
1023         }
1024
1025         fn internal_build_inputs(commitment_number: u64, channel_parameters: &DirectedChannelTransactionParameters) -> (u64, Vec<TxIn>) {
1026                 let broadcaster_pubkeys = channel_parameters.broadcaster_pubkeys();
1027                 let countersignatory_pubkeys = channel_parameters.countersignatory_pubkeys();
1028                 let commitment_transaction_number_obscure_factor = get_commitment_transaction_number_obscure_factor(
1029                         &broadcaster_pubkeys.payment_point,
1030                         &countersignatory_pubkeys.payment_point,
1031                         channel_parameters.is_outbound(),
1032                 );
1033
1034                 let obscured_commitment_transaction_number =
1035                         commitment_transaction_number_obscure_factor ^ (INITIAL_COMMITMENT_NUMBER - commitment_number);
1036
1037                 let txins = {
1038                         let mut ins: Vec<TxIn> = Vec::new();
1039                         ins.push(TxIn {
1040                                 previous_output: channel_parameters.funding_outpoint(),
1041                                 script_sig: Script::new(),
1042                                 sequence: ((0x80 as u32) << 8 * 3)
1043                                         | ((obscured_commitment_transaction_number >> 3 * 8) as u32),
1044                                 witness: Vec::new(),
1045                         });
1046                         ins
1047                 };
1048                 (obscured_commitment_transaction_number, txins)
1049         }
1050
1051         /// The backwards-counting commitment number
1052         pub fn commitment_number(&self) -> u64 {
1053                 self.commitment_number
1054         }
1055
1056         /// The value to be sent to the broadcaster
1057         pub fn to_broadcaster_value_sat(&self) -> u64 {
1058                 self.to_broadcaster_value_sat
1059         }
1060
1061         /// The value to be sent to the counterparty
1062         pub fn to_countersignatory_value_sat(&self) -> u64 {
1063                 self.to_countersignatory_value_sat
1064         }
1065
1066         /// The feerate paid per 1000-weight-unit in this commitment transaction.
1067         pub fn feerate_per_kw(&self) -> u32 {
1068                 self.feerate_per_kw
1069         }
1070
1071         /// The non-dust HTLCs (direction, amt, height expiration, hash, transaction output index)
1072         /// which were included in this commitment transaction in output order.
1073         /// The transaction index is always populated.
1074         ///
1075         /// (C-not exported) as we cannot currently convert Vec references to/from C, though we should
1076         /// expose a less effecient version which creates a Vec of references in the future.
1077         pub fn htlcs(&self) -> &Vec<HTLCOutputInCommitment> {
1078                 &self.htlcs
1079         }
1080
1081         /// Trust our pre-built transaction and derived transaction creation public keys.
1082         ///
1083         /// Applies a wrapper which allows access to these fields.
1084         ///
1085         /// This should only be used if you fully trust the builder of this object.  It should not
1086         ///     be used by an external signer - instead use the verify function.
1087         pub fn trust(&self) -> TrustedCommitmentTransaction {
1088                 TrustedCommitmentTransaction { inner: self }
1089         }
1090
1091         /// Verify our pre-built transaction and derived transaction creation public keys.
1092         ///
1093         /// Applies a wrapper which allows access to these fields.
1094         ///
1095         /// An external validating signer must call this method before signing
1096         /// or using the built transaction.
1097         pub fn verify<T: secp256k1::Signing + secp256k1::Verification>(&self, channel_parameters: &DirectedChannelTransactionParameters, broadcaster_keys: &ChannelPublicKeys, countersignatory_keys: &ChannelPublicKeys, secp_ctx: &Secp256k1<T>) -> Result<TrustedCommitmentTransaction, ()> {
1098                 // This is the only field of the key cache that we trust
1099                 let per_commitment_point = self.keys.per_commitment_point;
1100                 let keys = TxCreationKeys::from_channel_static_keys(&per_commitment_point, broadcaster_keys, countersignatory_keys, secp_ctx).unwrap();
1101                 if keys != self.keys {
1102                         return Err(());
1103                 }
1104                 let tx = self.internal_rebuild_transaction(&keys, channel_parameters)?;
1105                 if self.built.transaction != tx.transaction || self.built.txid != tx.txid {
1106                         return Err(());
1107                 }
1108                 Ok(TrustedCommitmentTransaction { inner: self })
1109         }
1110 }
1111
1112 /// A wrapper on CommitmentTransaction indicating that the derived fields (the built bitcoin
1113 /// transaction and the transaction creation keys) are trusted.
1114 ///
1115 /// See trust() and verify() functions on CommitmentTransaction.
1116 ///
1117 /// This structure implements Deref.
1118 pub struct TrustedCommitmentTransaction<'a> {
1119         inner: &'a CommitmentTransaction,
1120 }
1121
1122 impl<'a> Deref for TrustedCommitmentTransaction<'a> {
1123         type Target = CommitmentTransaction;
1124
1125         fn deref(&self) -> &Self::Target { self.inner }
1126 }
1127
1128 impl<'a> TrustedCommitmentTransaction<'a> {
1129         /// The transaction ID of the built Bitcoin transaction
1130         pub fn txid(&self) -> Txid {
1131                 self.inner.built.txid
1132         }
1133
1134         /// The pre-built Bitcoin commitment transaction
1135         pub fn built_transaction(&self) -> &BuiltCommitmentTransaction {
1136                 &self.inner.built
1137         }
1138
1139         /// The pre-calculated transaction creation public keys.
1140         pub fn keys(&self) -> &TxCreationKeys {
1141                 &self.inner.keys
1142         }
1143
1144         /// Get a signature for each HTLC which was included in the commitment transaction (ie for
1145         /// which HTLCOutputInCommitment::transaction_output_index.is_some()).
1146         ///
1147         /// The returned Vec has one entry for each HTLC, and in the same order.
1148         pub fn get_htlc_sigs<T: secp256k1::Signing>(&self, htlc_base_key: &SecretKey, channel_parameters: &DirectedChannelTransactionParameters, secp_ctx: &Secp256k1<T>) -> Result<Vec<Signature>, ()> {
1149                 let inner = self.inner;
1150                 let keys = &inner.keys;
1151                 let txid = inner.built.txid;
1152                 let mut ret = Vec::with_capacity(inner.htlcs.len());
1153                 let holder_htlc_key = derive_private_key(secp_ctx, &inner.keys.per_commitment_point, htlc_base_key).map_err(|_| ())?;
1154
1155                 for this_htlc in inner.htlcs.iter() {
1156                         assert!(this_htlc.transaction_output_index.is_some());
1157                         let htlc_tx = build_htlc_transaction(&txid, inner.feerate_per_kw, channel_parameters.contest_delay(), &this_htlc, &keys.broadcaster_delayed_payment_key, &keys.revocation_key);
1158
1159                         let htlc_redeemscript = get_htlc_redeemscript_with_explicit_keys(&this_htlc, &keys.broadcaster_htlc_key, &keys.countersignatory_htlc_key, &keys.revocation_key);
1160
1161                         let sighash = hash_to_message!(&bip143::SigHashCache::new(&htlc_tx).signature_hash(0, &htlc_redeemscript, this_htlc.amount_msat / 1000, SigHashType::All)[..]);
1162                         ret.push(secp_ctx.sign(&sighash, &holder_htlc_key));
1163                 }
1164                 Ok(ret)
1165         }
1166
1167         /// Gets a signed HTLC transaction given a preimage (for !htlc.offered) and the holder HTLC transaction signature.
1168         pub(crate) fn get_signed_htlc_tx(&self, channel_parameters: &DirectedChannelTransactionParameters, htlc_index: usize, counterparty_signature: &Signature, signature: &Signature, preimage: &Option<PaymentPreimage>) -> Transaction {
1169                 let inner = self.inner;
1170                 let keys = &inner.keys;
1171                 let txid = inner.built.txid;
1172                 let this_htlc = &inner.htlcs[htlc_index];
1173                 assert!(this_htlc.transaction_output_index.is_some());
1174                 // if we don't have preimage for an HTLC-Success, we can't generate an HTLC transaction.
1175                 if !this_htlc.offered && preimage.is_none() { unreachable!(); }
1176                 // Further, we should never be provided the preimage for an HTLC-Timeout transaction.
1177                 if  this_htlc.offered && preimage.is_some() { unreachable!(); }
1178
1179                 let mut htlc_tx = build_htlc_transaction(&txid, inner.feerate_per_kw, channel_parameters.contest_delay(), &this_htlc, &keys.broadcaster_delayed_payment_key, &keys.revocation_key);
1180
1181                 let htlc_redeemscript = get_htlc_redeemscript_with_explicit_keys(&this_htlc, &keys.broadcaster_htlc_key, &keys.countersignatory_htlc_key, &keys.revocation_key);
1182
1183                 // First push the multisig dummy, note that due to BIP147 (NULLDUMMY) it must be a zero-length element.
1184                 htlc_tx.input[0].witness.push(Vec::new());
1185
1186                 htlc_tx.input[0].witness.push(counterparty_signature.serialize_der().to_vec());
1187                 htlc_tx.input[0].witness.push(signature.serialize_der().to_vec());
1188                 htlc_tx.input[0].witness[1].push(SigHashType::All as u8);
1189                 htlc_tx.input[0].witness[2].push(SigHashType::All as u8);
1190
1191                 if this_htlc.offered {
1192                         // Due to BIP146 (MINIMALIF) this must be a zero-length element to relay.
1193                         htlc_tx.input[0].witness.push(Vec::new());
1194                 } else {
1195                         htlc_tx.input[0].witness.push(preimage.unwrap().0.to_vec());
1196                 }
1197
1198                 htlc_tx.input[0].witness.push(htlc_redeemscript.as_bytes().to_vec());
1199                 htlc_tx
1200         }
1201 }
1202
1203 /// Get the transaction number obscure factor
1204 pub fn get_commitment_transaction_number_obscure_factor(
1205         broadcaster_payment_basepoint: &PublicKey,
1206         countersignatory_payment_basepoint: &PublicKey,
1207         outbound_from_broadcaster: bool,
1208 ) -> u64 {
1209         let mut sha = Sha256::engine();
1210
1211         if outbound_from_broadcaster {
1212                 sha.input(&broadcaster_payment_basepoint.serialize());
1213                 sha.input(&countersignatory_payment_basepoint.serialize());
1214         } else {
1215                 sha.input(&countersignatory_payment_basepoint.serialize());
1216                 sha.input(&broadcaster_payment_basepoint.serialize());
1217         }
1218         let res = Sha256::from_engine(sha).into_inner();
1219
1220         ((res[26] as u64) << 5 * 8)
1221                 | ((res[27] as u64) << 4 * 8)
1222                 | ((res[28] as u64) << 3 * 8)
1223                 | ((res[29] as u64) << 2 * 8)
1224                 | ((res[30] as u64) << 1 * 8)
1225                 | ((res[31] as u64) << 0 * 8)
1226 }
1227
1228 fn script_for_p2wpkh(key: &PublicKey) -> Script {
1229         Builder::new().push_opcode(opcodes::all::OP_PUSHBYTES_0)
1230                 .push_slice(&WPubkeyHash::hash(&key.serialize())[..])
1231                 .into_script()
1232 }
1233
1234 #[cfg(test)]
1235 mod tests {
1236         use super::CounterpartyCommitmentSecrets;
1237         use hex;
1238
1239         #[test]
1240         fn test_per_commitment_storage() {
1241                 // Test vectors from BOLT 3:
1242                 let mut secrets: Vec<[u8; 32]> = Vec::new();
1243                 let mut monitor;
1244
1245                 macro_rules! test_secrets {
1246                         () => {
1247                                 let mut idx = 281474976710655;
1248                                 for secret in secrets.iter() {
1249                                         assert_eq!(monitor.get_secret(idx).unwrap(), *secret);
1250                                         idx -= 1;
1251                                 }
1252                                 assert_eq!(monitor.get_min_seen_secret(), idx + 1);
1253                                 assert!(monitor.get_secret(idx).is_none());
1254                         };
1255                 }
1256
1257                 {
1258                         // insert_secret correct sequence
1259                         monitor = CounterpartyCommitmentSecrets::new();
1260                         secrets.clear();
1261
1262                         secrets.push([0; 32]);
1263                         secrets.last_mut().unwrap()[0..32].clone_from_slice(&hex::decode("7cc854b54e3e0dcdb010d7a3fee464a9687be6e8db3be6854c475621e007a5dc").unwrap());
1264                         monitor.provide_secret(281474976710655, secrets.last().unwrap().clone()).unwrap();
1265                         test_secrets!();
1266
1267                         secrets.push([0; 32]);
1268                         secrets.last_mut().unwrap()[0..32].clone_from_slice(&hex::decode("c7518c8ae4660ed02894df8976fa1a3659c1a8b4b5bec0c4b872abeba4cb8964").unwrap());
1269                         monitor.provide_secret(281474976710654, secrets.last().unwrap().clone()).unwrap();
1270                         test_secrets!();
1271
1272                         secrets.push([0; 32]);
1273                         secrets.last_mut().unwrap()[0..32].clone_from_slice(&hex::decode("2273e227a5b7449b6e70f1fb4652864038b1cbf9cd7c043a7d6456b7fc275ad8").unwrap());
1274                         monitor.provide_secret(281474976710653, secrets.last().unwrap().clone()).unwrap();
1275                         test_secrets!();
1276
1277                         secrets.push([0; 32]);
1278                         secrets.last_mut().unwrap()[0..32].clone_from_slice(&hex::decode("27cddaa5624534cb6cb9d7da077cf2b22ab21e9b506fd4998a51d54502e99116").unwrap());
1279                         monitor.provide_secret(281474976710652, secrets.last().unwrap().clone()).unwrap();
1280                         test_secrets!();
1281
1282                         secrets.push([0; 32]);
1283                         secrets.last_mut().unwrap()[0..32].clone_from_slice(&hex::decode("c65716add7aa98ba7acb236352d665cab17345fe45b55fb879ff80e6bd0c41dd").unwrap());
1284                         monitor.provide_secret(281474976710651, secrets.last().unwrap().clone()).unwrap();
1285                         test_secrets!();
1286
1287                         secrets.push([0; 32]);
1288                         secrets.last_mut().unwrap()[0..32].clone_from_slice(&hex::decode("969660042a28f32d9be17344e09374b379962d03db1574df5a8a5a47e19ce3f2").unwrap());
1289                         monitor.provide_secret(281474976710650, secrets.last().unwrap().clone()).unwrap();
1290                         test_secrets!();
1291
1292                         secrets.push([0; 32]);
1293                         secrets.last_mut().unwrap()[0..32].clone_from_slice(&hex::decode("a5a64476122ca0925fb344bdc1854c1c0a59fc614298e50a33e331980a220f32").unwrap());
1294                         monitor.provide_secret(281474976710649, secrets.last().unwrap().clone()).unwrap();
1295                         test_secrets!();
1296
1297                         secrets.push([0; 32]);
1298                         secrets.last_mut().unwrap()[0..32].clone_from_slice(&hex::decode("05cde6323d949933f7f7b78776bcc1ea6d9b31447732e3802e1f7ac44b650e17").unwrap());
1299                         monitor.provide_secret(281474976710648, secrets.last().unwrap().clone()).unwrap();
1300                         test_secrets!();
1301                 }
1302
1303                 {
1304                         // insert_secret #1 incorrect
1305                         monitor = CounterpartyCommitmentSecrets::new();
1306                         secrets.clear();
1307
1308                         secrets.push([0; 32]);
1309                         secrets.last_mut().unwrap()[0..32].clone_from_slice(&hex::decode("02a40c85b6f28da08dfdbe0926c53fab2de6d28c10301f8f7c4073d5e42e3148").unwrap());
1310                         monitor.provide_secret(281474976710655, secrets.last().unwrap().clone()).unwrap();
1311                         test_secrets!();
1312
1313                         secrets.push([0; 32]);
1314                         secrets.last_mut().unwrap()[0..32].clone_from_slice(&hex::decode("c7518c8ae4660ed02894df8976fa1a3659c1a8b4b5bec0c4b872abeba4cb8964").unwrap());
1315                         assert!(monitor.provide_secret(281474976710654, secrets.last().unwrap().clone()).is_err());
1316                 }
1317
1318                 {
1319                         // insert_secret #2 incorrect (#1 derived from incorrect)
1320                         monitor = CounterpartyCommitmentSecrets::new();
1321                         secrets.clear();
1322
1323                         secrets.push([0; 32]);
1324                         secrets.last_mut().unwrap()[0..32].clone_from_slice(&hex::decode("02a40c85b6f28da08dfdbe0926c53fab2de6d28c10301f8f7c4073d5e42e3148").unwrap());
1325                         monitor.provide_secret(281474976710655, secrets.last().unwrap().clone()).unwrap();
1326                         test_secrets!();
1327
1328                         secrets.push([0; 32]);
1329                         secrets.last_mut().unwrap()[0..32].clone_from_slice(&hex::decode("dddc3a8d14fddf2b68fa8c7fbad2748274937479dd0f8930d5ebb4ab6bd866a3").unwrap());
1330                         monitor.provide_secret(281474976710654, secrets.last().unwrap().clone()).unwrap();
1331                         test_secrets!();
1332
1333                         secrets.push([0; 32]);
1334                         secrets.last_mut().unwrap()[0..32].clone_from_slice(&hex::decode("2273e227a5b7449b6e70f1fb4652864038b1cbf9cd7c043a7d6456b7fc275ad8").unwrap());
1335                         monitor.provide_secret(281474976710653, secrets.last().unwrap().clone()).unwrap();
1336                         test_secrets!();
1337
1338                         secrets.push([0; 32]);
1339                         secrets.last_mut().unwrap()[0..32].clone_from_slice(&hex::decode("27cddaa5624534cb6cb9d7da077cf2b22ab21e9b506fd4998a51d54502e99116").unwrap());
1340                         assert!(monitor.provide_secret(281474976710652, secrets.last().unwrap().clone()).is_err());
1341                 }
1342
1343                 {
1344                         // insert_secret #3 incorrect
1345                         monitor = CounterpartyCommitmentSecrets::new();
1346                         secrets.clear();
1347
1348                         secrets.push([0; 32]);
1349                         secrets.last_mut().unwrap()[0..32].clone_from_slice(&hex::decode("7cc854b54e3e0dcdb010d7a3fee464a9687be6e8db3be6854c475621e007a5dc").unwrap());
1350                         monitor.provide_secret(281474976710655, secrets.last().unwrap().clone()).unwrap();
1351                         test_secrets!();
1352
1353                         secrets.push([0; 32]);
1354                         secrets.last_mut().unwrap()[0..32].clone_from_slice(&hex::decode("c7518c8ae4660ed02894df8976fa1a3659c1a8b4b5bec0c4b872abeba4cb8964").unwrap());
1355                         monitor.provide_secret(281474976710654, secrets.last().unwrap().clone()).unwrap();
1356                         test_secrets!();
1357
1358                         secrets.push([0; 32]);
1359                         secrets.last_mut().unwrap()[0..32].clone_from_slice(&hex::decode("c51a18b13e8527e579ec56365482c62f180b7d5760b46e9477dae59e87ed423a").unwrap());
1360                         monitor.provide_secret(281474976710653, secrets.last().unwrap().clone()).unwrap();
1361                         test_secrets!();
1362
1363                         secrets.push([0; 32]);
1364                         secrets.last_mut().unwrap()[0..32].clone_from_slice(&hex::decode("27cddaa5624534cb6cb9d7da077cf2b22ab21e9b506fd4998a51d54502e99116").unwrap());
1365                         assert!(monitor.provide_secret(281474976710652, secrets.last().unwrap().clone()).is_err());
1366                 }
1367
1368                 {
1369                         // insert_secret #4 incorrect (1,2,3 derived from incorrect)
1370                         monitor = CounterpartyCommitmentSecrets::new();
1371                         secrets.clear();
1372
1373                         secrets.push([0; 32]);
1374                         secrets.last_mut().unwrap()[0..32].clone_from_slice(&hex::decode("02a40c85b6f28da08dfdbe0926c53fab2de6d28c10301f8f7c4073d5e42e3148").unwrap());
1375                         monitor.provide_secret(281474976710655, secrets.last().unwrap().clone()).unwrap();
1376                         test_secrets!();
1377
1378                         secrets.push([0; 32]);
1379                         secrets.last_mut().unwrap()[0..32].clone_from_slice(&hex::decode("dddc3a8d14fddf2b68fa8c7fbad2748274937479dd0f8930d5ebb4ab6bd866a3").unwrap());
1380                         monitor.provide_secret(281474976710654, secrets.last().unwrap().clone()).unwrap();
1381                         test_secrets!();
1382
1383                         secrets.push([0; 32]);
1384                         secrets.last_mut().unwrap()[0..32].clone_from_slice(&hex::decode("c51a18b13e8527e579ec56365482c62f180b7d5760b46e9477dae59e87ed423a").unwrap());
1385                         monitor.provide_secret(281474976710653, secrets.last().unwrap().clone()).unwrap();
1386                         test_secrets!();
1387
1388                         secrets.push([0; 32]);
1389                         secrets.last_mut().unwrap()[0..32].clone_from_slice(&hex::decode("ba65d7b0ef55a3ba300d4e87af29868f394f8f138d78a7011669c79b37b936f4").unwrap());
1390                         monitor.provide_secret(281474976710652, secrets.last().unwrap().clone()).unwrap();
1391                         test_secrets!();
1392
1393                         secrets.push([0; 32]);
1394                         secrets.last_mut().unwrap()[0..32].clone_from_slice(&hex::decode("c65716add7aa98ba7acb236352d665cab17345fe45b55fb879ff80e6bd0c41dd").unwrap());
1395                         monitor.provide_secret(281474976710651, secrets.last().unwrap().clone()).unwrap();
1396                         test_secrets!();
1397
1398                         secrets.push([0; 32]);
1399                         secrets.last_mut().unwrap()[0..32].clone_from_slice(&hex::decode("969660042a28f32d9be17344e09374b379962d03db1574df5a8a5a47e19ce3f2").unwrap());
1400                         monitor.provide_secret(281474976710650, secrets.last().unwrap().clone()).unwrap();
1401                         test_secrets!();
1402
1403                         secrets.push([0; 32]);
1404                         secrets.last_mut().unwrap()[0..32].clone_from_slice(&hex::decode("a5a64476122ca0925fb344bdc1854c1c0a59fc614298e50a33e331980a220f32").unwrap());
1405                         monitor.provide_secret(281474976710649, secrets.last().unwrap().clone()).unwrap();
1406                         test_secrets!();
1407
1408                         secrets.push([0; 32]);
1409                         secrets.last_mut().unwrap()[0..32].clone_from_slice(&hex::decode("05cde6323d949933f7f7b78776bcc1ea6d9b31447732e3802e1f7ac44b650e17").unwrap());
1410                         assert!(monitor.provide_secret(281474976710648, secrets.last().unwrap().clone()).is_err());
1411                 }
1412
1413                 {
1414                         // insert_secret #5 incorrect
1415                         monitor = CounterpartyCommitmentSecrets::new();
1416                         secrets.clear();
1417
1418                         secrets.push([0; 32]);
1419                         secrets.last_mut().unwrap()[0..32].clone_from_slice(&hex::decode("7cc854b54e3e0dcdb010d7a3fee464a9687be6e8db3be6854c475621e007a5dc").unwrap());
1420                         monitor.provide_secret(281474976710655, secrets.last().unwrap().clone()).unwrap();
1421                         test_secrets!();
1422
1423                         secrets.push([0; 32]);
1424                         secrets.last_mut().unwrap()[0..32].clone_from_slice(&hex::decode("c7518c8ae4660ed02894df8976fa1a3659c1a8b4b5bec0c4b872abeba4cb8964").unwrap());
1425                         monitor.provide_secret(281474976710654, secrets.last().unwrap().clone()).unwrap();
1426                         test_secrets!();
1427
1428                         secrets.push([0; 32]);
1429                         secrets.last_mut().unwrap()[0..32].clone_from_slice(&hex::decode("2273e227a5b7449b6e70f1fb4652864038b1cbf9cd7c043a7d6456b7fc275ad8").unwrap());
1430                         monitor.provide_secret(281474976710653, secrets.last().unwrap().clone()).unwrap();
1431                         test_secrets!();
1432
1433                         secrets.push([0; 32]);
1434                         secrets.last_mut().unwrap()[0..32].clone_from_slice(&hex::decode("27cddaa5624534cb6cb9d7da077cf2b22ab21e9b506fd4998a51d54502e99116").unwrap());
1435                         monitor.provide_secret(281474976710652, secrets.last().unwrap().clone()).unwrap();
1436                         test_secrets!();
1437
1438                         secrets.push([0; 32]);
1439                         secrets.last_mut().unwrap()[0..32].clone_from_slice(&hex::decode("631373ad5f9ef654bb3dade742d09504c567edd24320d2fcd68e3cc47e2ff6a6").unwrap());
1440                         monitor.provide_secret(281474976710651, secrets.last().unwrap().clone()).unwrap();
1441                         test_secrets!();
1442
1443                         secrets.push([0; 32]);
1444                         secrets.last_mut().unwrap()[0..32].clone_from_slice(&hex::decode("969660042a28f32d9be17344e09374b379962d03db1574df5a8a5a47e19ce3f2").unwrap());
1445                         assert!(monitor.provide_secret(281474976710650, secrets.last().unwrap().clone()).is_err());
1446                 }
1447
1448                 {
1449                         // insert_secret #6 incorrect (5 derived from incorrect)
1450                         monitor = CounterpartyCommitmentSecrets::new();
1451                         secrets.clear();
1452
1453                         secrets.push([0; 32]);
1454                         secrets.last_mut().unwrap()[0..32].clone_from_slice(&hex::decode("7cc854b54e3e0dcdb010d7a3fee464a9687be6e8db3be6854c475621e007a5dc").unwrap());
1455                         monitor.provide_secret(281474976710655, secrets.last().unwrap().clone()).unwrap();
1456                         test_secrets!();
1457
1458                         secrets.push([0; 32]);
1459                         secrets.last_mut().unwrap()[0..32].clone_from_slice(&hex::decode("c7518c8ae4660ed02894df8976fa1a3659c1a8b4b5bec0c4b872abeba4cb8964").unwrap());
1460                         monitor.provide_secret(281474976710654, secrets.last().unwrap().clone()).unwrap();
1461                         test_secrets!();
1462
1463                         secrets.push([0; 32]);
1464                         secrets.last_mut().unwrap()[0..32].clone_from_slice(&hex::decode("2273e227a5b7449b6e70f1fb4652864038b1cbf9cd7c043a7d6456b7fc275ad8").unwrap());
1465                         monitor.provide_secret(281474976710653, secrets.last().unwrap().clone()).unwrap();
1466                         test_secrets!();
1467
1468                         secrets.push([0; 32]);
1469                         secrets.last_mut().unwrap()[0..32].clone_from_slice(&hex::decode("27cddaa5624534cb6cb9d7da077cf2b22ab21e9b506fd4998a51d54502e99116").unwrap());
1470                         monitor.provide_secret(281474976710652, secrets.last().unwrap().clone()).unwrap();
1471                         test_secrets!();
1472
1473                         secrets.push([0; 32]);
1474                         secrets.last_mut().unwrap()[0..32].clone_from_slice(&hex::decode("631373ad5f9ef654bb3dade742d09504c567edd24320d2fcd68e3cc47e2ff6a6").unwrap());
1475                         monitor.provide_secret(281474976710651, secrets.last().unwrap().clone()).unwrap();
1476                         test_secrets!();
1477
1478                         secrets.push([0; 32]);
1479                         secrets.last_mut().unwrap()[0..32].clone_from_slice(&hex::decode("b7e76a83668bde38b373970155c868a653304308f9896692f904a23731224bb1").unwrap());
1480                         monitor.provide_secret(281474976710650, secrets.last().unwrap().clone()).unwrap();
1481                         test_secrets!();
1482
1483                         secrets.push([0; 32]);
1484                         secrets.last_mut().unwrap()[0..32].clone_from_slice(&hex::decode("a5a64476122ca0925fb344bdc1854c1c0a59fc614298e50a33e331980a220f32").unwrap());
1485                         monitor.provide_secret(281474976710649, secrets.last().unwrap().clone()).unwrap();
1486                         test_secrets!();
1487
1488                         secrets.push([0; 32]);
1489                         secrets.last_mut().unwrap()[0..32].clone_from_slice(&hex::decode("05cde6323d949933f7f7b78776bcc1ea6d9b31447732e3802e1f7ac44b650e17").unwrap());
1490                         assert!(monitor.provide_secret(281474976710648, secrets.last().unwrap().clone()).is_err());
1491                 }
1492
1493                 {
1494                         // insert_secret #7 incorrect
1495                         monitor = CounterpartyCommitmentSecrets::new();
1496                         secrets.clear();
1497
1498                         secrets.push([0; 32]);
1499                         secrets.last_mut().unwrap()[0..32].clone_from_slice(&hex::decode("7cc854b54e3e0dcdb010d7a3fee464a9687be6e8db3be6854c475621e007a5dc").unwrap());
1500                         monitor.provide_secret(281474976710655, secrets.last().unwrap().clone()).unwrap();
1501                         test_secrets!();
1502
1503                         secrets.push([0; 32]);
1504                         secrets.last_mut().unwrap()[0..32].clone_from_slice(&hex::decode("c7518c8ae4660ed02894df8976fa1a3659c1a8b4b5bec0c4b872abeba4cb8964").unwrap());
1505                         monitor.provide_secret(281474976710654, secrets.last().unwrap().clone()).unwrap();
1506                         test_secrets!();
1507
1508                         secrets.push([0; 32]);
1509                         secrets.last_mut().unwrap()[0..32].clone_from_slice(&hex::decode("2273e227a5b7449b6e70f1fb4652864038b1cbf9cd7c043a7d6456b7fc275ad8").unwrap());
1510                         monitor.provide_secret(281474976710653, secrets.last().unwrap().clone()).unwrap();
1511                         test_secrets!();
1512
1513                         secrets.push([0; 32]);
1514                         secrets.last_mut().unwrap()[0..32].clone_from_slice(&hex::decode("27cddaa5624534cb6cb9d7da077cf2b22ab21e9b506fd4998a51d54502e99116").unwrap());
1515                         monitor.provide_secret(281474976710652, secrets.last().unwrap().clone()).unwrap();
1516                         test_secrets!();
1517
1518                         secrets.push([0; 32]);
1519                         secrets.last_mut().unwrap()[0..32].clone_from_slice(&hex::decode("c65716add7aa98ba7acb236352d665cab17345fe45b55fb879ff80e6bd0c41dd").unwrap());
1520                         monitor.provide_secret(281474976710651, secrets.last().unwrap().clone()).unwrap();
1521                         test_secrets!();
1522
1523                         secrets.push([0; 32]);
1524                         secrets.last_mut().unwrap()[0..32].clone_from_slice(&hex::decode("969660042a28f32d9be17344e09374b379962d03db1574df5a8a5a47e19ce3f2").unwrap());
1525                         monitor.provide_secret(281474976710650, secrets.last().unwrap().clone()).unwrap();
1526                         test_secrets!();
1527
1528                         secrets.push([0; 32]);
1529                         secrets.last_mut().unwrap()[0..32].clone_from_slice(&hex::decode("e7971de736e01da8ed58b94c2fc216cb1dca9e326f3a96e7194fe8ea8af6c0a3").unwrap());
1530                         monitor.provide_secret(281474976710649, secrets.last().unwrap().clone()).unwrap();
1531                         test_secrets!();
1532
1533                         secrets.push([0; 32]);
1534                         secrets.last_mut().unwrap()[0..32].clone_from_slice(&hex::decode("05cde6323d949933f7f7b78776bcc1ea6d9b31447732e3802e1f7ac44b650e17").unwrap());
1535                         assert!(monitor.provide_secret(281474976710648, secrets.last().unwrap().clone()).is_err());
1536                 }
1537
1538                 {
1539                         // insert_secret #8 incorrect
1540                         monitor = CounterpartyCommitmentSecrets::new();
1541                         secrets.clear();
1542
1543                         secrets.push([0; 32]);
1544                         secrets.last_mut().unwrap()[0..32].clone_from_slice(&hex::decode("7cc854b54e3e0dcdb010d7a3fee464a9687be6e8db3be6854c475621e007a5dc").unwrap());
1545                         monitor.provide_secret(281474976710655, secrets.last().unwrap().clone()).unwrap();
1546                         test_secrets!();
1547
1548                         secrets.push([0; 32]);
1549                         secrets.last_mut().unwrap()[0..32].clone_from_slice(&hex::decode("c7518c8ae4660ed02894df8976fa1a3659c1a8b4b5bec0c4b872abeba4cb8964").unwrap());
1550                         monitor.provide_secret(281474976710654, secrets.last().unwrap().clone()).unwrap();
1551                         test_secrets!();
1552
1553                         secrets.push([0; 32]);
1554                         secrets.last_mut().unwrap()[0..32].clone_from_slice(&hex::decode("2273e227a5b7449b6e70f1fb4652864038b1cbf9cd7c043a7d6456b7fc275ad8").unwrap());
1555                         monitor.provide_secret(281474976710653, secrets.last().unwrap().clone()).unwrap();
1556                         test_secrets!();
1557
1558                         secrets.push([0; 32]);
1559                         secrets.last_mut().unwrap()[0..32].clone_from_slice(&hex::decode("27cddaa5624534cb6cb9d7da077cf2b22ab21e9b506fd4998a51d54502e99116").unwrap());
1560                         monitor.provide_secret(281474976710652, secrets.last().unwrap().clone()).unwrap();
1561                         test_secrets!();
1562
1563                         secrets.push([0; 32]);
1564                         secrets.last_mut().unwrap()[0..32].clone_from_slice(&hex::decode("c65716add7aa98ba7acb236352d665cab17345fe45b55fb879ff80e6bd0c41dd").unwrap());
1565                         monitor.provide_secret(281474976710651, secrets.last().unwrap().clone()).unwrap();
1566                         test_secrets!();
1567
1568                         secrets.push([0; 32]);
1569                         secrets.last_mut().unwrap()[0..32].clone_from_slice(&hex::decode("969660042a28f32d9be17344e09374b379962d03db1574df5a8a5a47e19ce3f2").unwrap());
1570                         monitor.provide_secret(281474976710650, secrets.last().unwrap().clone()).unwrap();
1571                         test_secrets!();
1572
1573                         secrets.push([0; 32]);
1574                         secrets.last_mut().unwrap()[0..32].clone_from_slice(&hex::decode("a5a64476122ca0925fb344bdc1854c1c0a59fc614298e50a33e331980a220f32").unwrap());
1575                         monitor.provide_secret(281474976710649, secrets.last().unwrap().clone()).unwrap();
1576                         test_secrets!();
1577
1578                         secrets.push([0; 32]);
1579                         secrets.last_mut().unwrap()[0..32].clone_from_slice(&hex::decode("a7efbc61aac46d34f77778bac22c8a20c6a46ca460addc49009bda875ec88fa4").unwrap());
1580                         assert!(monitor.provide_secret(281474976710648, secrets.last().unwrap().clone()).is_err());
1581                 }
1582         }
1583 }