BDR: Linearizing secp256k1 deps
[rust-lightning] / lightning / src / ln / channelmanager.rs
1 //! The top-level channel management and payment tracking stuff lives here.
2 //!
3 //! The ChannelManager is the main chunk of logic implementing the lightning protocol and is
4 //! responsible for tracking which channels are open, HTLCs are in flight and reestablishing those
5 //! upon reconnect to the relevant peer(s).
6 //!
7 //! It does not manage routing logic (see ln::router for that) nor does it manage constructing
8 //! on-chain transactions (it only monitors the chain to watch for any force-closes that might
9 //! imply it needs to fail HTLCs/payments/channels it manages).
10
11 use bitcoin::blockdata::block::BlockHeader;
12 use bitcoin::blockdata::transaction::Transaction;
13 use bitcoin::blockdata::constants::genesis_block;
14 use bitcoin::network::constants::Network;
15 use bitcoin::util::hash::BitcoinHash;
16
17 use bitcoin::hashes::{Hash, HashEngine};
18 use bitcoin::hashes::hmac::{Hmac, HmacEngine};
19 use bitcoin::hashes::sha256::Hash as Sha256;
20 use bitcoin::hashes::sha256d::Hash as Sha256dHash;
21 use bitcoin::hashes::cmp::fixed_time_eq;
22
23 use bitcoin::secp256k1::key::{SecretKey,PublicKey};
24 use bitcoin::secp256k1::Secp256k1;
25 use bitcoin::secp256k1::ecdh::SharedSecret;
26 use bitcoin::secp256k1;
27
28 use chain::chaininterface::{BroadcasterInterface,ChainListener,FeeEstimator};
29 use chain::transaction::OutPoint;
30 use ln::channel::{Channel, ChannelError};
31 use ln::channelmonitor::{ChannelMonitor, ChannelMonitorUpdate, ChannelMonitorUpdateErr, ManyChannelMonitor, HTLC_FAIL_BACK_BUFFER, CLTV_CLAIM_BUFFER, LATENCY_GRACE_PERIOD_BLOCKS, ANTI_REORG_DELAY};
32 use ln::features::{InitFeatures, NodeFeatures};
33 use ln::router::{Route, RouteHop};
34 use ln::msgs;
35 use ln::onion_utils;
36 use ln::msgs::{ChannelMessageHandler, DecodeError, LightningError};
37 use chain::keysinterface::{ChannelKeys, KeysInterface, KeysManager, InMemoryChannelKeys};
38 use util::config::UserConfig;
39 use util::{byte_utils, events};
40 use util::ser::{Readable, ReadableArgs, Writeable, Writer};
41 use util::chacha20::{ChaCha20, ChaChaReader};
42 use util::logger::Logger;
43 use util::errors::APIError;
44
45 use std::{cmp, mem};
46 use std::collections::{HashMap, hash_map, HashSet};
47 use std::io::{Cursor, Read};
48 use std::sync::{Arc, Mutex, MutexGuard, RwLock};
49 use std::sync::atomic::{AtomicUsize, Ordering};
50 use std::time::Duration;
51 use std::marker::{Sync, Send};
52 use std::ops::Deref;
53
54 // We hold various information about HTLC relay in the HTLC objects in Channel itself:
55 //
56 // Upon receipt of an HTLC from a peer, we'll give it a PendingHTLCStatus indicating if it should
57 // forward the HTLC with information it will give back to us when it does so, or if it should Fail
58 // the HTLC with the relevant message for the Channel to handle giving to the remote peer.
59 //
60 // Once said HTLC is committed in the Channel, if the PendingHTLCStatus indicated Forward, the
61 // Channel will return the PendingHTLCInfo back to us, and we will create an HTLCForwardInfo
62 // with it to track where it came from (in case of onwards-forward error), waiting a random delay
63 // before we forward it.
64 //
65 // We will then use HTLCForwardInfo's PendingHTLCInfo to construct an outbound HTLC, with a
66 // relevant HTLCSource::PreviousHopData filled in to indicate where it came from (which we can use
67 // to either fail-backwards or fulfill the HTLC backwards along the relevant path).
68 // Alternatively, we can fill an outbound HTLC with a HTLCSource::OutboundRoute indicating this is
69 // our payment, which we can use to decode errors or inform the user that the payment was sent.
70
71 #[derive(Clone)] // See Channel::revoke_and_ack for why, tl;dr: Rust bug
72 enum PendingHTLCRouting {
73         Forward {
74                 onion_packet: msgs::OnionPacket,
75                 short_channel_id: u64, // This should be NonZero<u64> eventually when we bump MSRV
76         },
77         Receive {
78                 payment_data: Option<msgs::FinalOnionHopData>,
79                 incoming_cltv_expiry: u32, // Used to track when we should expire pending HTLCs that go unclaimed
80         },
81 }
82
83 #[derive(Clone)] // See Channel::revoke_and_ack for why, tl;dr: Rust bug
84 pub(super) struct PendingHTLCInfo {
85         routing: PendingHTLCRouting,
86         incoming_shared_secret: [u8; 32],
87         payment_hash: PaymentHash,
88         pub(super) amt_to_forward: u64,
89         pub(super) outgoing_cltv_value: u32,
90 }
91
92 #[derive(Clone)] // See Channel::revoke_and_ack for why, tl;dr: Rust bug
93 pub(super) enum HTLCFailureMsg {
94         Relay(msgs::UpdateFailHTLC),
95         Malformed(msgs::UpdateFailMalformedHTLC),
96 }
97
98 /// Stores whether we can't forward an HTLC or relevant forwarding info
99 #[derive(Clone)] // See Channel::revoke_and_ack for why, tl;dr: Rust bug
100 pub(super) enum PendingHTLCStatus {
101         Forward(PendingHTLCInfo),
102         Fail(HTLCFailureMsg),
103 }
104
105 pub(super) enum HTLCForwardInfo {
106         AddHTLC {
107                 prev_short_channel_id: u64,
108                 prev_htlc_id: u64,
109                 forward_info: PendingHTLCInfo,
110         },
111         FailHTLC {
112                 htlc_id: u64,
113                 err_packet: msgs::OnionErrorPacket,
114         },
115 }
116
117 /// Tracks the inbound corresponding to an outbound HTLC
118 #[derive(Clone, PartialEq)]
119 pub(super) struct HTLCPreviousHopData {
120         short_channel_id: u64,
121         htlc_id: u64,
122         incoming_packet_shared_secret: [u8; 32],
123 }
124
125 struct ClaimableHTLC {
126         prev_hop: HTLCPreviousHopData,
127         value: u64,
128         /// Filled in when the HTLC was received with a payment_secret packet, which contains a
129         /// total_msat (which may differ from value if this is a Multi-Path Payment) and a
130         /// payment_secret which prevents path-probing attacks and can associate different HTLCs which
131         /// are part of the same payment.
132         payment_data: Option<msgs::FinalOnionHopData>,
133         cltv_expiry: u32,
134 }
135
136 /// Tracks the inbound corresponding to an outbound HTLC
137 #[derive(Clone, PartialEq)]
138 pub(super) enum HTLCSource {
139         PreviousHopData(HTLCPreviousHopData),
140         OutboundRoute {
141                 path: Vec<RouteHop>,
142                 session_priv: SecretKey,
143                 /// Technically we can recalculate this from the route, but we cache it here to avoid
144                 /// doing a double-pass on route when we get a failure back
145                 first_hop_htlc_msat: u64,
146         },
147 }
148 #[cfg(test)]
149 impl HTLCSource {
150         pub fn dummy() -> Self {
151                 HTLCSource::OutboundRoute {
152                         path: Vec::new(),
153                         session_priv: SecretKey::from_slice(&[1; 32]).unwrap(),
154                         first_hop_htlc_msat: 0,
155                 }
156         }
157 }
158
159 #[derive(Clone)] // See Channel::revoke_and_ack for why, tl;dr: Rust bug
160 pub(super) enum HTLCFailReason {
161         LightningError {
162                 err: msgs::OnionErrorPacket,
163         },
164         Reason {
165                 failure_code: u16,
166                 data: Vec<u8>,
167         }
168 }
169
170 /// payment_hash type, use to cross-lock hop
171 #[derive(Hash, Copy, Clone, PartialEq, Eq, Debug)]
172 pub struct PaymentHash(pub [u8;32]);
173 /// payment_preimage type, use to route payment between hop
174 #[derive(Hash, Copy, Clone, PartialEq, Eq, Debug)]
175 pub struct PaymentPreimage(pub [u8;32]);
176 /// payment_secret type, use to authenticate sender to the receiver and tie MPP HTLCs together
177 #[derive(Hash, Copy, Clone, PartialEq, Eq, Debug)]
178 pub struct PaymentSecret(pub [u8;32]);
179
180 type ShutdownResult = (Option<OutPoint>, ChannelMonitorUpdate, Vec<(HTLCSource, PaymentHash)>);
181
182 /// Error type returned across the channel_state mutex boundary. When an Err is generated for a
183 /// Channel, we generally end up with a ChannelError::Close for which we have to close the channel
184 /// immediately (ie with no further calls on it made). Thus, this step happens inside a
185 /// channel_state lock. We then return the set of things that need to be done outside the lock in
186 /// this struct and call handle_error!() on it.
187
188 struct MsgHandleErrInternal {
189         err: msgs::LightningError,
190         shutdown_finish: Option<(ShutdownResult, Option<msgs::ChannelUpdate>)>,
191 }
192 impl MsgHandleErrInternal {
193         #[inline]
194         fn send_err_msg_no_close(err: &'static str, channel_id: [u8; 32]) -> Self {
195                 Self {
196                         err: LightningError {
197                                 err,
198                                 action: msgs::ErrorAction::SendErrorMessage {
199                                         msg: msgs::ErrorMessage {
200                                                 channel_id,
201                                                 data: err.to_string()
202                                         },
203                                 },
204                         },
205                         shutdown_finish: None,
206                 }
207         }
208         #[inline]
209         fn ignore_no_close(err: &'static str) -> Self {
210                 Self {
211                         err: LightningError {
212                                 err,
213                                 action: msgs::ErrorAction::IgnoreError,
214                         },
215                         shutdown_finish: None,
216                 }
217         }
218         #[inline]
219         fn from_no_close(err: msgs::LightningError) -> Self {
220                 Self { err, shutdown_finish: None }
221         }
222         #[inline]
223         fn from_finish_shutdown(err: &'static str, channel_id: [u8; 32], shutdown_res: ShutdownResult, channel_update: Option<msgs::ChannelUpdate>) -> Self {
224                 Self {
225                         err: LightningError {
226                                 err,
227                                 action: msgs::ErrorAction::SendErrorMessage {
228                                         msg: msgs::ErrorMessage {
229                                                 channel_id,
230                                                 data: err.to_string()
231                                         },
232                                 },
233                         },
234                         shutdown_finish: Some((shutdown_res, channel_update)),
235                 }
236         }
237         #[inline]
238         fn from_chan_no_close(err: ChannelError, channel_id: [u8; 32]) -> Self {
239                 Self {
240                         err: match err {
241                                 ChannelError::Ignore(msg) => LightningError {
242                                         err: msg,
243                                         action: msgs::ErrorAction::IgnoreError,
244                                 },
245                                 ChannelError::Close(msg) => LightningError {
246                                         err: msg,
247                                         action: msgs::ErrorAction::SendErrorMessage {
248                                                 msg: msgs::ErrorMessage {
249                                                         channel_id,
250                                                         data: msg.to_string()
251                                                 },
252                                         },
253                                 },
254                                 ChannelError::CloseDelayBroadcast { msg, .. } => LightningError {
255                                         err: msg,
256                                         action: msgs::ErrorAction::SendErrorMessage {
257                                                 msg: msgs::ErrorMessage {
258                                                         channel_id,
259                                                         data: msg.to_string()
260                                                 },
261                                         },
262                                 },
263                         },
264                         shutdown_finish: None,
265                 }
266         }
267 }
268
269 /// We hold back HTLCs we intend to relay for a random interval greater than this (see
270 /// Event::PendingHTLCsForwardable for the API guidelines indicating how long should be waited).
271 /// This provides some limited amount of privacy. Ideally this would range from somewhere like one
272 /// second to 30 seconds, but people expect lightning to be, you know, kinda fast, sadly.
273 const MIN_HTLC_RELAY_HOLDING_CELL_MILLIS: u64 = 100;
274
275 /// For events which result in both a RevokeAndACK and a CommitmentUpdate, by default they should
276 /// be sent in the order they appear in the return value, however sometimes the order needs to be
277 /// variable at runtime (eg Channel::channel_reestablish needs to re-send messages in the order
278 /// they were originally sent). In those cases, this enum is also returned.
279 #[derive(Clone, PartialEq)]
280 pub(super) enum RAACommitmentOrder {
281         /// Send the CommitmentUpdate messages first
282         CommitmentFirst,
283         /// Send the RevokeAndACK message first
284         RevokeAndACKFirst,
285 }
286
287 // Note this is only exposed in cfg(test):
288 pub(super) struct ChannelHolder<ChanSigner: ChannelKeys> {
289         pub(super) by_id: HashMap<[u8; 32], Channel<ChanSigner>>,
290         pub(super) short_to_id: HashMap<u64, [u8; 32]>,
291         /// short channel id -> forward infos. Key of 0 means payments received
292         /// Note that while this is held in the same mutex as the channels themselves, no consistency
293         /// guarantees are made about the existence of a channel with the short id here, nor the short
294         /// ids in the PendingHTLCInfo!
295         pub(super) forward_htlcs: HashMap<u64, Vec<HTLCForwardInfo>>,
296         /// (payment_hash, payment_secret) -> Vec<HTLCs> for tracking HTLCs that
297         /// were to us and can be failed/claimed by the user
298         /// Note that while this is held in the same mutex as the channels themselves, no consistency
299         /// guarantees are made about the channels given here actually existing anymore by the time you
300         /// go to read them!
301         claimable_htlcs: HashMap<(PaymentHash, Option<PaymentSecret>), Vec<ClaimableHTLC>>,
302         /// Messages to send to peers - pushed to in the same lock that they are generated in (except
303         /// for broadcast messages, where ordering isn't as strict).
304         pub(super) pending_msg_events: Vec<events::MessageSendEvent>,
305 }
306
307 /// State we hold per-peer. In the future we should put channels in here, but for now we only hold
308 /// the latest Init features we heard from the peer.
309 struct PeerState {
310         latest_features: InitFeatures,
311 }
312
313 #[cfg(not(any(target_pointer_width = "32", target_pointer_width = "64")))]
314 const ERR: () = "You need at least 32 bit pointers (well, usize, but we'll assume they're the same) for ChannelManager::latest_block_height";
315
316 /// SimpleArcChannelManager is useful when you need a ChannelManager with a static lifetime, e.g.
317 /// when you're using lightning-net-tokio (since tokio::spawn requires parameters with static
318 /// lifetimes). Other times you can afford a reference, which is more efficient, in which case
319 /// SimpleRefChannelManager is the more appropriate type. Defining these type aliases prevents
320 /// issues such as overly long function definitions. Note that the ChannelManager can take any
321 /// type that implements KeysInterface for its keys manager, but this type alias chooses the
322 /// concrete type of the KeysManager.
323 pub type SimpleArcChannelManager<M, T, F> = Arc<ChannelManager<InMemoryChannelKeys, Arc<M>, Arc<T>, Arc<KeysManager>, Arc<F>>>;
324
325 /// SimpleRefChannelManager is a type alias for a ChannelManager reference, and is the reference
326 /// counterpart to the SimpleArcChannelManager type alias. Use this type by default when you don't
327 /// need a ChannelManager with a static lifetime. You'll need a static lifetime in cases such as
328 /// usage of lightning-net-tokio (since tokio::spawn requires parameters with static lifetimes).
329 /// But if this is not necessary, using a reference is more efficient. Defining these type aliases
330 /// helps with issues such as long function definitions. Note that the ChannelManager can take any
331 /// type that implements KeysInterface for its keys manager, but this type alias chooses the
332 /// concrete type of the KeysManager.
333 pub type SimpleRefChannelManager<'a, 'b, 'c, 'd, M, T, F> = ChannelManager<InMemoryChannelKeys, &'a M, &'b T, &'c KeysManager, &'d F>;
334
335 /// Manager which keeps track of a number of channels and sends messages to the appropriate
336 /// channel, also tracking HTLC preimages and forwarding onion packets appropriately.
337 ///
338 /// Implements ChannelMessageHandler, handling the multi-channel parts and passing things through
339 /// to individual Channels.
340 ///
341 /// Implements Writeable to write out all channel state to disk. Implies peer_disconnected() for
342 /// all peers during write/read (though does not modify this instance, only the instance being
343 /// serialized). This will result in any channels which have not yet exchanged funding_created (ie
344 /// called funding_transaction_generated for outbound channels).
345 ///
346 /// Note that you can be a bit lazier about writing out ChannelManager than you can be with
347 /// ChannelMonitors. With ChannelMonitors you MUST write each monitor update out to disk before
348 /// returning from ManyChannelMonitor::add_/update_monitor, with ChannelManagers, writing updates
349 /// happens out-of-band (and will prevent any other ChannelManager operations from occurring during
350 /// the serialization process). If the deserialized version is out-of-date compared to the
351 /// ChannelMonitors passed by reference to read(), those channels will be force-closed based on the
352 /// ChannelMonitor state and no funds will be lost (mod on-chain transaction fees).
353 ///
354 /// Note that the deserializer is only implemented for (Sha256dHash, ChannelManager), which
355 /// tells you the last block hash which was block_connect()ed. You MUST rescan any blocks along
356 /// the "reorg path" (ie call block_disconnected() until you get to a common block and then call
357 /// block_connected() to step towards your best block) upon deserialization before using the
358 /// object!
359 ///
360 /// Note that ChannelManager is responsible for tracking liveness of its channels and generating
361 /// ChannelUpdate messages informing peers that the channel is temporarily disabled. To avoid
362 /// spam due to quick disconnection/reconnection, updates are not sent until the channel has been
363 /// offline for a full minute. In order to track this, you must call
364 /// timer_chan_freshness_every_min roughly once per minute, though it doesn't have to be perfect.
365 ///
366 /// Rather than using a plain ChannelManager, it is preferable to use either a SimpleArcChannelManager
367 /// a SimpleRefChannelManager, for conciseness. See their documentation for more details, but
368 /// essentially you should default to using a SimpleRefChannelManager, and use a
369 /// SimpleArcChannelManager when you require a ChannelManager with a static lifetime, such as when
370 /// you're using lightning-net-tokio.
371 pub struct ChannelManager<ChanSigner: ChannelKeys, M: Deref, T: Deref, K: Deref, F: Deref>
372         where M::Target: ManyChannelMonitor<ChanSigner>,
373         T::Target: BroadcasterInterface,
374         K::Target: KeysInterface<ChanKeySigner = ChanSigner>,
375         F::Target: FeeEstimator,
376 {
377         default_configuration: UserConfig,
378         genesis_hash: Sha256dHash,
379         fee_estimator: F,
380         monitor: M,
381         tx_broadcaster: T,
382
383         #[cfg(test)]
384         pub(super) latest_block_height: AtomicUsize,
385         #[cfg(not(test))]
386         latest_block_height: AtomicUsize,
387         last_block_hash: Mutex<Sha256dHash>,
388         secp_ctx: Secp256k1<secp256k1::All>,
389
390         #[cfg(test)]
391         pub(super) channel_state: Mutex<ChannelHolder<ChanSigner>>,
392         #[cfg(not(test))]
393         channel_state: Mutex<ChannelHolder<ChanSigner>>,
394         our_network_key: SecretKey,
395
396         /// Used to track the last value sent in a node_announcement "timestamp" field. We ensure this
397         /// value increases strictly since we don't assume access to a time source.
398         last_node_announcement_serial: AtomicUsize,
399
400         /// The bulk of our storage will eventually be here (channels and message queues and the like).
401         /// If we are connected to a peer we always at least have an entry here, even if no channels
402         /// are currently open with that peer.
403         /// Because adding or removing an entry is rare, we usually take an outer read lock and then
404         /// operate on the inner value freely. Sadly, this prevents parallel operation when opening a
405         /// new channel.
406         per_peer_state: RwLock<HashMap<PublicKey, Mutex<PeerState>>>,
407
408         pending_events: Mutex<Vec<events::Event>>,
409         /// Used when we have to take a BIG lock to make sure everything is self-consistent.
410         /// Essentially just when we're serializing ourselves out.
411         /// Taken first everywhere where we are making changes before any other locks.
412         total_consistency_lock: RwLock<()>,
413
414         keys_manager: K,
415
416         logger: Arc<Logger>,
417 }
418
419 /// The amount of time we require our counterparty wait to claim their money (ie time between when
420 /// we, or our watchtower, must check for them having broadcast a theft transaction).
421 pub(crate) const BREAKDOWN_TIMEOUT: u16 = 6 * 24;
422 /// The amount of time we're willing to wait to claim money back to us
423 pub(crate) const MAX_LOCAL_BREAKDOWN_TIMEOUT: u16 = 6 * 24 * 7;
424
425 /// The minimum number of blocks between an inbound HTLC's CLTV and the corresponding outbound
426 /// HTLC's CLTV. This should always be a few blocks greater than channelmonitor::CLTV_CLAIM_BUFFER,
427 /// ie the node we forwarded the payment on to should always have enough room to reliably time out
428 /// the HTLC via a full update_fail_htlc/commitment_signed dance before we hit the
429 /// CLTV_CLAIM_BUFFER point (we static assert that it's at least 3 blocks more).
430 const CLTV_EXPIRY_DELTA: u16 = 6 * 12; //TODO?
431 pub(super) const CLTV_FAR_FAR_AWAY: u32 = 6 * 24 * 7; //TODO?
432
433 // Check that our CLTV_EXPIRY is at least CLTV_CLAIM_BUFFER + ANTI_REORG_DELAY + LATENCY_GRACE_PERIOD_BLOCKS,
434 // ie that if the next-hop peer fails the HTLC within
435 // LATENCY_GRACE_PERIOD_BLOCKS then we'll still have CLTV_CLAIM_BUFFER left to timeout it onchain,
436 // then waiting ANTI_REORG_DELAY to be reorg-safe on the outbound HLTC and
437 // failing the corresponding htlc backward, and us now seeing the last block of ANTI_REORG_DELAY before
438 // LATENCY_GRACE_PERIOD_BLOCKS.
439 #[deny(const_err)]
440 #[allow(dead_code)]
441 const CHECK_CLTV_EXPIRY_SANITY: u32 = CLTV_EXPIRY_DELTA as u32 - LATENCY_GRACE_PERIOD_BLOCKS - CLTV_CLAIM_BUFFER - ANTI_REORG_DELAY - LATENCY_GRACE_PERIOD_BLOCKS;
442
443 // Check for ability of an attacker to make us fail on-chain by delaying inbound claim. See
444 // ChannelMontior::would_broadcast_at_height for a description of why this is needed.
445 #[deny(const_err)]
446 #[allow(dead_code)]
447 const CHECK_CLTV_EXPIRY_SANITY_2: u32 = CLTV_EXPIRY_DELTA as u32 - LATENCY_GRACE_PERIOD_BLOCKS - 2*CLTV_CLAIM_BUFFER;
448
449 /// Details of a channel, as returned by ChannelManager::list_channels and ChannelManager::list_usable_channels
450 pub struct ChannelDetails {
451         /// The channel's ID (prior to funding transaction generation, this is a random 32 bytes,
452         /// thereafter this is the txid of the funding transaction xor the funding transaction output).
453         /// Note that this means this value is *not* persistent - it can change once during the
454         /// lifetime of the channel.
455         pub channel_id: [u8; 32],
456         /// The position of the funding transaction in the chain. None if the funding transaction has
457         /// not yet been confirmed and the channel fully opened.
458         pub short_channel_id: Option<u64>,
459         /// The node_id of our counterparty
460         pub remote_network_id: PublicKey,
461         /// The Features the channel counterparty provided upon last connection.
462         /// Useful for routing as it is the most up-to-date copy of the counterparty's features and
463         /// many routing-relevant features are present in the init context.
464         pub counterparty_features: InitFeatures,
465         /// The value, in satoshis, of this channel as appears in the funding output
466         pub channel_value_satoshis: u64,
467         /// The user_id passed in to create_channel, or 0 if the channel was inbound.
468         pub user_id: u64,
469         /// The available outbound capacity for sending HTLCs to the remote peer. This does not include
470         /// any pending HTLCs which are not yet fully resolved (and, thus, who's balance is not
471         /// available for inclusion in new outbound HTLCs). This further does not include any pending
472         /// outgoing HTLCs which are awaiting some other resolution to be sent.
473         pub outbound_capacity_msat: u64,
474         /// The available inbound capacity for the remote peer to send HTLCs to us. This does not
475         /// include any pending HTLCs which are not yet fully resolved (and, thus, who's balance is not
476         /// available for inclusion in new inbound HTLCs).
477         /// Note that there are some corner cases not fully handled here, so the actual available
478         /// inbound capacity may be slightly higher than this.
479         pub inbound_capacity_msat: u64,
480         /// True if the channel is (a) confirmed and funding_locked messages have been exchanged, (b)
481         /// the peer is connected, and (c) no monitor update failure is pending resolution.
482         pub is_live: bool,
483 }
484
485 /// If a payment fails to send, it can be in one of several states. This enum is returned as the
486 /// Err() type describing which state the payment is in, see the description of individual enum
487 /// states for more.
488 #[derive(Debug)]
489 pub enum PaymentSendFailure {
490         /// A parameter which was passed to send_payment was invalid, preventing us from attempting to
491         /// send the payment at all. No channel state has been changed or messages sent to peers, and
492         /// once you've changed the parameter at error, you can freely retry the payment in full.
493         ParameterError(APIError),
494         /// A parameter in a single path which was passed to send_payment was invalid, preventing us
495         /// from attempting to send the payment at all. No channel state has been changed or messages
496         /// sent to peers, and once you've changed the parameter at error, you can freely retry the
497         /// payment in full.
498         ///
499         /// The results here are ordered the same as the paths in the route object which was passed to
500         /// send_payment.
501         PathParameterError(Vec<Result<(), APIError>>),
502         /// All paths which were attempted failed to send, with no channel state change taking place.
503         /// You can freely retry the payment in full (though you probably want to do so over different
504         /// paths than the ones selected).
505         AllFailedRetrySafe(Vec<APIError>),
506         /// Some paths which were attempted failed to send, though possibly not all. At least some
507         /// paths have irrevocably committed to the HTLC and retrying the payment in full would result
508         /// in over-/re-payment.
509         ///
510         /// The results here are ordered the same as the paths in the route object which was passed to
511         /// send_payment, and any Errs which are not APIError::MonitorUpdateFailed can be safely
512         /// retried (though there is currently no API with which to do so).
513         ///
514         /// Any entries which contain Err(APIError::MonitorUpdateFailed) or Ok(()) MUST NOT be retried
515         /// as they will result in over-/re-payment. These HTLCs all either successfully sent (in the
516         /// case of Ok(())) or will send once channel_monitor_updated is called on the next-hop channel
517         /// with the latest update_id.
518         PartialFailure(Vec<Result<(), APIError>>),
519 }
520
521 macro_rules! handle_error {
522         ($self: ident, $internal: expr, $their_node_id: expr) => {
523                 match $internal {
524                         Ok(msg) => Ok(msg),
525                         Err(MsgHandleErrInternal { err, shutdown_finish }) => {
526                                 #[cfg(debug_assertions)]
527                                 {
528                                         // In testing, ensure there are no deadlocks where the lock is already held upon
529                                         // entering the macro.
530                                         assert!($self.channel_state.try_lock().is_ok());
531                                 }
532
533                                 let mut msg_events = Vec::with_capacity(2);
534
535                                 if let Some((shutdown_res, update_option)) = shutdown_finish {
536                                         $self.finish_force_close_channel(shutdown_res);
537                                         if let Some(update) = update_option {
538                                                 msg_events.push(events::MessageSendEvent::BroadcastChannelUpdate {
539                                                         msg: update
540                                                 });
541                                         }
542                                 }
543
544                                 log_error!($self, "{}", err.err);
545                                 if let msgs::ErrorAction::IgnoreError = err.action {
546                                 } else {
547                                         msg_events.push(events::MessageSendEvent::HandleError {
548                                                 node_id: $their_node_id,
549                                                 action: err.action.clone()
550                                         });
551                                 }
552
553                                 if !msg_events.is_empty() {
554                                         $self.channel_state.lock().unwrap().pending_msg_events.append(&mut msg_events);
555                                 }
556
557                                 // Return error in case higher-API need one
558                                 Err(err)
559                         },
560                 }
561         }
562 }
563
564 macro_rules! break_chan_entry {
565         ($self: ident, $res: expr, $channel_state: expr, $entry: expr) => {
566                 match $res {
567                         Ok(res) => res,
568                         Err(ChannelError::Ignore(msg)) => {
569                                 break Err(MsgHandleErrInternal::from_chan_no_close(ChannelError::Ignore(msg), $entry.key().clone()))
570                         },
571                         Err(ChannelError::Close(msg)) => {
572                                 log_trace!($self, "Closing channel {} due to Close-required error: {}", log_bytes!($entry.key()[..]), msg);
573                                 let (channel_id, mut chan) = $entry.remove_entry();
574                                 if let Some(short_id) = chan.get_short_channel_id() {
575                                         $channel_state.short_to_id.remove(&short_id);
576                                 }
577                                 break Err(MsgHandleErrInternal::from_finish_shutdown(msg, channel_id, chan.force_shutdown(true), $self.get_channel_update(&chan).ok())) },
578                         Err(ChannelError::CloseDelayBroadcast { .. }) => { panic!("Wait is only generated on receipt of channel_reestablish, which is handled by try_chan_entry, we don't bother to support it here"); }
579                 }
580         }
581 }
582
583 macro_rules! try_chan_entry {
584         ($self: ident, $res: expr, $channel_state: expr, $entry: expr) => {
585                 match $res {
586                         Ok(res) => res,
587                         Err(ChannelError::Ignore(msg)) => {
588                                 return Err(MsgHandleErrInternal::from_chan_no_close(ChannelError::Ignore(msg), $entry.key().clone()))
589                         },
590                         Err(ChannelError::Close(msg)) => {
591                                 log_trace!($self, "Closing channel {} due to Close-required error: {}", log_bytes!($entry.key()[..]), msg);
592                                 let (channel_id, mut chan) = $entry.remove_entry();
593                                 if let Some(short_id) = chan.get_short_channel_id() {
594                                         $channel_state.short_to_id.remove(&short_id);
595                                 }
596                                 return Err(MsgHandleErrInternal::from_finish_shutdown(msg, channel_id, chan.force_shutdown(true), $self.get_channel_update(&chan).ok()))
597                         },
598                         Err(ChannelError::CloseDelayBroadcast { msg, update }) => {
599                                 log_error!($self, "Channel {} need to be shutdown but closing transactions not broadcast due to {}", log_bytes!($entry.key()[..]), msg);
600                                 let (channel_id, mut chan) = $entry.remove_entry();
601                                 if let Some(short_id) = chan.get_short_channel_id() {
602                                         $channel_state.short_to_id.remove(&short_id);
603                                 }
604                                 if let Err(e) = $self.monitor.update_monitor(chan.get_funding_txo().unwrap(), update) {
605                                         match e {
606                                                 // Upstream channel is dead, but we want at least to fail backward HTLCs to save
607                                                 // downstream channels. In case of PermanentFailure, we are not going to be able
608                                                 // to claim back to_remote output on remote commitment transaction. Doesn't
609                                                 // make a difference here, we are concern about HTLCs circuit, not onchain funds.
610                                                 ChannelMonitorUpdateErr::PermanentFailure => {},
611                                                 ChannelMonitorUpdateErr::TemporaryFailure => {},
612                                         }
613                                 }
614                                 let shutdown_res = chan.force_shutdown(false);
615                                 return Err(MsgHandleErrInternal::from_finish_shutdown(msg, channel_id, shutdown_res, $self.get_channel_update(&chan).ok()))
616                         }
617                 }
618         }
619 }
620
621 macro_rules! handle_monitor_err {
622         ($self: ident, $err: expr, $channel_state: expr, $entry: expr, $action_type: path, $resend_raa: expr, $resend_commitment: expr) => {
623                 handle_monitor_err!($self, $err, $channel_state, $entry, $action_type, $resend_raa, $resend_commitment, Vec::new(), Vec::new())
624         };
625         ($self: ident, $err: expr, $channel_state: expr, $entry: expr, $action_type: path, $resend_raa: expr, $resend_commitment: expr, $failed_forwards: expr, $failed_fails: expr) => {
626                 match $err {
627                         ChannelMonitorUpdateErr::PermanentFailure => {
628                                 log_error!($self, "Closing channel {} due to monitor update PermanentFailure", log_bytes!($entry.key()[..]));
629                                 let (channel_id, mut chan) = $entry.remove_entry();
630                                 if let Some(short_id) = chan.get_short_channel_id() {
631                                         $channel_state.short_to_id.remove(&short_id);
632                                 }
633                                 // TODO: $failed_fails is dropped here, which will cause other channels to hit the
634                                 // chain in a confused state! We need to move them into the ChannelMonitor which
635                                 // will be responsible for failing backwards once things confirm on-chain.
636                                 // It's ok that we drop $failed_forwards here - at this point we'd rather they
637                                 // broadcast HTLC-Timeout and pay the associated fees to get their funds back than
638                                 // us bother trying to claim it just to forward on to another peer. If we're
639                                 // splitting hairs we'd prefer to claim payments that were to us, but we haven't
640                                 // given up the preimage yet, so might as well just wait until the payment is
641                                 // retried, avoiding the on-chain fees.
642                                 let res: Result<(), _> = Err(MsgHandleErrInternal::from_finish_shutdown("ChannelMonitor storage failure", channel_id, chan.force_shutdown(true), $self.get_channel_update(&chan).ok()));
643                                 res
644                         },
645                         ChannelMonitorUpdateErr::TemporaryFailure => {
646                                 log_info!($self, "Disabling channel {} due to monitor update TemporaryFailure. On restore will send {} and process {} forwards and {} fails",
647                                                 log_bytes!($entry.key()[..]),
648                                                 if $resend_commitment && $resend_raa {
649                                                                 match $action_type {
650                                                                         RAACommitmentOrder::CommitmentFirst => { "commitment then RAA" },
651                                                                         RAACommitmentOrder::RevokeAndACKFirst => { "RAA then commitment" },
652                                                                 }
653                                                         } else if $resend_commitment { "commitment" }
654                                                         else if $resend_raa { "RAA" }
655                                                         else { "nothing" },
656                                                 (&$failed_forwards as &Vec<(PendingHTLCInfo, u64)>).len(),
657                                                 (&$failed_fails as &Vec<(HTLCSource, PaymentHash, HTLCFailReason)>).len());
658                                 if !$resend_commitment {
659                                         debug_assert!($action_type == RAACommitmentOrder::RevokeAndACKFirst || !$resend_raa);
660                                 }
661                                 if !$resend_raa {
662                                         debug_assert!($action_type == RAACommitmentOrder::CommitmentFirst || !$resend_commitment);
663                                 }
664                                 $entry.get_mut().monitor_update_failed($resend_raa, $resend_commitment, $failed_forwards, $failed_fails);
665                                 Err(MsgHandleErrInternal::from_chan_no_close(ChannelError::Ignore("Failed to update ChannelMonitor"), *$entry.key()))
666                         },
667                 }
668         }
669 }
670
671 macro_rules! return_monitor_err {
672         ($self: ident, $err: expr, $channel_state: expr, $entry: expr, $action_type: path, $resend_raa: expr, $resend_commitment: expr) => {
673                 return handle_monitor_err!($self, $err, $channel_state, $entry, $action_type, $resend_raa, $resend_commitment);
674         };
675         ($self: ident, $err: expr, $channel_state: expr, $entry: expr, $action_type: path, $resend_raa: expr, $resend_commitment: expr, $failed_forwards: expr, $failed_fails: expr) => {
676                 return handle_monitor_err!($self, $err, $channel_state, $entry, $action_type, $resend_raa, $resend_commitment, $failed_forwards, $failed_fails);
677         }
678 }
679
680 // Does not break in case of TemporaryFailure!
681 macro_rules! maybe_break_monitor_err {
682         ($self: ident, $err: expr, $channel_state: expr, $entry: expr, $action_type: path, $resend_raa: expr, $resend_commitment: expr) => {
683                 match (handle_monitor_err!($self, $err, $channel_state, $entry, $action_type, $resend_raa, $resend_commitment), $err) {
684                         (e, ChannelMonitorUpdateErr::PermanentFailure) => {
685                                 break e;
686                         },
687                         (_, ChannelMonitorUpdateErr::TemporaryFailure) => { },
688                 }
689         }
690 }
691
692 impl<ChanSigner: ChannelKeys, M: Deref, T: Deref, K: Deref, F: Deref> ChannelManager<ChanSigner, M, T, K, F>
693         where M::Target: ManyChannelMonitor<ChanSigner>,
694         T::Target: BroadcasterInterface,
695         K::Target: KeysInterface<ChanKeySigner = ChanSigner>,
696         F::Target: FeeEstimator,
697 {
698         /// Constructs a new ChannelManager to hold several channels and route between them.
699         ///
700         /// This is the main "logic hub" for all channel-related actions, and implements
701         /// ChannelMessageHandler.
702         ///
703         /// Non-proportional fees are fixed according to our risk using the provided fee estimator.
704         ///
705         /// panics if channel_value_satoshis is >= `MAX_FUNDING_SATOSHIS`!
706         ///
707         /// Users must provide the current blockchain height from which to track onchain channel
708         /// funding outpoints and send payments with reliable timelocks.
709         ///
710         /// Users need to notify the new ChannelManager when a new block is connected or
711         /// disconnected using its `block_connected` and `block_disconnected` methods.
712         /// However, rather than calling these methods directly, the user should register
713         /// the ChannelManager as a listener to the BlockNotifier and call the BlockNotifier's
714         /// `block_(dis)connected` methods, which will notify all registered listeners in one
715         /// go.
716         pub fn new(network: Network, fee_est: F, monitor: M, tx_broadcaster: T, logger: Arc<Logger>, keys_manager: K, config: UserConfig, current_blockchain_height: usize) -> Result<ChannelManager<ChanSigner, M, T, K, F>, secp256k1::Error> {
717                 let secp_ctx = Secp256k1::new();
718
719                 let res = ChannelManager {
720                         default_configuration: config.clone(),
721                         genesis_hash: genesis_block(network).header.bitcoin_hash(),
722                         fee_estimator: fee_est,
723                         monitor,
724                         tx_broadcaster,
725
726                         latest_block_height: AtomicUsize::new(current_blockchain_height),
727                         last_block_hash: Mutex::new(Default::default()),
728                         secp_ctx,
729
730                         channel_state: Mutex::new(ChannelHolder{
731                                 by_id: HashMap::new(),
732                                 short_to_id: HashMap::new(),
733                                 forward_htlcs: HashMap::new(),
734                                 claimable_htlcs: HashMap::new(),
735                                 pending_msg_events: Vec::new(),
736                         }),
737                         our_network_key: keys_manager.get_node_secret(),
738
739                         last_node_announcement_serial: AtomicUsize::new(0),
740
741                         per_peer_state: RwLock::new(HashMap::new()),
742
743                         pending_events: Mutex::new(Vec::new()),
744                         total_consistency_lock: RwLock::new(()),
745
746                         keys_manager,
747
748                         logger,
749                 };
750
751                 Ok(res)
752         }
753
754         /// Creates a new outbound channel to the given remote node and with the given value.
755         ///
756         /// user_id will be provided back as user_channel_id in FundingGenerationReady and
757         /// FundingBroadcastSafe events to allow tracking of which events correspond with which
758         /// create_channel call. Note that user_channel_id defaults to 0 for inbound channels, so you
759         /// may wish to avoid using 0 for user_id here.
760         ///
761         /// If successful, will generate a SendOpenChannel message event, so you should probably poll
762         /// PeerManager::process_events afterwards.
763         ///
764         /// Raises APIError::APIMisuseError when channel_value_satoshis > 2**24 or push_msat is
765         /// greater than channel_value_satoshis * 1k or channel_value_satoshis is < 1000.
766         pub fn create_channel(&self, their_network_key: PublicKey, channel_value_satoshis: u64, push_msat: u64, user_id: u64, override_config: Option<UserConfig>) -> Result<(), APIError> {
767                 if channel_value_satoshis < 1000 {
768                         return Err(APIError::APIMisuseError { err: "channel_value must be at least 1000 satoshis" });
769                 }
770
771                 let config = if override_config.is_some() { override_config.as_ref().unwrap() } else { &self.default_configuration };
772                 let channel = Channel::new_outbound(&self.fee_estimator, &self.keys_manager, their_network_key, channel_value_satoshis, push_msat, user_id, Arc::clone(&self.logger), config)?;
773                 let res = channel.get_open_channel(self.genesis_hash.clone(), &self.fee_estimator);
774
775                 let _ = self.total_consistency_lock.read().unwrap();
776                 let mut channel_state = self.channel_state.lock().unwrap();
777                 match channel_state.by_id.entry(channel.channel_id()) {
778                         hash_map::Entry::Occupied(_) => {
779                                 if cfg!(feature = "fuzztarget") {
780                                         return Err(APIError::APIMisuseError { err: "Fuzzy bad RNG" });
781                                 } else {
782                                         panic!("RNG is bad???");
783                                 }
784                         },
785                         hash_map::Entry::Vacant(entry) => { entry.insert(channel); }
786                 }
787                 channel_state.pending_msg_events.push(events::MessageSendEvent::SendOpenChannel {
788                         node_id: their_network_key,
789                         msg: res,
790                 });
791                 Ok(())
792         }
793
794         fn list_channels_with_filter<Fn: FnMut(&(&[u8; 32], &Channel<ChanSigner>)) -> bool>(&self, f: Fn) -> Vec<ChannelDetails> {
795                 let mut res = Vec::new();
796                 {
797                         let channel_state = self.channel_state.lock().unwrap();
798                         res.reserve(channel_state.by_id.len());
799                         for (channel_id, channel) in channel_state.by_id.iter().filter(f) {
800                                 let (inbound_capacity_msat, outbound_capacity_msat) = channel.get_inbound_outbound_available_balance_msat();
801                                 res.push(ChannelDetails {
802                                         channel_id: (*channel_id).clone(),
803                                         short_channel_id: channel.get_short_channel_id(),
804                                         remote_network_id: channel.get_their_node_id(),
805                                         counterparty_features: InitFeatures::empty(),
806                                         channel_value_satoshis: channel.get_value_satoshis(),
807                                         inbound_capacity_msat,
808                                         outbound_capacity_msat,
809                                         user_id: channel.get_user_id(),
810                                         is_live: channel.is_live(),
811                                 });
812                         }
813                 }
814                 let per_peer_state = self.per_peer_state.read().unwrap();
815                 for chan in res.iter_mut() {
816                         if let Some(peer_state) = per_peer_state.get(&chan.remote_network_id) {
817                                 chan.counterparty_features = peer_state.lock().unwrap().latest_features.clone();
818                         }
819                 }
820                 res
821         }
822
823         /// Gets the list of open channels, in random order. See ChannelDetail field documentation for
824         /// more information.
825         pub fn list_channels(&self) -> Vec<ChannelDetails> {
826                 self.list_channels_with_filter(|_| true)
827         }
828
829         /// Gets the list of usable channels, in random order. Useful as an argument to
830         /// Router::get_route to ensure non-announced channels are used.
831         ///
832         /// These are guaranteed to have their is_live value set to true, see the documentation for
833         /// ChannelDetails::is_live for more info on exactly what the criteria are.
834         pub fn list_usable_channels(&self) -> Vec<ChannelDetails> {
835                 // Note we use is_live here instead of usable which leads to somewhat confused
836                 // internal/external nomenclature, but that's ok cause that's probably what the user
837                 // really wanted anyway.
838                 self.list_channels_with_filter(|&(_, ref channel)| channel.is_live())
839         }
840
841         /// Begins the process of closing a channel. After this call (plus some timeout), no new HTLCs
842         /// will be accepted on the given channel, and after additional timeout/the closing of all
843         /// pending HTLCs, the channel will be closed on chain.
844         ///
845         /// May generate a SendShutdown message event on success, which should be relayed.
846         pub fn close_channel(&self, channel_id: &[u8; 32]) -> Result<(), APIError> {
847                 let _ = self.total_consistency_lock.read().unwrap();
848
849                 let (mut failed_htlcs, chan_option) = {
850                         let mut channel_state_lock = self.channel_state.lock().unwrap();
851                         let channel_state = &mut *channel_state_lock;
852                         match channel_state.by_id.entry(channel_id.clone()) {
853                                 hash_map::Entry::Occupied(mut chan_entry) => {
854                                         let (shutdown_msg, failed_htlcs) = chan_entry.get_mut().get_shutdown()?;
855                                         channel_state.pending_msg_events.push(events::MessageSendEvent::SendShutdown {
856                                                 node_id: chan_entry.get().get_their_node_id(),
857                                                 msg: shutdown_msg
858                                         });
859                                         if chan_entry.get().is_shutdown() {
860                                                 if let Some(short_id) = chan_entry.get().get_short_channel_id() {
861                                                         channel_state.short_to_id.remove(&short_id);
862                                                 }
863                                                 (failed_htlcs, Some(chan_entry.remove_entry().1))
864                                         } else { (failed_htlcs, None) }
865                                 },
866                                 hash_map::Entry::Vacant(_) => return Err(APIError::ChannelUnavailable{err: "No such channel"})
867                         }
868                 };
869                 for htlc_source in failed_htlcs.drain(..) {
870                         self.fail_htlc_backwards_internal(self.channel_state.lock().unwrap(), htlc_source.0, &htlc_source.1, HTLCFailReason::Reason { failure_code: 0x4000 | 8, data: Vec::new() });
871                 }
872                 let chan_update = if let Some(chan) = chan_option {
873                         if let Ok(update) = self.get_channel_update(&chan) {
874                                 Some(update)
875                         } else { None }
876                 } else { None };
877
878                 if let Some(update) = chan_update {
879                         let mut channel_state = self.channel_state.lock().unwrap();
880                         channel_state.pending_msg_events.push(events::MessageSendEvent::BroadcastChannelUpdate {
881                                 msg: update
882                         });
883                 }
884
885                 Ok(())
886         }
887
888         #[inline]
889         fn finish_force_close_channel(&self, shutdown_res: ShutdownResult) {
890                 let (funding_txo_option, monitor_update, mut failed_htlcs) = shutdown_res;
891                 log_trace!(self, "Finishing force-closure of channel {} HTLCs to fail", failed_htlcs.len());
892                 for htlc_source in failed_htlcs.drain(..) {
893                         self.fail_htlc_backwards_internal(self.channel_state.lock().unwrap(), htlc_source.0, &htlc_source.1, HTLCFailReason::Reason { failure_code: 0x4000 | 8, data: Vec::new() });
894                 }
895                 if let Some(funding_txo) = funding_txo_option {
896                         // There isn't anything we can do if we get an update failure - we're already
897                         // force-closing. The monitor update on the required in-memory copy should broadcast
898                         // the latest local state, which is the best we can do anyway. Thus, it is safe to
899                         // ignore the result here.
900                         let _ = self.monitor.update_monitor(funding_txo, monitor_update);
901                 }
902         }
903
904         /// Force closes a channel, immediately broadcasting the latest local commitment transaction to
905         /// the chain and rejecting new HTLCs on the given channel.
906         pub fn force_close_channel(&self, channel_id: &[u8; 32]) {
907                 let _ = self.total_consistency_lock.read().unwrap();
908
909                 let mut chan = {
910                         let mut channel_state_lock = self.channel_state.lock().unwrap();
911                         let channel_state = &mut *channel_state_lock;
912                         if let Some(chan) = channel_state.by_id.remove(channel_id) {
913                                 if let Some(short_id) = chan.get_short_channel_id() {
914                                         channel_state.short_to_id.remove(&short_id);
915                                 }
916                                 chan
917                         } else {
918                                 return;
919                         }
920                 };
921                 log_trace!(self, "Force-closing channel {}", log_bytes!(channel_id[..]));
922                 self.finish_force_close_channel(chan.force_shutdown(true));
923                 if let Ok(update) = self.get_channel_update(&chan) {
924                         let mut channel_state = self.channel_state.lock().unwrap();
925                         channel_state.pending_msg_events.push(events::MessageSendEvent::BroadcastChannelUpdate {
926                                 msg: update
927                         });
928                 }
929         }
930
931         /// Force close all channels, immediately broadcasting the latest local commitment transaction
932         /// for each to the chain and rejecting new HTLCs on each.
933         pub fn force_close_all_channels(&self) {
934                 for chan in self.list_channels() {
935                         self.force_close_channel(&chan.channel_id);
936                 }
937         }
938
939         fn decode_update_add_htlc_onion(&self, msg: &msgs::UpdateAddHTLC) -> (PendingHTLCStatus, MutexGuard<ChannelHolder<ChanSigner>>) {
940                 macro_rules! return_malformed_err {
941                         ($msg: expr, $err_code: expr) => {
942                                 {
943                                         log_info!(self, "Failed to accept/forward incoming HTLC: {}", $msg);
944                                         return (PendingHTLCStatus::Fail(HTLCFailureMsg::Malformed(msgs::UpdateFailMalformedHTLC {
945                                                 channel_id: msg.channel_id,
946                                                 htlc_id: msg.htlc_id,
947                                                 sha256_of_onion: Sha256::hash(&msg.onion_routing_packet.hop_data).into_inner(),
948                                                 failure_code: $err_code,
949                                         })), self.channel_state.lock().unwrap());
950                                 }
951                         }
952                 }
953
954                 if let Err(_) = msg.onion_routing_packet.public_key {
955                         return_malformed_err!("invalid ephemeral pubkey", 0x8000 | 0x4000 | 6);
956                 }
957
958                 let shared_secret = {
959                         let mut arr = [0; 32];
960                         arr.copy_from_slice(&SharedSecret::new(&msg.onion_routing_packet.public_key.unwrap(), &self.our_network_key)[..]);
961                         arr
962                 };
963                 let (rho, mu) = onion_utils::gen_rho_mu_from_shared_secret(&shared_secret);
964
965                 if msg.onion_routing_packet.version != 0 {
966                         //TODO: Spec doesn't indicate if we should only hash hop_data here (and in other
967                         //sha256_of_onion error data packets), or the entire onion_routing_packet. Either way,
968                         //the hash doesn't really serve any purpose - in the case of hashing all data, the
969                         //receiving node would have to brute force to figure out which version was put in the
970                         //packet by the node that send us the message, in the case of hashing the hop_data, the
971                         //node knows the HMAC matched, so they already know what is there...
972                         return_malformed_err!("Unknown onion packet version", 0x8000 | 0x4000 | 4);
973                 }
974
975                 let mut hmac = HmacEngine::<Sha256>::new(&mu);
976                 hmac.input(&msg.onion_routing_packet.hop_data);
977                 hmac.input(&msg.payment_hash.0[..]);
978                 if !fixed_time_eq(&Hmac::from_engine(hmac).into_inner(), &msg.onion_routing_packet.hmac) {
979                         return_malformed_err!("HMAC Check failed", 0x8000 | 0x4000 | 5);
980                 }
981
982                 let mut channel_state = None;
983                 macro_rules! return_err {
984                         ($msg: expr, $err_code: expr, $data: expr) => {
985                                 {
986                                         log_info!(self, "Failed to accept/forward incoming HTLC: {}", $msg);
987                                         if channel_state.is_none() {
988                                                 channel_state = Some(self.channel_state.lock().unwrap());
989                                         }
990                                         return (PendingHTLCStatus::Fail(HTLCFailureMsg::Relay(msgs::UpdateFailHTLC {
991                                                 channel_id: msg.channel_id,
992                                                 htlc_id: msg.htlc_id,
993                                                 reason: onion_utils::build_first_hop_failure_packet(&shared_secret, $err_code, $data),
994                                         })), channel_state.unwrap());
995                                 }
996                         }
997                 }
998
999                 let mut chacha = ChaCha20::new(&rho, &[0u8; 8]);
1000                 let mut chacha_stream = ChaChaReader { chacha: &mut chacha, read: Cursor::new(&msg.onion_routing_packet.hop_data[..]) };
1001                 let (next_hop_data, next_hop_hmac) = {
1002                         match msgs::OnionHopData::read(&mut chacha_stream) {
1003                                 Err(err) => {
1004                                         let error_code = match err {
1005                                                 msgs::DecodeError::UnknownVersion => 0x4000 | 1, // unknown realm byte
1006                                                 msgs::DecodeError::UnknownRequiredFeature|
1007                                                 msgs::DecodeError::InvalidValue|
1008                                                 msgs::DecodeError::ShortRead => 0x4000 | 22, // invalid_onion_payload
1009                                                 _ => 0x2000 | 2, // Should never happen
1010                                         };
1011                                         return_err!("Unable to decode our hop data", error_code, &[0;0]);
1012                                 },
1013                                 Ok(msg) => {
1014                                         let mut hmac = [0; 32];
1015                                         if let Err(_) = chacha_stream.read_exact(&mut hmac[..]) {
1016                                                 return_err!("Unable to decode hop data", 0x4000 | 22, &[0;0]);
1017                                         }
1018                                         (msg, hmac)
1019                                 },
1020                         }
1021                 };
1022
1023                 let pending_forward_info = if next_hop_hmac == [0; 32] {
1024                                 #[cfg(test)]
1025                                 {
1026                                         // In tests, make sure that the initial onion pcket data is, at least, non-0.
1027                                         // We could do some fancy randomness test here, but, ehh, whatever.
1028                                         // This checks for the issue where you can calculate the path length given the
1029                                         // onion data as all the path entries that the originator sent will be here
1030                                         // as-is (and were originally 0s).
1031                                         // Of course reverse path calculation is still pretty easy given naive routing
1032                                         // algorithms, but this fixes the most-obvious case.
1033                                         let mut next_bytes = [0; 32];
1034                                         chacha_stream.read_exact(&mut next_bytes).unwrap();
1035                                         assert_ne!(next_bytes[..], [0; 32][..]);
1036                                         chacha_stream.read_exact(&mut next_bytes).unwrap();
1037                                         assert_ne!(next_bytes[..], [0; 32][..]);
1038                                 }
1039
1040                                 // OUR PAYMENT!
1041                                 // final_expiry_too_soon
1042                                 // We have to have some headroom to broadcast on chain if we have the preimage, so make sure we have at least
1043                                 // HTLC_FAIL_BACK_BUFFER blocks to go.
1044                                 // Also, ensure that, in the case of an unknown payment hash, our payment logic has enough time to fail the HTLC backward
1045                                 // before our onchain logic triggers a channel closure (see HTLC_FAIL_BACK_BUFFER rational).
1046                                 if (msg.cltv_expiry as u64) <= self.latest_block_height.load(Ordering::Acquire) as u64 + HTLC_FAIL_BACK_BUFFER as u64 + 1 {
1047                                         return_err!("The final CLTV expiry is too soon to handle", 17, &[0;0]);
1048                                 }
1049                                 // final_incorrect_htlc_amount
1050                                 if next_hop_data.amt_to_forward > msg.amount_msat {
1051                                         return_err!("Upstream node sent less than we were supposed to receive in payment", 19, &byte_utils::be64_to_array(msg.amount_msat));
1052                                 }
1053                                 // final_incorrect_cltv_expiry
1054                                 if next_hop_data.outgoing_cltv_value != msg.cltv_expiry {
1055                                         return_err!("Upstream node set CLTV to the wrong value", 18, &byte_utils::be32_to_array(msg.cltv_expiry));
1056                                 }
1057
1058                                 let payment_data = match next_hop_data.format {
1059                                         msgs::OnionHopDataFormat::Legacy { .. } => None,
1060                                         msgs::OnionHopDataFormat::NonFinalNode { .. } => return_err!("Got non final data with an HMAC of 0", 0x4000 | 22, &[0;0]),
1061                                         msgs::OnionHopDataFormat::FinalNode { payment_data } => payment_data,
1062                                 };
1063
1064                                 // Note that we could obviously respond immediately with an update_fulfill_htlc
1065                                 // message, however that would leak that we are the recipient of this payment, so
1066                                 // instead we stay symmetric with the forwarding case, only responding (after a
1067                                 // delay) once they've send us a commitment_signed!
1068
1069                                 PendingHTLCStatus::Forward(PendingHTLCInfo {
1070                                         routing: PendingHTLCRouting::Receive {
1071                                                 payment_data,
1072                                                 incoming_cltv_expiry: msg.cltv_expiry,
1073                                         },
1074                                         payment_hash: msg.payment_hash.clone(),
1075                                         incoming_shared_secret: shared_secret,
1076                                         amt_to_forward: next_hop_data.amt_to_forward,
1077                                         outgoing_cltv_value: next_hop_data.outgoing_cltv_value,
1078                                 })
1079                         } else {
1080                                 let mut new_packet_data = [0; 20*65];
1081                                 let read_pos = chacha_stream.read(&mut new_packet_data).unwrap();
1082                                 #[cfg(debug_assertions)]
1083                                 {
1084                                         // Check two things:
1085                                         // a) that the behavior of our stream here will return Ok(0) even if the TLV
1086                                         //    read above emptied out our buffer and the unwrap() wont needlessly panic
1087                                         // b) that we didn't somehow magically end up with extra data.
1088                                         let mut t = [0; 1];
1089                                         debug_assert!(chacha_stream.read(&mut t).unwrap() == 0);
1090                                 }
1091                                 // Once we've emptied the set of bytes our peer gave us, encrypt 0 bytes until we
1092                                 // fill the onion hop data we'll forward to our next-hop peer.
1093                                 chacha_stream.chacha.process_in_place(&mut new_packet_data[read_pos..]);
1094
1095                                 let mut new_pubkey = msg.onion_routing_packet.public_key.unwrap();
1096
1097                                 let blinding_factor = {
1098                                         let mut sha = Sha256::engine();
1099                                         sha.input(&new_pubkey.serialize()[..]);
1100                                         sha.input(&shared_secret);
1101                                         Sha256::from_engine(sha).into_inner()
1102                                 };
1103
1104                                 let public_key = if let Err(e) = new_pubkey.mul_assign(&self.secp_ctx, &blinding_factor[..]) {
1105                                         Err(e)
1106                                 } else { Ok(new_pubkey) };
1107
1108                                 let outgoing_packet = msgs::OnionPacket {
1109                                         version: 0,
1110                                         public_key,
1111                                         hop_data: new_packet_data,
1112                                         hmac: next_hop_hmac.clone(),
1113                                 };
1114
1115                                 let short_channel_id = match next_hop_data.format {
1116                                         msgs::OnionHopDataFormat::Legacy { short_channel_id } => short_channel_id,
1117                                         msgs::OnionHopDataFormat::NonFinalNode { short_channel_id } => short_channel_id,
1118                                         msgs::OnionHopDataFormat::FinalNode { .. } => {
1119                                                 return_err!("Final Node OnionHopData provided for us as an intermediary node", 0x4000 | 22, &[0;0]);
1120                                         },
1121                                 };
1122
1123                                 PendingHTLCStatus::Forward(PendingHTLCInfo {
1124                                         routing: PendingHTLCRouting::Forward {
1125                                                 onion_packet: outgoing_packet,
1126                                                 short_channel_id: short_channel_id,
1127                                         },
1128                                         payment_hash: msg.payment_hash.clone(),
1129                                         incoming_shared_secret: shared_secret,
1130                                         amt_to_forward: next_hop_data.amt_to_forward,
1131                                         outgoing_cltv_value: next_hop_data.outgoing_cltv_value,
1132                                 })
1133                         };
1134
1135                 channel_state = Some(self.channel_state.lock().unwrap());
1136                 if let &PendingHTLCStatus::Forward(PendingHTLCInfo { ref routing, ref amt_to_forward, ref outgoing_cltv_value, .. }) = &pending_forward_info {
1137                         // If short_channel_id is 0 here, we'll reject the HTLC as there cannot be a channel
1138                         // with a short_channel_id of 0. This is important as various things later assume
1139                         // short_channel_id is non-0 in any ::Forward.
1140                         if let &PendingHTLCRouting::Forward { ref short_channel_id, .. } = routing {
1141                                 let id_option = channel_state.as_ref().unwrap().short_to_id.get(&short_channel_id).cloned();
1142                                 let forwarding_id = match id_option {
1143                                         None => { // unknown_next_peer
1144                                                 return_err!("Don't have available channel for forwarding as requested.", 0x4000 | 10, &[0;0]);
1145                                         },
1146                                         Some(id) => id.clone(),
1147                                 };
1148                                 if let Some((err, code, chan_update)) = loop {
1149                                         let chan = channel_state.as_mut().unwrap().by_id.get_mut(&forwarding_id).unwrap();
1150
1151                                         // Note that we could technically not return an error yet here and just hope
1152                                         // that the connection is reestablished or monitor updated by the time we get
1153                                         // around to doing the actual forward, but better to fail early if we can and
1154                                         // hopefully an attacker trying to path-trace payments cannot make this occur
1155                                         // on a small/per-node/per-channel scale.
1156                                         if !chan.is_live() { // channel_disabled
1157                                                 break Some(("Forwarding channel is not in a ready state.", 0x1000 | 20, Some(self.get_channel_update(chan).unwrap())));
1158                                         }
1159                                         if *amt_to_forward < chan.get_their_htlc_minimum_msat() { // amount_below_minimum
1160                                                 break Some(("HTLC amount was below the htlc_minimum_msat", 0x1000 | 11, Some(self.get_channel_update(chan).unwrap())));
1161                                         }
1162                                         let fee = amt_to_forward.checked_mul(chan.get_fee_proportional_millionths() as u64).and_then(|prop_fee| { (prop_fee / 1000000).checked_add(chan.get_our_fee_base_msat(&self.fee_estimator) as u64) });
1163                                         if fee.is_none() || msg.amount_msat < fee.unwrap() || (msg.amount_msat - fee.unwrap()) < *amt_to_forward { // fee_insufficient
1164                                                 break Some(("Prior hop has deviated from specified fees parameters or origin node has obsolete ones", 0x1000 | 12, Some(self.get_channel_update(chan).unwrap())));
1165                                         }
1166                                         if (msg.cltv_expiry as u64) < (*outgoing_cltv_value) as u64 + CLTV_EXPIRY_DELTA as u64 { // incorrect_cltv_expiry
1167                                                 break Some(("Forwarding node has tampered with the intended HTLC values or origin node has an obsolete cltv_expiry_delta", 0x1000 | 13, Some(self.get_channel_update(chan).unwrap())));
1168                                         }
1169                                         let cur_height = self.latest_block_height.load(Ordering::Acquire) as u32 + 1;
1170                                         // Theoretically, channel counterparty shouldn't send us a HTLC expiring now, but we want to be robust wrt to counterparty
1171                                         // packet sanitization (see HTLC_FAIL_BACK_BUFFER rational)
1172                                         if msg.cltv_expiry <= cur_height + HTLC_FAIL_BACK_BUFFER as u32 { // expiry_too_soon
1173                                                 break Some(("CLTV expiry is too close", 0x1000 | 14, Some(self.get_channel_update(chan).unwrap())));
1174                                         }
1175                                         if msg.cltv_expiry > cur_height + CLTV_FAR_FAR_AWAY as u32 { // expiry_too_far
1176                                                 break Some(("CLTV expiry is too far in the future", 21, None));
1177                                         }
1178                                         // In theory, we would be safe against unitentional channel-closure, if we only required a margin of LATENCY_GRACE_PERIOD_BLOCKS.
1179                                         // But, to be safe against policy reception, we use a longuer delay.
1180                                         if (*outgoing_cltv_value) as u64 <= (cur_height + HTLC_FAIL_BACK_BUFFER) as u64 {
1181                                                 break Some(("Outgoing CLTV value is too soon", 0x1000 | 14, Some(self.get_channel_update(chan).unwrap())));
1182                                         }
1183
1184                                         break None;
1185                                 }
1186                                 {
1187                                         let mut res = Vec::with_capacity(8 + 128);
1188                                         if let Some(chan_update) = chan_update {
1189                                                 if code == 0x1000 | 11 || code == 0x1000 | 12 {
1190                                                         res.extend_from_slice(&byte_utils::be64_to_array(msg.amount_msat));
1191                                                 }
1192                                                 else if code == 0x1000 | 13 {
1193                                                         res.extend_from_slice(&byte_utils::be32_to_array(msg.cltv_expiry));
1194                                                 }
1195                                                 else if code == 0x1000 | 20 {
1196                                                         res.extend_from_slice(&byte_utils::be16_to_array(chan_update.contents.flags));
1197                                                 }
1198                                                 res.extend_from_slice(&chan_update.encode_with_len()[..]);
1199                                         }
1200                                         return_err!(err, code, &res[..]);
1201                                 }
1202                         }
1203                 }
1204
1205                 (pending_forward_info, channel_state.unwrap())
1206         }
1207
1208         /// only fails if the channel does not yet have an assigned short_id
1209         /// May be called with channel_state already locked!
1210         fn get_channel_update(&self, chan: &Channel<ChanSigner>) -> Result<msgs::ChannelUpdate, LightningError> {
1211                 let short_channel_id = match chan.get_short_channel_id() {
1212                         None => return Err(LightningError{err: "Channel not yet established", action: msgs::ErrorAction::IgnoreError}),
1213                         Some(id) => id,
1214                 };
1215
1216                 let were_node_one = PublicKey::from_secret_key(&self.secp_ctx, &self.our_network_key).serialize()[..] < chan.get_their_node_id().serialize()[..];
1217
1218                 let unsigned = msgs::UnsignedChannelUpdate {
1219                         chain_hash: self.genesis_hash,
1220                         short_channel_id: short_channel_id,
1221                         timestamp: chan.get_update_time_counter(),
1222                         flags: (!were_node_one) as u16 | ((!chan.is_live() as u16) << 1),
1223                         cltv_expiry_delta: CLTV_EXPIRY_DELTA,
1224                         htlc_minimum_msat: chan.get_our_htlc_minimum_msat(),
1225                         fee_base_msat: chan.get_our_fee_base_msat(&self.fee_estimator),
1226                         fee_proportional_millionths: chan.get_fee_proportional_millionths(),
1227                         excess_data: Vec::new(),
1228                 };
1229
1230                 let msg_hash = Sha256dHash::hash(&unsigned.encode()[..]);
1231                 let sig = self.secp_ctx.sign(&hash_to_message!(&msg_hash[..]), &self.our_network_key);
1232
1233                 Ok(msgs::ChannelUpdate {
1234                         signature: sig,
1235                         contents: unsigned
1236                 })
1237         }
1238
1239         // Only public for testing, this should otherwise never be called direcly
1240         pub(crate) fn send_payment_along_path(&self, path: &Vec<RouteHop>, payment_hash: &PaymentHash, payment_secret: &Option<PaymentSecret>, total_value: u64, cur_height: u32) -> Result<(), APIError> {
1241                 log_trace!(self, "Attempting to send payment for path with next hop {}", path.first().unwrap().short_channel_id);
1242                 let (session_priv, prng_seed) = self.keys_manager.get_onion_rand();
1243
1244                 let onion_keys = onion_utils::construct_onion_keys(&self.secp_ctx, &path, &session_priv)
1245                         .map_err(|_| APIError::RouteError{err: "Pubkey along hop was maliciously selected"})?;
1246                 let (onion_payloads, htlc_msat, htlc_cltv) = onion_utils::build_onion_payloads(path, total_value, payment_secret, cur_height)?;
1247                 if onion_utils::route_size_insane(&onion_payloads) {
1248                         return Err(APIError::RouteError{err: "Route size too large considering onion data"});
1249                 }
1250                 let onion_packet = onion_utils::construct_onion_packet(onion_payloads, onion_keys, prng_seed, payment_hash);
1251
1252                 let _ = self.total_consistency_lock.read().unwrap();
1253
1254                 let err: Result<(), _> = loop {
1255                         let mut channel_lock = self.channel_state.lock().unwrap();
1256                         let id = match channel_lock.short_to_id.get(&path.first().unwrap().short_channel_id) {
1257                                 None => return Err(APIError::ChannelUnavailable{err: "No channel available with first hop!"}),
1258                                 Some(id) => id.clone(),
1259                         };
1260
1261                         let channel_state = &mut *channel_lock;
1262                         if let hash_map::Entry::Occupied(mut chan) = channel_state.by_id.entry(id) {
1263                                 match {
1264                                         if chan.get().get_their_node_id() != path.first().unwrap().pubkey {
1265                                                 return Err(APIError::RouteError{err: "Node ID mismatch on first hop!"});
1266                                         }
1267                                         if !chan.get().is_live() {
1268                                                 return Err(APIError::ChannelUnavailable{err: "Peer for first hop currently disconnected/pending monitor update!"});
1269                                         }
1270                                         break_chan_entry!(self, chan.get_mut().send_htlc_and_commit(htlc_msat, payment_hash.clone(), htlc_cltv, HTLCSource::OutboundRoute {
1271                                                 path: path.clone(),
1272                                                 session_priv: session_priv.clone(),
1273                                                 first_hop_htlc_msat: htlc_msat,
1274                                         }, onion_packet), channel_state, chan)
1275                                 } {
1276                                         Some((update_add, commitment_signed, monitor_update)) => {
1277                                                 if let Err(e) = self.monitor.update_monitor(chan.get().get_funding_txo().unwrap(), monitor_update) {
1278                                                         maybe_break_monitor_err!(self, e, channel_state, chan, RAACommitmentOrder::CommitmentFirst, false, true);
1279                                                         // Note that MonitorUpdateFailed here indicates (per function docs)
1280                                                         // that we will resend the commitment update once monitor updating
1281                                                         // is restored. Therefore, we must return an error indicating that
1282                                                         // it is unsafe to retry the payment wholesale, which we do in the
1283                                                         // send_payment check for MonitorUpdateFailed, below.
1284                                                         return Err(APIError::MonitorUpdateFailed);
1285                                                 }
1286
1287                                                 channel_state.pending_msg_events.push(events::MessageSendEvent::UpdateHTLCs {
1288                                                         node_id: path.first().unwrap().pubkey,
1289                                                         updates: msgs::CommitmentUpdate {
1290                                                                 update_add_htlcs: vec![update_add],
1291                                                                 update_fulfill_htlcs: Vec::new(),
1292                                                                 update_fail_htlcs: Vec::new(),
1293                                                                 update_fail_malformed_htlcs: Vec::new(),
1294                                                                 update_fee: None,
1295                                                                 commitment_signed,
1296                                                         },
1297                                                 });
1298                                         },
1299                                         None => {},
1300                                 }
1301                         } else { unreachable!(); }
1302                         return Ok(());
1303                 };
1304
1305                 match handle_error!(self, err, path.first().unwrap().pubkey) {
1306                         Ok(_) => unreachable!(),
1307                         Err(e) => {
1308                                 Err(APIError::ChannelUnavailable { err: e.err })
1309                         },
1310                 }
1311         }
1312
1313         /// Sends a payment along a given route.
1314         ///
1315         /// Value parameters are provided via the last hop in route, see documentation for RouteHop
1316         /// fields for more info.
1317         ///
1318         /// Note that if the payment_hash already exists elsewhere (eg you're sending a duplicative
1319         /// payment), we don't do anything to stop you! We always try to ensure that if the provided
1320         /// next hop knows the preimage to payment_hash they can claim an additional amount as
1321         /// specified in the last hop in the route! Thus, you should probably do your own
1322         /// payment_preimage tracking (which you should already be doing as they represent "proof of
1323         /// payment") and prevent double-sends yourself.
1324         ///
1325         /// May generate SendHTLCs message(s) event on success, which should be relayed.
1326         ///
1327         /// Each path may have a different return value, and PaymentSendValue may return a Vec with
1328         /// each entry matching the corresponding-index entry in the route paths, see
1329         /// PaymentSendFailure for more info.
1330         ///
1331         /// In general, a path may raise:
1332         ///  * APIError::RouteError when an invalid route or forwarding parameter (cltv_delta, fee,
1333         ///    node public key) is specified.
1334         ///  * APIError::ChannelUnavailable if the next-hop channel is not available for updates
1335         ///    (including due to previous monitor update failure or new permanent monitor update
1336         ///    failure).
1337         ///  * APIError::MonitorUpdateFailed if a new monitor update failure prevented sending the
1338         ///    relevant updates.
1339         ///
1340         /// Note that depending on the type of the PaymentSendFailure the HTLC may have been
1341         /// irrevocably committed to on our end. In such a case, do NOT retry the payment with a
1342         /// different route unless you intend to pay twice!
1343         ///
1344         /// payment_secret is unrelated to payment_hash (or PaymentPreimage) and exists to authenticate
1345         /// the sender to the recipient and prevent payment-probing (deanonymization) attacks. For
1346         /// newer nodes, it will be provided to you in the invoice. If you do not have one, the Route
1347         /// must not contain multiple paths as multi-path payments require a recipient-provided
1348         /// payment_secret.
1349         /// If a payment_secret *is* provided, we assume that the invoice had the payment_secret feature
1350         /// bit set (either as required or as available). If multiple paths are present in the Route,
1351         /// we assume the invoice had the basic_mpp feature set.
1352         pub fn send_payment(&self, route: &Route, payment_hash: PaymentHash, payment_secret: &Option<PaymentSecret>) -> Result<(), PaymentSendFailure> {
1353                 if route.paths.len() < 1 {
1354                         return Err(PaymentSendFailure::ParameterError(APIError::RouteError{err: "There must be at least one path to send over"}));
1355                 }
1356                 if route.paths.len() > 10 {
1357                         // This limit is completely arbitrary - there aren't any real fundamental path-count
1358                         // limits. After we support retrying individual paths we should likely bump this, but
1359                         // for now more than 10 paths likely carries too much one-path failure.
1360                         return Err(PaymentSendFailure::ParameterError(APIError::RouteError{err: "Sending over more than 10 paths is not currently supported"}));
1361                 }
1362                 let mut total_value = 0;
1363                 let our_node_id = self.get_our_node_id();
1364                 let mut path_errs = Vec::with_capacity(route.paths.len());
1365                 'path_check: for path in route.paths.iter() {
1366                         if path.len() < 1 || path.len() > 20 {
1367                                 path_errs.push(Err(APIError::RouteError{err: "Path didn't go anywhere/had bogus size"}));
1368                                 continue 'path_check;
1369                         }
1370                         for (idx, hop) in path.iter().enumerate() {
1371                                 if idx != path.len() - 1 && hop.pubkey == our_node_id {
1372                                         path_errs.push(Err(APIError::RouteError{err: "Path went through us but wasn't a simple rebalance loop to us"}));
1373                                         continue 'path_check;
1374                                 }
1375                         }
1376                         total_value += path.last().unwrap().fee_msat;
1377                         path_errs.push(Ok(()));
1378                 }
1379                 if path_errs.iter().any(|e| e.is_err()) {
1380                         return Err(PaymentSendFailure::PathParameterError(path_errs));
1381                 }
1382
1383                 let cur_height = self.latest_block_height.load(Ordering::Acquire) as u32 + 1;
1384                 let mut results = Vec::new();
1385                 for path in route.paths.iter() {
1386                         results.push(self.send_payment_along_path(&path, &payment_hash, payment_secret, total_value, cur_height));
1387                 }
1388                 let mut has_ok = false;
1389                 let mut has_err = false;
1390                 for res in results.iter() {
1391                         if res.is_ok() { has_ok = true; }
1392                         if res.is_err() { has_err = true; }
1393                         if let &Err(APIError::MonitorUpdateFailed) = res {
1394                                 // MonitorUpdateFailed is inherently unsafe to retry, so we call it a
1395                                 // PartialFailure.
1396                                 has_err = true;
1397                                 has_ok = true;
1398                                 break;
1399                         }
1400                 }
1401                 if has_err && has_ok {
1402                         Err(PaymentSendFailure::PartialFailure(results))
1403                 } else if has_err {
1404                         Err(PaymentSendFailure::AllFailedRetrySafe(results.drain(..).map(|r| r.unwrap_err()).collect()))
1405                 } else {
1406                         Ok(())
1407                 }
1408         }
1409
1410         /// Call this upon creation of a funding transaction for the given channel.
1411         ///
1412         /// Note that ALL inputs in the transaction pointed to by funding_txo MUST spend SegWit outputs
1413         /// or your counterparty can steal your funds!
1414         ///
1415         /// Panics if a funding transaction has already been provided for this channel.
1416         ///
1417         /// May panic if the funding_txo is duplicative with some other channel (note that this should
1418         /// be trivially prevented by using unique funding transaction keys per-channel).
1419         pub fn funding_transaction_generated(&self, temporary_channel_id: &[u8; 32], funding_txo: OutPoint) {
1420                 let _ = self.total_consistency_lock.read().unwrap();
1421
1422                 let (chan, msg) = {
1423                         let (res, chan) = match self.channel_state.lock().unwrap().by_id.remove(temporary_channel_id) {
1424                                 Some(mut chan) => {
1425                                         (chan.get_outbound_funding_created(funding_txo)
1426                                                 .map_err(|e| if let ChannelError::Close(msg) = e {
1427                                                         MsgHandleErrInternal::from_finish_shutdown(msg, chan.channel_id(), chan.force_shutdown(true), None)
1428                                                 } else { unreachable!(); })
1429                                         , chan)
1430                                 },
1431                                 None => return
1432                         };
1433                         match handle_error!(self, res, chan.get_their_node_id()) {
1434                                 Ok(funding_msg) => {
1435                                         (chan, funding_msg)
1436                                 },
1437                                 Err(_) => { return; }
1438                         }
1439                 };
1440
1441                 let mut channel_state = self.channel_state.lock().unwrap();
1442                 channel_state.pending_msg_events.push(events::MessageSendEvent::SendFundingCreated {
1443                         node_id: chan.get_their_node_id(),
1444                         msg: msg,
1445                 });
1446                 match channel_state.by_id.entry(chan.channel_id()) {
1447                         hash_map::Entry::Occupied(_) => {
1448                                 panic!("Generated duplicate funding txid?");
1449                         },
1450                         hash_map::Entry::Vacant(e) => {
1451                                 e.insert(chan);
1452                         }
1453                 }
1454         }
1455
1456         fn get_announcement_sigs(&self, chan: &Channel<ChanSigner>) -> Option<msgs::AnnouncementSignatures> {
1457                 if !chan.should_announce() {
1458                         log_trace!(self, "Can't send announcement_signatures for private channel {}", log_bytes!(chan.channel_id()));
1459                         return None
1460                 }
1461
1462                 let (announcement, our_bitcoin_sig) = match chan.get_channel_announcement(self.get_our_node_id(), self.genesis_hash.clone()) {
1463                         Ok(res) => res,
1464                         Err(_) => return None, // Only in case of state precondition violations eg channel is closing
1465                 };
1466                 let msghash = hash_to_message!(&Sha256dHash::hash(&announcement.encode()[..])[..]);
1467                 let our_node_sig = self.secp_ctx.sign(&msghash, &self.our_network_key);
1468
1469                 Some(msgs::AnnouncementSignatures {
1470                         channel_id: chan.channel_id(),
1471                         short_channel_id: chan.get_short_channel_id().unwrap(),
1472                         node_signature: our_node_sig,
1473                         bitcoin_signature: our_bitcoin_sig,
1474                 })
1475         }
1476
1477         #[allow(dead_code)]
1478         // Messages of up to 64KB should never end up more than half full with addresses, as that would
1479         // be absurd. We ensure this by checking that at least 500 (our stated public contract on when
1480         // broadcast_node_announcement panics) of the maximum-length addresses would fit in a 64KB
1481         // message...
1482         const HALF_MESSAGE_IS_ADDRS: u32 = ::std::u16::MAX as u32 / (msgs::NetAddress::MAX_LEN as u32 + 1) / 2;
1483         #[deny(const_err)]
1484         #[allow(dead_code)]
1485         // ...by failing to compile if the number of addresses that would be half of a message is
1486         // smaller than 500:
1487         const STATIC_ASSERT: u32 = Self::HALF_MESSAGE_IS_ADDRS - 500;
1488
1489         /// Generates a signed node_announcement from the given arguments and creates a
1490         /// BroadcastNodeAnnouncement event. Note that such messages will be ignored unless peers have
1491         /// seen a channel_announcement from us (ie unless we have public channels open).
1492         ///
1493         /// RGB is a node "color" and alias is a printable human-readable string to describe this node
1494         /// to humans. They carry no in-protocol meaning.
1495         ///
1496         /// addresses represent the set (possibly empty) of socket addresses on which this node accepts
1497         /// incoming connections. These will be broadcast to the network, publicly tying these
1498         /// addresses together. If you wish to preserve user privacy, addresses should likely contain
1499         /// only Tor Onion addresses.
1500         ///
1501         /// Panics if addresses is absurdly large (more than 500).
1502         pub fn broadcast_node_announcement(&self, rgb: [u8; 3], alias: [u8; 32], addresses: Vec<msgs::NetAddress>) {
1503                 let _ = self.total_consistency_lock.read().unwrap();
1504
1505                 if addresses.len() > 500 {
1506                         panic!("More than half the message size was taken up by public addresses!");
1507                 }
1508
1509                 let announcement = msgs::UnsignedNodeAnnouncement {
1510                         features: NodeFeatures::supported(),
1511                         timestamp: self.last_node_announcement_serial.fetch_add(1, Ordering::AcqRel) as u32,
1512                         node_id: self.get_our_node_id(),
1513                         rgb, alias, addresses,
1514                         excess_address_data: Vec::new(),
1515                         excess_data: Vec::new(),
1516                 };
1517                 let msghash = hash_to_message!(&Sha256dHash::hash(&announcement.encode()[..])[..]);
1518
1519                 let mut channel_state = self.channel_state.lock().unwrap();
1520                 channel_state.pending_msg_events.push(events::MessageSendEvent::BroadcastNodeAnnouncement {
1521                         msg: msgs::NodeAnnouncement {
1522                                 signature: self.secp_ctx.sign(&msghash, &self.our_network_key),
1523                                 contents: announcement
1524                         },
1525                 });
1526         }
1527
1528         /// Processes HTLCs which are pending waiting on random forward delay.
1529         ///
1530         /// Should only really ever be called in response to a PendingHTLCsForwardable event.
1531         /// Will likely generate further events.
1532         pub fn process_pending_htlc_forwards(&self) {
1533                 let _ = self.total_consistency_lock.read().unwrap();
1534
1535                 let mut new_events = Vec::new();
1536                 let mut failed_forwards = Vec::new();
1537                 let mut handle_errors = Vec::new();
1538                 {
1539                         let mut channel_state_lock = self.channel_state.lock().unwrap();
1540                         let channel_state = &mut *channel_state_lock;
1541
1542                         for (short_chan_id, mut pending_forwards) in channel_state.forward_htlcs.drain() {
1543                                 if short_chan_id != 0 {
1544                                         let forward_chan_id = match channel_state.short_to_id.get(&short_chan_id) {
1545                                                 Some(chan_id) => chan_id.clone(),
1546                                                 None => {
1547                                                         failed_forwards.reserve(pending_forwards.len());
1548                                                         for forward_info in pending_forwards.drain(..) {
1549                                                                 match forward_info {
1550                                                                         HTLCForwardInfo::AddHTLC { prev_short_channel_id, prev_htlc_id, forward_info } => {
1551                                                                                 let htlc_source = HTLCSource::PreviousHopData(HTLCPreviousHopData {
1552                                                                                         short_channel_id: prev_short_channel_id,
1553                                                                                         htlc_id: prev_htlc_id,
1554                                                                                         incoming_packet_shared_secret: forward_info.incoming_shared_secret,
1555                                                                                 });
1556                                                                                 failed_forwards.push((htlc_source, forward_info.payment_hash,
1557                                                                                         HTLCFailReason::Reason { failure_code: 0x4000 | 10, data: Vec::new() }
1558                                                                                 ));
1559                                                                         },
1560                                                                         HTLCForwardInfo::FailHTLC { .. } => {
1561                                                                                 // Channel went away before we could fail it. This implies
1562                                                                                 // the channel is now on chain and our counterparty is
1563                                                                                 // trying to broadcast the HTLC-Timeout, but that's their
1564                                                                                 // problem, not ours.
1565                                                                         }
1566                                                                 }
1567                                                         }
1568                                                         continue;
1569                                                 }
1570                                         };
1571                                         if let hash_map::Entry::Occupied(mut chan) = channel_state.by_id.entry(forward_chan_id) {
1572                                                 let mut add_htlc_msgs = Vec::new();
1573                                                 let mut fail_htlc_msgs = Vec::new();
1574                                                 for forward_info in pending_forwards.drain(..) {
1575                                                         match forward_info {
1576                                                                 HTLCForwardInfo::AddHTLC { prev_short_channel_id, prev_htlc_id, forward_info: PendingHTLCInfo {
1577                                                                                 routing: PendingHTLCRouting::Forward {
1578                                                                                         onion_packet, ..
1579                                                                                 }, incoming_shared_secret, payment_hash, amt_to_forward, outgoing_cltv_value }, } => {
1580                                                                         log_trace!(self, "Adding HTLC from short id {} with payment_hash {} to channel with short id {} after delay", log_bytes!(payment_hash.0), prev_short_channel_id, short_chan_id);
1581                                                                         let htlc_source = HTLCSource::PreviousHopData(HTLCPreviousHopData {
1582                                                                                 short_channel_id: prev_short_channel_id,
1583                                                                                 htlc_id: prev_htlc_id,
1584                                                                                 incoming_packet_shared_secret: incoming_shared_secret,
1585                                                                         });
1586                                                                         match chan.get_mut().send_htlc(amt_to_forward, payment_hash, outgoing_cltv_value, htlc_source.clone(), onion_packet) {
1587                                                                                 Err(e) => {
1588                                                                                         if let ChannelError::Ignore(msg) = e {
1589                                                                                                 log_trace!(self, "Failed to forward HTLC with payment_hash {}: {}", log_bytes!(payment_hash.0), msg);
1590                                                                                         } else {
1591                                                                                                 panic!("Stated return value requirements in send_htlc() were not met");
1592                                                                                         }
1593                                                                                         let chan_update = self.get_channel_update(chan.get()).unwrap();
1594                                                                                         failed_forwards.push((htlc_source, payment_hash,
1595                                                                                                 HTLCFailReason::Reason { failure_code: 0x1000 | 7, data: chan_update.encode_with_len() }
1596                                                                                         ));
1597                                                                                         continue;
1598                                                                                 },
1599                                                                                 Ok(update_add) => {
1600                                                                                         match update_add {
1601                                                                                                 Some(msg) => { add_htlc_msgs.push(msg); },
1602                                                                                                 None => {
1603                                                                                                         // Nothing to do here...we're waiting on a remote
1604                                                                                                         // revoke_and_ack before we can add anymore HTLCs. The Channel
1605                                                                                                         // will automatically handle building the update_add_htlc and
1606                                                                                                         // commitment_signed messages when we can.
1607                                                                                                         // TODO: Do some kind of timer to set the channel as !is_live()
1608                                                                                                         // as we don't really want others relying on us relaying through
1609                                                                                                         // this channel currently :/.
1610                                                                                                 }
1611                                                                                         }
1612                                                                                 }
1613                                                                         }
1614                                                                 },
1615                                                                 HTLCForwardInfo::AddHTLC { .. } => {
1616                                                                         panic!("short_channel_id != 0 should imply any pending_forward entries are of type Forward");
1617                                                                 },
1618                                                                 HTLCForwardInfo::FailHTLC { htlc_id, err_packet } => {
1619                                                                         log_trace!(self, "Failing HTLC back to channel with short id {} after delay", short_chan_id);
1620                                                                         match chan.get_mut().get_update_fail_htlc(htlc_id, err_packet) {
1621                                                                                 Err(e) => {
1622                                                                                         if let ChannelError::Ignore(msg) = e {
1623                                                                                                 log_trace!(self, "Failed to fail backwards to short_id {}: {}", short_chan_id, msg);
1624                                                                                         } else {
1625                                                                                                 panic!("Stated return value requirements in get_update_fail_htlc() were not met");
1626                                                                                         }
1627                                                                                         // fail-backs are best-effort, we probably already have one
1628                                                                                         // pending, and if not that's OK, if not, the channel is on
1629                                                                                         // the chain and sending the HTLC-Timeout is their problem.
1630                                                                                         continue;
1631                                                                                 },
1632                                                                                 Ok(Some(msg)) => { fail_htlc_msgs.push(msg); },
1633                                                                                 Ok(None) => {
1634                                                                                         // Nothing to do here...we're waiting on a remote
1635                                                                                         // revoke_and_ack before we can update the commitment
1636                                                                                         // transaction. The Channel will automatically handle
1637                                                                                         // building the update_fail_htlc and commitment_signed
1638                                                                                         // messages when we can.
1639                                                                                         // We don't need any kind of timer here as they should fail
1640                                                                                         // the channel onto the chain if they can't get our
1641                                                                                         // update_fail_htlc in time, it's not our problem.
1642                                                                                 }
1643                                                                         }
1644                                                                 },
1645                                                         }
1646                                                 }
1647
1648                                                 if !add_htlc_msgs.is_empty() || !fail_htlc_msgs.is_empty() {
1649                                                         let (commitment_msg, monitor_update) = match chan.get_mut().send_commitment() {
1650                                                                 Ok(res) => res,
1651                                                                 Err(e) => {
1652                                                                         // We surely failed send_commitment due to bad keys, in that case
1653                                                                         // close channel and then send error message to peer.
1654                                                                         let their_node_id = chan.get().get_their_node_id();
1655                                                                         let err: Result<(), _>  = match e {
1656                                                                                 ChannelError::Ignore(_) => {
1657                                                                                         panic!("Stated return value requirements in send_commitment() were not met");
1658                                                                                 },
1659                                                                                 ChannelError::Close(msg) => {
1660                                                                                         log_trace!(self, "Closing channel {} due to Close-required error: {}", log_bytes!(chan.key()[..]), msg);
1661                                                                                         let (channel_id, mut channel) = chan.remove_entry();
1662                                                                                         if let Some(short_id) = channel.get_short_channel_id() {
1663                                                                                                 channel_state.short_to_id.remove(&short_id);
1664                                                                                         }
1665                                                                                         Err(MsgHandleErrInternal::from_finish_shutdown(msg, channel_id, channel.force_shutdown(true), self.get_channel_update(&channel).ok()))
1666                                                                                 },
1667                                                                                 ChannelError::CloseDelayBroadcast { .. } => { panic!("Wait is only generated on receipt of channel_reestablish, which is handled by try_chan_entry, we don't bother to support it here"); }
1668                                                                         };
1669                                                                         handle_errors.push((their_node_id, err));
1670                                                                         continue;
1671                                                                 }
1672                                                         };
1673                                                         if let Err(e) = self.monitor.update_monitor(chan.get().get_funding_txo().unwrap(), monitor_update) {
1674                                                                 handle_errors.push((chan.get().get_their_node_id(), handle_monitor_err!(self, e, channel_state, chan, RAACommitmentOrder::CommitmentFirst, false, true)));
1675                                                                 continue;
1676                                                         }
1677                                                         channel_state.pending_msg_events.push(events::MessageSendEvent::UpdateHTLCs {
1678                                                                 node_id: chan.get().get_their_node_id(),
1679                                                                 updates: msgs::CommitmentUpdate {
1680                                                                         update_add_htlcs: add_htlc_msgs,
1681                                                                         update_fulfill_htlcs: Vec::new(),
1682                                                                         update_fail_htlcs: fail_htlc_msgs,
1683                                                                         update_fail_malformed_htlcs: Vec::new(),
1684                                                                         update_fee: None,
1685                                                                         commitment_signed: commitment_msg,
1686                                                                 },
1687                                                         });
1688                                                 }
1689                                         } else {
1690                                                 unreachable!();
1691                                         }
1692                                 } else {
1693                                         for forward_info in pending_forwards.drain(..) {
1694                                                 match forward_info {
1695                                                         HTLCForwardInfo::AddHTLC { prev_short_channel_id, prev_htlc_id, forward_info: PendingHTLCInfo {
1696                                                                         routing: PendingHTLCRouting::Receive { payment_data, incoming_cltv_expiry },
1697                                                                         incoming_shared_secret, payment_hash, amt_to_forward, .. }, } => {
1698                                                                 let prev_hop = HTLCPreviousHopData {
1699                                                                         short_channel_id: prev_short_channel_id,
1700                                                                         htlc_id: prev_htlc_id,
1701                                                                         incoming_packet_shared_secret: incoming_shared_secret,
1702                                                                 };
1703
1704                                                                 let mut total_value = 0;
1705                                                                 let payment_secret_opt =
1706                                                                         if let &Some(ref data) = &payment_data { Some(data.payment_secret.clone()) } else { None };
1707                                                                 let htlcs = channel_state.claimable_htlcs.entry((payment_hash, payment_secret_opt))
1708                                                                         .or_insert(Vec::new());
1709                                                                 htlcs.push(ClaimableHTLC {
1710                                                                         prev_hop,
1711                                                                         value: amt_to_forward,
1712                                                                         payment_data: payment_data.clone(),
1713                                                                         cltv_expiry: incoming_cltv_expiry,
1714                                                                 });
1715                                                                 if let &Some(ref data) = &payment_data {
1716                                                                         for htlc in htlcs.iter() {
1717                                                                                 total_value += htlc.value;
1718                                                                                 if htlc.payment_data.as_ref().unwrap().total_msat != data.total_msat {
1719                                                                                         total_value = msgs::MAX_VALUE_MSAT;
1720                                                                                 }
1721                                                                                 if total_value >= msgs::MAX_VALUE_MSAT { break; }
1722                                                                         }
1723                                                                         if total_value >= msgs::MAX_VALUE_MSAT || total_value > data.total_msat  {
1724                                                                                 for htlc in htlcs.iter() {
1725                                                                                         let mut htlc_msat_height_data = byte_utils::be64_to_array(htlc.value).to_vec();
1726                                                                                         htlc_msat_height_data.extend_from_slice(
1727                                                                                                 &byte_utils::be32_to_array(
1728                                                                                                         self.latest_block_height.load(Ordering::Acquire)
1729                                                                                                                 as u32,
1730                                                                                                 ),
1731                                                                                         );
1732                                                                                         failed_forwards.push((HTLCSource::PreviousHopData(HTLCPreviousHopData {
1733                                                                                                         short_channel_id: htlc.prev_hop.short_channel_id,
1734                                                                                                         htlc_id: htlc.prev_hop.htlc_id,
1735                                                                                                         incoming_packet_shared_secret: htlc.prev_hop.incoming_packet_shared_secret,
1736                                                                                                 }), payment_hash,
1737                                                                                                 HTLCFailReason::Reason { failure_code: 0x4000 | 15, data: htlc_msat_height_data }
1738                                                                                         ));
1739                                                                                 }
1740                                                                         } else if total_value == data.total_msat {
1741                                                                                 new_events.push(events::Event::PaymentReceived {
1742                                                                                         payment_hash: payment_hash,
1743                                                                                         payment_secret: Some(data.payment_secret),
1744                                                                                         amt: total_value,
1745                                                                                 });
1746                                                                         }
1747                                                                 } else {
1748                                                                         new_events.push(events::Event::PaymentReceived {
1749                                                                                 payment_hash: payment_hash,
1750                                                                                 payment_secret: None,
1751                                                                                 amt: amt_to_forward,
1752                                                                         });
1753                                                                 }
1754                                                         },
1755                                                         HTLCForwardInfo::AddHTLC { .. } => {
1756                                                                 panic!("short_channel_id == 0 should imply any pending_forward entries are of type Receive");
1757                                                         },
1758                                                         HTLCForwardInfo::FailHTLC { .. } => {
1759                                                                 panic!("Got pending fail of our own HTLC");
1760                                                         }
1761                                                 }
1762                                         }
1763                                 }
1764                         }
1765                 }
1766
1767                 for (htlc_source, payment_hash, failure_reason) in failed_forwards.drain(..) {
1768                         self.fail_htlc_backwards_internal(self.channel_state.lock().unwrap(), htlc_source, &payment_hash, failure_reason);
1769                 }
1770
1771                 for (their_node_id, err) in handle_errors.drain(..) {
1772                         let _ = handle_error!(self, err, their_node_id);
1773                 }
1774
1775                 if new_events.is_empty() { return }
1776                 let mut events = self.pending_events.lock().unwrap();
1777                 events.append(&mut new_events);
1778         }
1779
1780         /// If a peer is disconnected we mark any channels with that peer as 'disabled'.
1781         /// After some time, if channels are still disabled we need to broadcast a ChannelUpdate
1782         /// to inform the network about the uselessness of these channels.
1783         ///
1784         /// This method handles all the details, and must be called roughly once per minute.
1785         pub fn timer_chan_freshness_every_min(&self) {
1786                 let _ = self.total_consistency_lock.read().unwrap();
1787                 let mut channel_state_lock = self.channel_state.lock().unwrap();
1788                 let channel_state = &mut *channel_state_lock;
1789                 for (_, chan) in channel_state.by_id.iter_mut() {
1790                         if chan.is_disabled_staged() && !chan.is_live() {
1791                                 if let Ok(update) = self.get_channel_update(&chan) {
1792                                         channel_state.pending_msg_events.push(events::MessageSendEvent::BroadcastChannelUpdate {
1793                                                 msg: update
1794                                         });
1795                                 }
1796                                 chan.to_fresh();
1797                         } else if chan.is_disabled_staged() && chan.is_live() {
1798                                 chan.to_fresh();
1799                         } else if chan.is_disabled_marked() {
1800                                 chan.to_disabled_staged();
1801                         }
1802                 }
1803         }
1804
1805         /// Indicates that the preimage for payment_hash is unknown or the received amount is incorrect
1806         /// after a PaymentReceived event, failing the HTLC back to its origin and freeing resources
1807         /// along the path (including in our own channel on which we received it).
1808         /// Returns false if no payment was found to fail backwards, true if the process of failing the
1809         /// HTLC backwards has been started.
1810         pub fn fail_htlc_backwards(&self, payment_hash: &PaymentHash, payment_secret: &Option<PaymentSecret>) -> bool {
1811                 let _ = self.total_consistency_lock.read().unwrap();
1812
1813                 let mut channel_state = Some(self.channel_state.lock().unwrap());
1814                 let removed_source = channel_state.as_mut().unwrap().claimable_htlcs.remove(&(*payment_hash, *payment_secret));
1815                 if let Some(mut sources) = removed_source {
1816                         for htlc in sources.drain(..) {
1817                                 if channel_state.is_none() { channel_state = Some(self.channel_state.lock().unwrap()); }
1818                                 let mut htlc_msat_height_data = byte_utils::be64_to_array(htlc.value).to_vec();
1819                                 htlc_msat_height_data.extend_from_slice(&byte_utils::be32_to_array(
1820                                         self.latest_block_height.load(Ordering::Acquire) as u32,
1821                                 ));
1822                                 self.fail_htlc_backwards_internal(channel_state.take().unwrap(),
1823                                                 HTLCSource::PreviousHopData(htlc.prev_hop), payment_hash,
1824                                                 HTLCFailReason::Reason { failure_code: 0x4000 | 15, data: htlc_msat_height_data });
1825                         }
1826                         true
1827                 } else { false }
1828         }
1829
1830         /// Fails an HTLC backwards to the sender of it to us.
1831         /// Note that while we take a channel_state lock as input, we do *not* assume consistency here.
1832         /// There are several callsites that do stupid things like loop over a list of payment_hashes
1833         /// to fail and take the channel_state lock for each iteration (as we take ownership and may
1834         /// drop it). In other words, no assumptions are made that entries in claimable_htlcs point to
1835         /// still-available channels.
1836         fn fail_htlc_backwards_internal(&self, mut channel_state_lock: MutexGuard<ChannelHolder<ChanSigner>>, source: HTLCSource, payment_hash: &PaymentHash, onion_error: HTLCFailReason) {
1837                 //TODO: There is a timing attack here where if a node fails an HTLC back to us they can
1838                 //identify whether we sent it or not based on the (I presume) very different runtime
1839                 //between the branches here. We should make this async and move it into the forward HTLCs
1840                 //timer handling.
1841                 match source {
1842                         HTLCSource::OutboundRoute { ref path, .. } => {
1843                                 log_trace!(self, "Failing outbound payment HTLC with payment_hash {}", log_bytes!(payment_hash.0));
1844                                 mem::drop(channel_state_lock);
1845                                 match &onion_error {
1846                                         &HTLCFailReason::LightningError { ref err } => {
1847 #[cfg(test)]
1848                                                 let (channel_update, payment_retryable, onion_error_code, onion_error_data) = onion_utils::process_onion_failure(&self.secp_ctx, &self.logger, &source, err.data.clone());
1849 #[cfg(not(test))]
1850                                                 let (channel_update, payment_retryable, _, _) = onion_utils::process_onion_failure(&self.secp_ctx, &self.logger, &source, err.data.clone());
1851                                                 // TODO: If we decided to blame ourselves (or one of our channels) in
1852                                                 // process_onion_failure we should close that channel as it implies our
1853                                                 // next-hop is needlessly blaming us!
1854                                                 if let Some(update) = channel_update {
1855                                                         self.channel_state.lock().unwrap().pending_msg_events.push(
1856                                                                 events::MessageSendEvent::PaymentFailureNetworkUpdate {
1857                                                                         update,
1858                                                                 }
1859                                                         );
1860                                                 }
1861                                                 self.pending_events.lock().unwrap().push(
1862                                                         events::Event::PaymentFailed {
1863                                                                 payment_hash: payment_hash.clone(),
1864                                                                 rejected_by_dest: !payment_retryable,
1865 #[cfg(test)]
1866                                                                 error_code: onion_error_code,
1867 #[cfg(test)]
1868                                                                 error_data: onion_error_data
1869                                                         }
1870                                                 );
1871                                         },
1872                                         &HTLCFailReason::Reason {
1873 #[cfg(test)]
1874                                                         ref failure_code,
1875 #[cfg(test)]
1876                                                         ref data,
1877                                                         .. } => {
1878                                                 // we get a fail_malformed_htlc from the first hop
1879                                                 // TODO: We'd like to generate a PaymentFailureNetworkUpdate for temporary
1880                                                 // failures here, but that would be insufficient as Router::get_route
1881                                                 // generally ignores its view of our own channels as we provide them via
1882                                                 // ChannelDetails.
1883                                                 // TODO: For non-temporary failures, we really should be closing the
1884                                                 // channel here as we apparently can't relay through them anyway.
1885                                                 self.pending_events.lock().unwrap().push(
1886                                                         events::Event::PaymentFailed {
1887                                                                 payment_hash: payment_hash.clone(),
1888                                                                 rejected_by_dest: path.len() == 1,
1889 #[cfg(test)]
1890                                                                 error_code: Some(*failure_code),
1891 #[cfg(test)]
1892                                                                 error_data: Some(data.clone()),
1893                                                         }
1894                                                 );
1895                                         }
1896                                 }
1897                         },
1898                         HTLCSource::PreviousHopData(HTLCPreviousHopData { short_channel_id, htlc_id, incoming_packet_shared_secret }) => {
1899                                 let err_packet = match onion_error {
1900                                         HTLCFailReason::Reason { failure_code, data } => {
1901                                                 log_trace!(self, "Failing HTLC with payment_hash {} backwards from us with code {}", log_bytes!(payment_hash.0), failure_code);
1902                                                 let packet = onion_utils::build_failure_packet(&incoming_packet_shared_secret, failure_code, &data[..]).encode();
1903                                                 onion_utils::encrypt_failure_packet(&incoming_packet_shared_secret, &packet)
1904                                         },
1905                                         HTLCFailReason::LightningError { err } => {
1906                                                 log_trace!(self, "Failing HTLC with payment_hash {} backwards with pre-built LightningError", log_bytes!(payment_hash.0));
1907                                                 onion_utils::encrypt_failure_packet(&incoming_packet_shared_secret, &err.data)
1908                                         }
1909                                 };
1910
1911                                 let mut forward_event = None;
1912                                 if channel_state_lock.forward_htlcs.is_empty() {
1913                                         forward_event = Some(Duration::from_millis(MIN_HTLC_RELAY_HOLDING_CELL_MILLIS));
1914                                 }
1915                                 match channel_state_lock.forward_htlcs.entry(short_channel_id) {
1916                                         hash_map::Entry::Occupied(mut entry) => {
1917                                                 entry.get_mut().push(HTLCForwardInfo::FailHTLC { htlc_id, err_packet });
1918                                         },
1919                                         hash_map::Entry::Vacant(entry) => {
1920                                                 entry.insert(vec!(HTLCForwardInfo::FailHTLC { htlc_id, err_packet }));
1921                                         }
1922                                 }
1923                                 mem::drop(channel_state_lock);
1924                                 if let Some(time) = forward_event {
1925                                         let mut pending_events = self.pending_events.lock().unwrap();
1926                                         pending_events.push(events::Event::PendingHTLCsForwardable {
1927                                                 time_forwardable: time
1928                                         });
1929                                 }
1930                         },
1931                 }
1932         }
1933
1934         /// Provides a payment preimage in response to a PaymentReceived event, returning true and
1935         /// generating message events for the net layer to claim the payment, if possible. Thus, you
1936         /// should probably kick the net layer to go send messages if this returns true!
1937         ///
1938         /// You must specify the expected amounts for this HTLC, and we will only claim HTLCs
1939         /// available within a few percent of the expected amount. This is critical for several
1940         /// reasons : a) it avoids providing senders with `proof-of-payment` (in the form of the
1941         /// payment_preimage without having provided the full value and b) it avoids certain
1942         /// privacy-breaking recipient-probing attacks which may reveal payment activity to
1943         /// motivated attackers.
1944         ///
1945         /// Note that the privacy concerns in (b) are not relevant in payments with a payment_secret
1946         /// set. Thus, for such payments we will claim any payments which do not under-pay.
1947         ///
1948         /// May panic if called except in response to a PaymentReceived event.
1949         pub fn claim_funds(&self, payment_preimage: PaymentPreimage, payment_secret: &Option<PaymentSecret>, expected_amount: u64) -> bool {
1950                 let payment_hash = PaymentHash(Sha256::hash(&payment_preimage.0).into_inner());
1951
1952                 let _ = self.total_consistency_lock.read().unwrap();
1953
1954                 let mut channel_state = Some(self.channel_state.lock().unwrap());
1955                 let removed_source = channel_state.as_mut().unwrap().claimable_htlcs.remove(&(payment_hash, *payment_secret));
1956                 if let Some(mut sources) = removed_source {
1957                         assert!(!sources.is_empty());
1958
1959                         // If we are claiming an MPP payment, we have to take special care to ensure that each
1960                         // channel exists before claiming all of the payments (inside one lock).
1961                         // Note that channel existance is sufficient as we should always get a monitor update
1962                         // which will take care of the real HTLC claim enforcement.
1963                         //
1964                         // If we find an HTLC which we would need to claim but for which we do not have a
1965                         // channel, we will fail all parts of the MPP payment. While we could wait and see if
1966                         // the sender retries the already-failed path(s), it should be a pretty rare case where
1967                         // we got all the HTLCs and then a channel closed while we were waiting for the user to
1968                         // provide the preimage, so worrying too much about the optimal handling isn't worth
1969                         // it.
1970
1971                         let (is_mpp, mut valid_mpp) = if let &Some(ref data) = &sources[0].payment_data {
1972                                 assert!(payment_secret.is_some());
1973                                 (true, data.total_msat >= expected_amount)
1974                         } else {
1975                                 assert!(payment_secret.is_none());
1976                                 (false, false)
1977                         };
1978
1979                         for htlc in sources.iter() {
1980                                 if !is_mpp || !valid_mpp { break; }
1981                                 if let None = channel_state.as_ref().unwrap().short_to_id.get(&htlc.prev_hop.short_channel_id) {
1982                                         valid_mpp = false;
1983                                 }
1984                         }
1985
1986                         let mut errs = Vec::new();
1987                         let mut claimed_any_htlcs = false;
1988                         for htlc in sources.drain(..) {
1989                                 if channel_state.is_none() { channel_state = Some(self.channel_state.lock().unwrap()); }
1990                                 if (is_mpp && !valid_mpp) || (!is_mpp && (htlc.value < expected_amount || htlc.value > expected_amount * 2)) {
1991                                         let mut htlc_msat_height_data = byte_utils::be64_to_array(htlc.value).to_vec();
1992                                         htlc_msat_height_data.extend_from_slice(&byte_utils::be32_to_array(
1993                                                 self.latest_block_height.load(Ordering::Acquire) as u32,
1994                                         ));
1995                                         self.fail_htlc_backwards_internal(channel_state.take().unwrap(),
1996                                                                          HTLCSource::PreviousHopData(htlc.prev_hop), &payment_hash,
1997                                                                          HTLCFailReason::Reason { failure_code: 0x4000|15, data: htlc_msat_height_data });
1998                                 } else {
1999                                         match self.claim_funds_from_hop(channel_state.as_mut().unwrap(), htlc.prev_hop, payment_preimage) {
2000                                                 Err(Some(e)) => {
2001                                                         if let msgs::ErrorAction::IgnoreError = e.1.err.action {
2002                                                                 // We got a temporary failure updating monitor, but will claim the
2003                                                                 // HTLC when the monitor updating is restored (or on chain).
2004                                                                 log_error!(self, "Temporary failure claiming HTLC, treating as success: {}", e.1.err.err);
2005                                                                 claimed_any_htlcs = true;
2006                                                         } else { errs.push(e); }
2007                                                 },
2008                                                 Err(None) if is_mpp => unreachable!("We already checked for channel existence, we can't fail here!"),
2009                                                 Err(None) => {
2010                                                         log_warn!(self, "Channel we expected to claim an HTLC from was closed.");
2011                                                 },
2012                                                 Ok(()) => claimed_any_htlcs = true,
2013                                         }
2014                                 }
2015                         }
2016
2017                         // Now that we've done the entire above loop in one lock, we can handle any errors
2018                         // which were generated.
2019                         channel_state.take();
2020
2021                         for (their_node_id, err) in errs.drain(..) {
2022                                 let res: Result<(), _> = Err(err);
2023                                 let _ = handle_error!(self, res, their_node_id);
2024                         }
2025
2026                         claimed_any_htlcs
2027                 } else { false }
2028         }
2029
2030         fn claim_funds_from_hop(&self, channel_state_lock: &mut MutexGuard<ChannelHolder<ChanSigner>>, prev_hop: HTLCPreviousHopData, payment_preimage: PaymentPreimage) -> Result<(), Option<(PublicKey, MsgHandleErrInternal)>> {
2031                 //TODO: Delay the claimed_funds relaying just like we do outbound relay!
2032                 let channel_state = &mut **channel_state_lock;
2033                 let chan_id = match channel_state.short_to_id.get(&prev_hop.short_channel_id) {
2034                         Some(chan_id) => chan_id.clone(),
2035                         None => {
2036                                 return Err(None)
2037                         }
2038                 };
2039
2040                 if let hash_map::Entry::Occupied(mut chan) = channel_state.by_id.entry(chan_id) {
2041                         let was_frozen_for_monitor = chan.get().is_awaiting_monitor_update();
2042                         match chan.get_mut().get_update_fulfill_htlc_and_commit(prev_hop.htlc_id, payment_preimage) {
2043                                 Ok((msgs, monitor_option)) => {
2044                                         if let Some(monitor_update) = monitor_option {
2045                                                 if let Err(e) = self.monitor.update_monitor(chan.get().get_funding_txo().unwrap(), monitor_update) {
2046                                                         if was_frozen_for_monitor {
2047                                                                 assert!(msgs.is_none());
2048                                                         } else {
2049                                                                 return Err(Some((chan.get().get_their_node_id(), handle_monitor_err!(self, e, channel_state, chan, RAACommitmentOrder::CommitmentFirst, false, msgs.is_some()).unwrap_err())));
2050                                                         }
2051                                                 }
2052                                         }
2053                                         if let Some((msg, commitment_signed)) = msgs {
2054                                                 channel_state.pending_msg_events.push(events::MessageSendEvent::UpdateHTLCs {
2055                                                         node_id: chan.get().get_their_node_id(),
2056                                                         updates: msgs::CommitmentUpdate {
2057                                                                 update_add_htlcs: Vec::new(),
2058                                                                 update_fulfill_htlcs: vec![msg],
2059                                                                 update_fail_htlcs: Vec::new(),
2060                                                                 update_fail_malformed_htlcs: Vec::new(),
2061                                                                 update_fee: None,
2062                                                                 commitment_signed,
2063                                                         }
2064                                                 });
2065                                         }
2066                                         return Ok(())
2067                                 },
2068                                 Err(e) => {
2069                                         // TODO: Do something with e?
2070                                         // This should only occur if we are claiming an HTLC at the same time as the
2071                                         // HTLC is being failed (eg because a block is being connected and this caused
2072                                         // an HTLC to time out). This should, of course, only occur if the user is the
2073                                         // one doing the claiming (as it being a part of a peer claim would imply we're
2074                                         // about to lose funds) and only if the lock in claim_funds was dropped as a
2075                                         // previous HTLC was failed (thus not for an MPP payment).
2076                                         debug_assert!(false, "This shouldn't be reachable except in absurdly rare cases between monitor updates and HTLC timeouts: {:?}", e);
2077                                         return Err(None)
2078                                 },
2079                         }
2080                 } else { unreachable!(); }
2081         }
2082
2083         fn claim_funds_internal(&self, mut channel_state_lock: MutexGuard<ChannelHolder<ChanSigner>>, source: HTLCSource, payment_preimage: PaymentPreimage) {
2084                 match source {
2085                         HTLCSource::OutboundRoute { .. } => {
2086                                 mem::drop(channel_state_lock);
2087                                 let mut pending_events = self.pending_events.lock().unwrap();
2088                                 pending_events.push(events::Event::PaymentSent {
2089                                         payment_preimage
2090                                 });
2091                         },
2092                         HTLCSource::PreviousHopData(hop_data) => {
2093                                 if let Err((their_node_id, err)) = match self.claim_funds_from_hop(&mut channel_state_lock, hop_data, payment_preimage) {
2094                                         Ok(()) => Ok(()),
2095                                         Err(None) => {
2096                                                 // TODO: There is probably a channel monitor somewhere that needs to
2097                                                 // learn the preimage as the channel already hit the chain and that's
2098                                                 // why it's missing.
2099                                                 Ok(())
2100                                         },
2101                                         Err(Some(res)) => Err(res),
2102                                 } {
2103                                         mem::drop(channel_state_lock);
2104                                         let res: Result<(), _> = Err(err);
2105                                         let _ = handle_error!(self, res, their_node_id);
2106                                 }
2107                         },
2108                 }
2109         }
2110
2111         /// Gets the node_id held by this ChannelManager
2112         pub fn get_our_node_id(&self) -> PublicKey {
2113                 PublicKey::from_secret_key(&self.secp_ctx, &self.our_network_key)
2114         }
2115
2116         /// Restores a single, given channel to normal operation after a
2117         /// ChannelMonitorUpdateErr::TemporaryFailure was returned from a channel monitor update
2118         /// operation.
2119         ///
2120         /// All ChannelMonitor updates up to and including highest_applied_update_id must have been
2121         /// fully committed in every copy of the given channels' ChannelMonitors.
2122         ///
2123         /// Note that there is no effect to calling with a highest_applied_update_id other than the
2124         /// current latest ChannelMonitorUpdate and one call to this function after multiple
2125         /// ChannelMonitorUpdateErr::TemporaryFailures is fine. The highest_applied_update_id field
2126         /// exists largely only to prevent races between this and concurrent update_monitor calls.
2127         ///
2128         /// Thus, the anticipated use is, at a high level:
2129         ///  1) You register a ManyChannelMonitor with this ChannelManager,
2130         ///  2) it stores each update to disk, and begins updating any remote (eg watchtower) copies of
2131         ///     said ChannelMonitors as it can, returning ChannelMonitorUpdateErr::TemporaryFailures
2132         ///     any time it cannot do so instantly,
2133         ///  3) update(s) are applied to each remote copy of a ChannelMonitor,
2134         ///  4) once all remote copies are updated, you call this function with the update_id that
2135         ///     completed, and once it is the latest the Channel will be re-enabled.
2136         pub fn channel_monitor_updated(&self, funding_txo: &OutPoint, highest_applied_update_id: u64) {
2137                 let _ = self.total_consistency_lock.read().unwrap();
2138
2139                 let mut close_results = Vec::new();
2140                 let mut htlc_forwards = Vec::new();
2141                 let mut htlc_failures = Vec::new();
2142                 let mut pending_events = Vec::new();
2143
2144                 {
2145                         let mut channel_lock = self.channel_state.lock().unwrap();
2146                         let channel_state = &mut *channel_lock;
2147                         let short_to_id = &mut channel_state.short_to_id;
2148                         let pending_msg_events = &mut channel_state.pending_msg_events;
2149                         let channel = match channel_state.by_id.get_mut(&funding_txo.to_channel_id()) {
2150                                 Some(chan) => chan,
2151                                 None => return,
2152                         };
2153                         if !channel.is_awaiting_monitor_update() || channel.get_latest_monitor_update_id() != highest_applied_update_id {
2154                                 return;
2155                         }
2156
2157                         let (raa, commitment_update, order, pending_forwards, mut pending_failures, needs_broadcast_safe, funding_locked) = channel.monitor_updating_restored();
2158                         if !pending_forwards.is_empty() {
2159                                 htlc_forwards.push((channel.get_short_channel_id().expect("We can't have pending forwards before funding confirmation"), pending_forwards));
2160                         }
2161                         htlc_failures.append(&mut pending_failures);
2162
2163                         macro_rules! handle_cs { () => {
2164                                 if let Some(update) = commitment_update {
2165                                         pending_msg_events.push(events::MessageSendEvent::UpdateHTLCs {
2166                                                 node_id: channel.get_their_node_id(),
2167                                                 updates: update,
2168                                         });
2169                                 }
2170                         } }
2171                         macro_rules! handle_raa { () => {
2172                                 if let Some(revoke_and_ack) = raa {
2173                                         pending_msg_events.push(events::MessageSendEvent::SendRevokeAndACK {
2174                                                 node_id: channel.get_their_node_id(),
2175                                                 msg: revoke_and_ack,
2176                                         });
2177                                 }
2178                         } }
2179                         match order {
2180                                 RAACommitmentOrder::CommitmentFirst => {
2181                                         handle_cs!();
2182                                         handle_raa!();
2183                                 },
2184                                 RAACommitmentOrder::RevokeAndACKFirst => {
2185                                         handle_raa!();
2186                                         handle_cs!();
2187                                 },
2188                         }
2189                         if needs_broadcast_safe {
2190                                 pending_events.push(events::Event::FundingBroadcastSafe {
2191                                         funding_txo: channel.get_funding_txo().unwrap(),
2192                                         user_channel_id: channel.get_user_id(),
2193                                 });
2194                         }
2195                         if let Some(msg) = funding_locked {
2196                                 pending_msg_events.push(events::MessageSendEvent::SendFundingLocked {
2197                                         node_id: channel.get_their_node_id(),
2198                                         msg,
2199                                 });
2200                                 if let Some(announcement_sigs) = self.get_announcement_sigs(channel) {
2201                                         pending_msg_events.push(events::MessageSendEvent::SendAnnouncementSignatures {
2202                                                 node_id: channel.get_their_node_id(),
2203                                                 msg: announcement_sigs,
2204                                         });
2205                                 }
2206                                 short_to_id.insert(channel.get_short_channel_id().unwrap(), channel.channel_id());
2207                         }
2208                 }
2209
2210                 self.pending_events.lock().unwrap().append(&mut pending_events);
2211
2212                 for failure in htlc_failures.drain(..) {
2213                         self.fail_htlc_backwards_internal(self.channel_state.lock().unwrap(), failure.0, &failure.1, failure.2);
2214                 }
2215                 self.forward_htlcs(&mut htlc_forwards[..]);
2216
2217                 for res in close_results.drain(..) {
2218                         self.finish_force_close_channel(res);
2219                 }
2220         }
2221
2222         fn internal_open_channel(&self, their_node_id: &PublicKey, their_features: InitFeatures, msg: &msgs::OpenChannel) -> Result<(), MsgHandleErrInternal> {
2223                 if msg.chain_hash != self.genesis_hash {
2224                         return Err(MsgHandleErrInternal::send_err_msg_no_close("Unknown genesis block hash", msg.temporary_channel_id.clone()));
2225                 }
2226
2227                 let channel = Channel::new_from_req(&self.fee_estimator, &self.keys_manager, their_node_id.clone(), their_features, msg, 0, Arc::clone(&self.logger), &self.default_configuration)
2228                         .map_err(|e| MsgHandleErrInternal::from_chan_no_close(e, msg.temporary_channel_id))?;
2229                 let mut channel_state_lock = self.channel_state.lock().unwrap();
2230                 let channel_state = &mut *channel_state_lock;
2231                 match channel_state.by_id.entry(channel.channel_id()) {
2232                         hash_map::Entry::Occupied(_) => return Err(MsgHandleErrInternal::send_err_msg_no_close("temporary_channel_id collision!", msg.temporary_channel_id.clone())),
2233                         hash_map::Entry::Vacant(entry) => {
2234                                 channel_state.pending_msg_events.push(events::MessageSendEvent::SendAcceptChannel {
2235                                         node_id: their_node_id.clone(),
2236                                         msg: channel.get_accept_channel(),
2237                                 });
2238                                 entry.insert(channel);
2239                         }
2240                 }
2241                 Ok(())
2242         }
2243
2244         fn internal_accept_channel(&self, their_node_id: &PublicKey, their_features: InitFeatures, msg: &msgs::AcceptChannel) -> Result<(), MsgHandleErrInternal> {
2245                 let (value, output_script, user_id) = {
2246                         let mut channel_lock = self.channel_state.lock().unwrap();
2247                         let channel_state = &mut *channel_lock;
2248                         match channel_state.by_id.entry(msg.temporary_channel_id) {
2249                                 hash_map::Entry::Occupied(mut chan) => {
2250                                         if chan.get().get_their_node_id() != *their_node_id {
2251                                                 return Err(MsgHandleErrInternal::send_err_msg_no_close("Got a message for a channel from the wrong node!", msg.temporary_channel_id));
2252                                         }
2253                                         try_chan_entry!(self, chan.get_mut().accept_channel(&msg, &self.default_configuration, their_features), channel_state, chan);
2254                                         (chan.get().get_value_satoshis(), chan.get().get_funding_redeemscript().to_v0_p2wsh(), chan.get().get_user_id())
2255                                 },
2256                                 hash_map::Entry::Vacant(_) => return Err(MsgHandleErrInternal::send_err_msg_no_close("Failed to find corresponding channel", msg.temporary_channel_id))
2257                         }
2258                 };
2259                 let mut pending_events = self.pending_events.lock().unwrap();
2260                 pending_events.push(events::Event::FundingGenerationReady {
2261                         temporary_channel_id: msg.temporary_channel_id,
2262                         channel_value_satoshis: value,
2263                         output_script: output_script,
2264                         user_channel_id: user_id,
2265                 });
2266                 Ok(())
2267         }
2268
2269         fn internal_funding_created(&self, their_node_id: &PublicKey, msg: &msgs::FundingCreated) -> Result<(), MsgHandleErrInternal> {
2270                 let ((funding_msg, monitor_update), mut chan) = {
2271                         let mut channel_lock = self.channel_state.lock().unwrap();
2272                         let channel_state = &mut *channel_lock;
2273                         match channel_state.by_id.entry(msg.temporary_channel_id.clone()) {
2274                                 hash_map::Entry::Occupied(mut chan) => {
2275                                         if chan.get().get_their_node_id() != *their_node_id {
2276                                                 return Err(MsgHandleErrInternal::send_err_msg_no_close("Got a message for a channel from the wrong node!", msg.temporary_channel_id));
2277                                         }
2278                                         (try_chan_entry!(self, chan.get_mut().funding_created(msg), channel_state, chan), chan.remove())
2279                                 },
2280                                 hash_map::Entry::Vacant(_) => return Err(MsgHandleErrInternal::send_err_msg_no_close("Failed to find corresponding channel", msg.temporary_channel_id))
2281                         }
2282                 };
2283                 // Because we have exclusive ownership of the channel here we can release the channel_state
2284                 // lock before add_monitor
2285                 if let Err(e) = self.monitor.add_monitor(monitor_update.get_funding_txo(), monitor_update) {
2286                         match e {
2287                                 ChannelMonitorUpdateErr::PermanentFailure => {
2288                                         // Note that we reply with the new channel_id in error messages if we gave up on the
2289                                         // channel, not the temporary_channel_id. This is compatible with ourselves, but the
2290                                         // spec is somewhat ambiguous here. Not a huge deal since we'll send error messages for
2291                                         // any messages referencing a previously-closed channel anyway.
2292                                         return Err(MsgHandleErrInternal::from_finish_shutdown("ChannelMonitor storage failure", funding_msg.channel_id, chan.force_shutdown(true), None));
2293                                 },
2294                                 ChannelMonitorUpdateErr::TemporaryFailure => {
2295                                         // There's no problem signing a counterparty's funding transaction if our monitor
2296                                         // hasn't persisted to disk yet - we can't lose money on a transaction that we haven't
2297                                         // accepted payment from yet. We do, however, need to wait to send our funding_locked
2298                                         // until we have persisted our monitor.
2299                                         chan.monitor_update_failed(false, false, Vec::new(), Vec::new());
2300                                 },
2301                         }
2302                 }
2303                 let mut channel_state_lock = self.channel_state.lock().unwrap();
2304                 let channel_state = &mut *channel_state_lock;
2305                 match channel_state.by_id.entry(funding_msg.channel_id) {
2306                         hash_map::Entry::Occupied(_) => {
2307                                 return Err(MsgHandleErrInternal::send_err_msg_no_close("Already had channel with the new channel_id", funding_msg.channel_id))
2308                         },
2309                         hash_map::Entry::Vacant(e) => {
2310                                 channel_state.pending_msg_events.push(events::MessageSendEvent::SendFundingSigned {
2311                                         node_id: their_node_id.clone(),
2312                                         msg: funding_msg,
2313                                 });
2314                                 e.insert(chan);
2315                         }
2316                 }
2317                 Ok(())
2318         }
2319
2320         fn internal_funding_signed(&self, their_node_id: &PublicKey, msg: &msgs::FundingSigned) -> Result<(), MsgHandleErrInternal> {
2321                 let (funding_txo, user_id) = {
2322                         let mut channel_lock = self.channel_state.lock().unwrap();
2323                         let channel_state = &mut *channel_lock;
2324                         match channel_state.by_id.entry(msg.channel_id) {
2325                                 hash_map::Entry::Occupied(mut chan) => {
2326                                         if chan.get().get_their_node_id() != *their_node_id {
2327                                                 return Err(MsgHandleErrInternal::send_err_msg_no_close("Got a message for a channel from the wrong node!", msg.channel_id));
2328                                         }
2329                                         let monitor = match chan.get_mut().funding_signed(&msg) {
2330                                                 Ok(update) => update,
2331                                                 Err(e) => try_chan_entry!(self, Err(e), channel_state, chan),
2332                                         };
2333                                         if let Err(e) = self.monitor.add_monitor(chan.get().get_funding_txo().unwrap(), monitor) {
2334                                                 return_monitor_err!(self, e, channel_state, chan, RAACommitmentOrder::RevokeAndACKFirst, false, false);
2335                                         }
2336                                         (chan.get().get_funding_txo().unwrap(), chan.get().get_user_id())
2337                                 },
2338                                 hash_map::Entry::Vacant(_) => return Err(MsgHandleErrInternal::send_err_msg_no_close("Failed to find corresponding channel", msg.channel_id))
2339                         }
2340                 };
2341                 let mut pending_events = self.pending_events.lock().unwrap();
2342                 pending_events.push(events::Event::FundingBroadcastSafe {
2343                         funding_txo: funding_txo,
2344                         user_channel_id: user_id,
2345                 });
2346                 Ok(())
2347         }
2348
2349         fn internal_funding_locked(&self, their_node_id: &PublicKey, msg: &msgs::FundingLocked) -> Result<(), MsgHandleErrInternal> {
2350                 let mut channel_state_lock = self.channel_state.lock().unwrap();
2351                 let channel_state = &mut *channel_state_lock;
2352                 match channel_state.by_id.entry(msg.channel_id) {
2353                         hash_map::Entry::Occupied(mut chan) => {
2354                                 if chan.get().get_their_node_id() != *their_node_id {
2355                                         return Err(MsgHandleErrInternal::send_err_msg_no_close("Got a message for a channel from the wrong node!", msg.channel_id));
2356                                 }
2357                                 try_chan_entry!(self, chan.get_mut().funding_locked(&msg), channel_state, chan);
2358                                 if let Some(announcement_sigs) = self.get_announcement_sigs(chan.get()) {
2359                                         log_trace!(self, "Sending announcement_signatures for {} in response to funding_locked", log_bytes!(chan.get().channel_id()));
2360                                         // If we see locking block before receiving remote funding_locked, we broadcast our
2361                                         // announcement_sigs at remote funding_locked reception. If we receive remote
2362                                         // funding_locked before seeing locking block, we broadcast our announcement_sigs at locking
2363                                         // block connection. We should guanrantee to broadcast announcement_sigs to our peer whatever
2364                                         // the order of the events but our peer may not receive it due to disconnection. The specs
2365                                         // lacking an acknowledgement for announcement_sigs we may have to re-send them at peer
2366                                         // connection in the future if simultaneous misses by both peers due to network/hardware
2367                                         // failures is an issue. Note, to achieve its goal, only one of the announcement_sigs needs
2368                                         // to be received, from then sigs are going to be flood to the whole network.
2369                                         channel_state.pending_msg_events.push(events::MessageSendEvent::SendAnnouncementSignatures {
2370                                                 node_id: their_node_id.clone(),
2371                                                 msg: announcement_sigs,
2372                                         });
2373                                 }
2374                                 Ok(())
2375                         },
2376                         hash_map::Entry::Vacant(_) => Err(MsgHandleErrInternal::send_err_msg_no_close("Failed to find corresponding channel", msg.channel_id))
2377                 }
2378         }
2379
2380         fn internal_shutdown(&self, their_node_id: &PublicKey, msg: &msgs::Shutdown) -> Result<(), MsgHandleErrInternal> {
2381                 let (mut dropped_htlcs, chan_option) = {
2382                         let mut channel_state_lock = self.channel_state.lock().unwrap();
2383                         let channel_state = &mut *channel_state_lock;
2384
2385                         match channel_state.by_id.entry(msg.channel_id.clone()) {
2386                                 hash_map::Entry::Occupied(mut chan_entry) => {
2387                                         if chan_entry.get().get_their_node_id() != *their_node_id {
2388                                                 return Err(MsgHandleErrInternal::send_err_msg_no_close("Got a message for a channel from the wrong node!", msg.channel_id));
2389                                         }
2390                                         let (shutdown, closing_signed, dropped_htlcs) = try_chan_entry!(self, chan_entry.get_mut().shutdown(&self.fee_estimator, &msg), channel_state, chan_entry);
2391                                         if let Some(msg) = shutdown {
2392                                                 channel_state.pending_msg_events.push(events::MessageSendEvent::SendShutdown {
2393                                                         node_id: their_node_id.clone(),
2394                                                         msg,
2395                                                 });
2396                                         }
2397                                         if let Some(msg) = closing_signed {
2398                                                 channel_state.pending_msg_events.push(events::MessageSendEvent::SendClosingSigned {
2399                                                         node_id: their_node_id.clone(),
2400                                                         msg,
2401                                                 });
2402                                         }
2403                                         if chan_entry.get().is_shutdown() {
2404                                                 if let Some(short_id) = chan_entry.get().get_short_channel_id() {
2405                                                         channel_state.short_to_id.remove(&short_id);
2406                                                 }
2407                                                 (dropped_htlcs, Some(chan_entry.remove_entry().1))
2408                                         } else { (dropped_htlcs, None) }
2409                                 },
2410                                 hash_map::Entry::Vacant(_) => return Err(MsgHandleErrInternal::send_err_msg_no_close("Failed to find corresponding channel", msg.channel_id))
2411                         }
2412                 };
2413                 for htlc_source in dropped_htlcs.drain(..) {
2414                         self.fail_htlc_backwards_internal(self.channel_state.lock().unwrap(), htlc_source.0, &htlc_source.1, HTLCFailReason::Reason { failure_code: 0x4000 | 8, data: Vec::new() });
2415                 }
2416                 if let Some(chan) = chan_option {
2417                         if let Ok(update) = self.get_channel_update(&chan) {
2418                                 let mut channel_state = self.channel_state.lock().unwrap();
2419                                 channel_state.pending_msg_events.push(events::MessageSendEvent::BroadcastChannelUpdate {
2420                                         msg: update
2421                                 });
2422                         }
2423                 }
2424                 Ok(())
2425         }
2426
2427         fn internal_closing_signed(&self, their_node_id: &PublicKey, msg: &msgs::ClosingSigned) -> Result<(), MsgHandleErrInternal> {
2428                 let (tx, chan_option) = {
2429                         let mut channel_state_lock = self.channel_state.lock().unwrap();
2430                         let channel_state = &mut *channel_state_lock;
2431                         match channel_state.by_id.entry(msg.channel_id.clone()) {
2432                                 hash_map::Entry::Occupied(mut chan_entry) => {
2433                                         if chan_entry.get().get_their_node_id() != *their_node_id {
2434                                                 return Err(MsgHandleErrInternal::send_err_msg_no_close("Got a message for a channel from the wrong node!", msg.channel_id));
2435                                         }
2436                                         let (closing_signed, tx) = try_chan_entry!(self, chan_entry.get_mut().closing_signed(&self.fee_estimator, &msg), channel_state, chan_entry);
2437                                         if let Some(msg) = closing_signed {
2438                                                 channel_state.pending_msg_events.push(events::MessageSendEvent::SendClosingSigned {
2439                                                         node_id: their_node_id.clone(),
2440                                                         msg,
2441                                                 });
2442                                         }
2443                                         if tx.is_some() {
2444                                                 // We're done with this channel, we've got a signed closing transaction and
2445                                                 // will send the closing_signed back to the remote peer upon return. This
2446                                                 // also implies there are no pending HTLCs left on the channel, so we can
2447                                                 // fully delete it from tracking (the channel monitor is still around to
2448                                                 // watch for old state broadcasts)!
2449                                                 if let Some(short_id) = chan_entry.get().get_short_channel_id() {
2450                                                         channel_state.short_to_id.remove(&short_id);
2451                                                 }
2452                                                 (tx, Some(chan_entry.remove_entry().1))
2453                                         } else { (tx, None) }
2454                                 },
2455                                 hash_map::Entry::Vacant(_) => return Err(MsgHandleErrInternal::send_err_msg_no_close("Failed to find corresponding channel", msg.channel_id))
2456                         }
2457                 };
2458                 if let Some(broadcast_tx) = tx {
2459                         log_trace!(self, "Broadcast onchain {}", log_tx!(broadcast_tx));
2460                         self.tx_broadcaster.broadcast_transaction(&broadcast_tx);
2461                 }
2462                 if let Some(chan) = chan_option {
2463                         if let Ok(update) = self.get_channel_update(&chan) {
2464                                 let mut channel_state = self.channel_state.lock().unwrap();
2465                                 channel_state.pending_msg_events.push(events::MessageSendEvent::BroadcastChannelUpdate {
2466                                         msg: update
2467                                 });
2468                         }
2469                 }
2470                 Ok(())
2471         }
2472
2473         fn internal_update_add_htlc(&self, their_node_id: &PublicKey, msg: &msgs::UpdateAddHTLC) -> Result<(), MsgHandleErrInternal> {
2474                 //TODO: BOLT 4 points out a specific attack where a peer may re-send an onion packet and
2475                 //determine the state of the payment based on our response/if we forward anything/the time
2476                 //we take to respond. We should take care to avoid allowing such an attack.
2477                 //
2478                 //TODO: There exists a further attack where a node may garble the onion data, forward it to
2479                 //us repeatedly garbled in different ways, and compare our error messages, which are
2480                 //encrypted with the same key. It's not immediately obvious how to usefully exploit that,
2481                 //but we should prevent it anyway.
2482
2483                 let (mut pending_forward_info, mut channel_state_lock) = self.decode_update_add_htlc_onion(msg);
2484                 let channel_state = &mut *channel_state_lock;
2485
2486                 match channel_state.by_id.entry(msg.channel_id) {
2487                         hash_map::Entry::Occupied(mut chan) => {
2488                                 if chan.get().get_their_node_id() != *their_node_id {
2489                                         return Err(MsgHandleErrInternal::send_err_msg_no_close("Got a message for a channel from the wrong node!", msg.channel_id));
2490                                 }
2491                                 if !chan.get().is_usable() {
2492                                         // If the update_add is completely bogus, the call will Err and we will close,
2493                                         // but if we've sent a shutdown and they haven't acknowledged it yet, we just
2494                                         // want to reject the new HTLC and fail it backwards instead of forwarding.
2495                                         if let PendingHTLCStatus::Forward(PendingHTLCInfo { incoming_shared_secret, .. }) = pending_forward_info {
2496                                                 let chan_update = self.get_channel_update(chan.get());
2497                                                 pending_forward_info = PendingHTLCStatus::Fail(HTLCFailureMsg::Relay(msgs::UpdateFailHTLC {
2498                                                         channel_id: msg.channel_id,
2499                                                         htlc_id: msg.htlc_id,
2500                                                         reason: if let Ok(update) = chan_update {
2501                                                                 // TODO: Note that |20 is defined as "channel FROM the processing
2502                                                                 // node has been disabled" (emphasis mine), which seems to imply
2503                                                                 // that we can't return |20 for an inbound channel being disabled.
2504                                                                 // This probably needs a spec update but should definitely be
2505                                                                 // allowed.
2506                                                                 onion_utils::build_first_hop_failure_packet(&incoming_shared_secret, 0x1000|20, &{
2507                                                                         let mut res = Vec::with_capacity(8 + 128);
2508                                                                         res.extend_from_slice(&byte_utils::be16_to_array(update.contents.flags));
2509                                                                         res.extend_from_slice(&update.encode_with_len()[..]);
2510                                                                         res
2511                                                                 }[..])
2512                                                         } else {
2513                                                                 // This can only happen if the channel isn't in the fully-funded
2514                                                                 // state yet, implying our counterparty is trying to route payments
2515                                                                 // over the channel back to themselves (cause no one else should
2516                                                                 // know the short_id is a lightning channel yet). We should have no
2517                                                                 // problem just calling this unknown_next_peer
2518                                                                 onion_utils::build_first_hop_failure_packet(&incoming_shared_secret, 0x4000|10, &[])
2519                                                         },
2520                                                 }));
2521                                         }
2522                                 }
2523                                 try_chan_entry!(self, chan.get_mut().update_add_htlc(&msg, pending_forward_info), channel_state, chan);
2524                         },
2525                         hash_map::Entry::Vacant(_) => return Err(MsgHandleErrInternal::send_err_msg_no_close("Failed to find corresponding channel", msg.channel_id))
2526                 }
2527                 Ok(())
2528         }
2529
2530         fn internal_update_fulfill_htlc(&self, their_node_id: &PublicKey, msg: &msgs::UpdateFulfillHTLC) -> Result<(), MsgHandleErrInternal> {
2531                 let mut channel_lock = self.channel_state.lock().unwrap();
2532                 let htlc_source = {
2533                         let channel_state = &mut *channel_lock;
2534                         match channel_state.by_id.entry(msg.channel_id) {
2535                                 hash_map::Entry::Occupied(mut chan) => {
2536                                         if chan.get().get_their_node_id() != *their_node_id {
2537                                                 return Err(MsgHandleErrInternal::send_err_msg_no_close("Got a message for a channel from the wrong node!", msg.channel_id));
2538                                         }
2539                                         try_chan_entry!(self, chan.get_mut().update_fulfill_htlc(&msg), channel_state, chan)
2540                                 },
2541                                 hash_map::Entry::Vacant(_) => return Err(MsgHandleErrInternal::send_err_msg_no_close("Failed to find corresponding channel", msg.channel_id))
2542                         }
2543                 };
2544                 self.claim_funds_internal(channel_lock, htlc_source, msg.payment_preimage.clone());
2545                 Ok(())
2546         }
2547
2548         fn internal_update_fail_htlc(&self, their_node_id: &PublicKey, msg: &msgs::UpdateFailHTLC) -> Result<(), MsgHandleErrInternal> {
2549                 let mut channel_lock = self.channel_state.lock().unwrap();
2550                 let channel_state = &mut *channel_lock;
2551                 match channel_state.by_id.entry(msg.channel_id) {
2552                         hash_map::Entry::Occupied(mut chan) => {
2553                                 if chan.get().get_their_node_id() != *their_node_id {
2554                                         return Err(MsgHandleErrInternal::send_err_msg_no_close("Got a message for a channel from the wrong node!", msg.channel_id));
2555                                 }
2556                                 try_chan_entry!(self, chan.get_mut().update_fail_htlc(&msg, HTLCFailReason::LightningError { err: msg.reason.clone() }), channel_state, chan);
2557                         },
2558                         hash_map::Entry::Vacant(_) => return Err(MsgHandleErrInternal::send_err_msg_no_close("Failed to find corresponding channel", msg.channel_id))
2559                 }
2560                 Ok(())
2561         }
2562
2563         fn internal_update_fail_malformed_htlc(&self, their_node_id: &PublicKey, msg: &msgs::UpdateFailMalformedHTLC) -> Result<(), MsgHandleErrInternal> {
2564                 let mut channel_lock = self.channel_state.lock().unwrap();
2565                 let channel_state = &mut *channel_lock;
2566                 match channel_state.by_id.entry(msg.channel_id) {
2567                         hash_map::Entry::Occupied(mut chan) => {
2568                                 if chan.get().get_their_node_id() != *their_node_id {
2569                                         return Err(MsgHandleErrInternal::send_err_msg_no_close("Got a message for a channel from the wrong node!", msg.channel_id));
2570                                 }
2571                                 if (msg.failure_code & 0x8000) == 0 {
2572                                         let chan_err: ChannelError = ChannelError::Close("Got update_fail_malformed_htlc with BADONION not set");
2573                                         try_chan_entry!(self, Err(chan_err), channel_state, chan);
2574                                 }
2575                                 try_chan_entry!(self, chan.get_mut().update_fail_malformed_htlc(&msg, HTLCFailReason::Reason { failure_code: msg.failure_code, data: Vec::new() }), channel_state, chan);
2576                                 Ok(())
2577                         },
2578                         hash_map::Entry::Vacant(_) => return Err(MsgHandleErrInternal::send_err_msg_no_close("Failed to find corresponding channel", msg.channel_id))
2579                 }
2580         }
2581
2582         fn internal_commitment_signed(&self, their_node_id: &PublicKey, msg: &msgs::CommitmentSigned) -> Result<(), MsgHandleErrInternal> {
2583                 let mut channel_state_lock = self.channel_state.lock().unwrap();
2584                 let channel_state = &mut *channel_state_lock;
2585                 match channel_state.by_id.entry(msg.channel_id) {
2586                         hash_map::Entry::Occupied(mut chan) => {
2587                                 if chan.get().get_their_node_id() != *their_node_id {
2588                                         return Err(MsgHandleErrInternal::send_err_msg_no_close("Got a message for a channel from the wrong node!", msg.channel_id));
2589                                 }
2590                                 let (revoke_and_ack, commitment_signed, closing_signed, monitor_update) =
2591                                                 match chan.get_mut().commitment_signed(&msg, &self.fee_estimator) {
2592                                         Err((None, e)) => try_chan_entry!(self, Err(e), channel_state, chan),
2593                                         Err((Some(update), e)) => {
2594                                                 assert!(chan.get().is_awaiting_monitor_update());
2595                                                 let _ = self.monitor.update_monitor(chan.get().get_funding_txo().unwrap(), update);
2596                                                 try_chan_entry!(self, Err(e), channel_state, chan);
2597                                                 unreachable!();
2598                                         },
2599                                         Ok(res) => res
2600                                 };
2601                                 if let Err(e) = self.monitor.update_monitor(chan.get().get_funding_txo().unwrap(), monitor_update) {
2602                                         return_monitor_err!(self, e, channel_state, chan, RAACommitmentOrder::RevokeAndACKFirst, true, commitment_signed.is_some());
2603                                         //TODO: Rebroadcast closing_signed if present on monitor update restoration
2604                                 }
2605                                 channel_state.pending_msg_events.push(events::MessageSendEvent::SendRevokeAndACK {
2606                                         node_id: their_node_id.clone(),
2607                                         msg: revoke_and_ack,
2608                                 });
2609                                 if let Some(msg) = commitment_signed {
2610                                         channel_state.pending_msg_events.push(events::MessageSendEvent::UpdateHTLCs {
2611                                                 node_id: their_node_id.clone(),
2612                                                 updates: msgs::CommitmentUpdate {
2613                                                         update_add_htlcs: Vec::new(),
2614                                                         update_fulfill_htlcs: Vec::new(),
2615                                                         update_fail_htlcs: Vec::new(),
2616                                                         update_fail_malformed_htlcs: Vec::new(),
2617                                                         update_fee: None,
2618                                                         commitment_signed: msg,
2619                                                 },
2620                                         });
2621                                 }
2622                                 if let Some(msg) = closing_signed {
2623                                         channel_state.pending_msg_events.push(events::MessageSendEvent::SendClosingSigned {
2624                                                 node_id: their_node_id.clone(),
2625                                                 msg,
2626                                         });
2627                                 }
2628                                 Ok(())
2629                         },
2630                         hash_map::Entry::Vacant(_) => return Err(MsgHandleErrInternal::send_err_msg_no_close("Failed to find corresponding channel", msg.channel_id))
2631                 }
2632         }
2633
2634         #[inline]
2635         fn forward_htlcs(&self, per_source_pending_forwards: &mut [(u64, Vec<(PendingHTLCInfo, u64)>)]) {
2636                 for &mut (prev_short_channel_id, ref mut pending_forwards) in per_source_pending_forwards {
2637                         let mut forward_event = None;
2638                         if !pending_forwards.is_empty() {
2639                                 let mut channel_state = self.channel_state.lock().unwrap();
2640                                 if channel_state.forward_htlcs.is_empty() {
2641                                         forward_event = Some(Duration::from_millis(MIN_HTLC_RELAY_HOLDING_CELL_MILLIS))
2642                                 }
2643                                 for (forward_info, prev_htlc_id) in pending_forwards.drain(..) {
2644                                         match channel_state.forward_htlcs.entry(match forward_info.routing {
2645                                                         PendingHTLCRouting::Forward { short_channel_id, .. } => short_channel_id,
2646                                                         PendingHTLCRouting::Receive { .. } => 0,
2647                                         }) {
2648                                                 hash_map::Entry::Occupied(mut entry) => {
2649                                                         entry.get_mut().push(HTLCForwardInfo::AddHTLC { prev_short_channel_id, prev_htlc_id, forward_info });
2650                                                 },
2651                                                 hash_map::Entry::Vacant(entry) => {
2652                                                         entry.insert(vec!(HTLCForwardInfo::AddHTLC { prev_short_channel_id, prev_htlc_id, forward_info }));
2653                                                 }
2654                                         }
2655                                 }
2656                         }
2657                         match forward_event {
2658                                 Some(time) => {
2659                                         let mut pending_events = self.pending_events.lock().unwrap();
2660                                         pending_events.push(events::Event::PendingHTLCsForwardable {
2661                                                 time_forwardable: time
2662                                         });
2663                                 }
2664                                 None => {},
2665                         }
2666                 }
2667         }
2668
2669         fn internal_revoke_and_ack(&self, their_node_id: &PublicKey, msg: &msgs::RevokeAndACK) -> Result<(), MsgHandleErrInternal> {
2670                 let (pending_forwards, mut pending_failures, short_channel_id) = {
2671                         let mut channel_state_lock = self.channel_state.lock().unwrap();
2672                         let channel_state = &mut *channel_state_lock;
2673                         match channel_state.by_id.entry(msg.channel_id) {
2674                                 hash_map::Entry::Occupied(mut chan) => {
2675                                         if chan.get().get_their_node_id() != *their_node_id {
2676                                                 return Err(MsgHandleErrInternal::send_err_msg_no_close("Got a message for a channel from the wrong node!", msg.channel_id));
2677                                         }
2678                                         let was_frozen_for_monitor = chan.get().is_awaiting_monitor_update();
2679                                         let (commitment_update, pending_forwards, pending_failures, closing_signed, monitor_update) =
2680                                                 try_chan_entry!(self, chan.get_mut().revoke_and_ack(&msg, &self.fee_estimator), channel_state, chan);
2681                                         if let Err(e) = self.monitor.update_monitor(chan.get().get_funding_txo().unwrap(), monitor_update) {
2682                                                 if was_frozen_for_monitor {
2683                                                         assert!(commitment_update.is_none() && closing_signed.is_none() && pending_forwards.is_empty() && pending_failures.is_empty());
2684                                                         return Err(MsgHandleErrInternal::ignore_no_close("Previous monitor update failure prevented responses to RAA"));
2685                                                 } else {
2686                                                         return_monitor_err!(self, e, channel_state, chan, RAACommitmentOrder::CommitmentFirst, false, commitment_update.is_some(), pending_forwards, pending_failures);
2687                                                 }
2688                                         }
2689                                         if let Some(updates) = commitment_update {
2690                                                 channel_state.pending_msg_events.push(events::MessageSendEvent::UpdateHTLCs {
2691                                                         node_id: their_node_id.clone(),
2692                                                         updates,
2693                                                 });
2694                                         }
2695                                         if let Some(msg) = closing_signed {
2696                                                 channel_state.pending_msg_events.push(events::MessageSendEvent::SendClosingSigned {
2697                                                         node_id: their_node_id.clone(),
2698                                                         msg,
2699                                                 });
2700                                         }
2701                                         (pending_forwards, pending_failures, chan.get().get_short_channel_id().expect("RAA should only work on a short-id-available channel"))
2702                                 },
2703                                 hash_map::Entry::Vacant(_) => return Err(MsgHandleErrInternal::send_err_msg_no_close("Failed to find corresponding channel", msg.channel_id))
2704                         }
2705                 };
2706                 for failure in pending_failures.drain(..) {
2707                         self.fail_htlc_backwards_internal(self.channel_state.lock().unwrap(), failure.0, &failure.1, failure.2);
2708                 }
2709                 self.forward_htlcs(&mut [(short_channel_id, pending_forwards)]);
2710
2711                 Ok(())
2712         }
2713
2714         fn internal_update_fee(&self, their_node_id: &PublicKey, msg: &msgs::UpdateFee) -> Result<(), MsgHandleErrInternal> {
2715                 let mut channel_lock = self.channel_state.lock().unwrap();
2716                 let channel_state = &mut *channel_lock;
2717                 match channel_state.by_id.entry(msg.channel_id) {
2718                         hash_map::Entry::Occupied(mut chan) => {
2719                                 if chan.get().get_their_node_id() != *their_node_id {
2720                                         return Err(MsgHandleErrInternal::send_err_msg_no_close("Got a message for a channel from the wrong node!", msg.channel_id));
2721                                 }
2722                                 try_chan_entry!(self, chan.get_mut().update_fee(&self.fee_estimator, &msg), channel_state, chan);
2723                         },
2724                         hash_map::Entry::Vacant(_) => return Err(MsgHandleErrInternal::send_err_msg_no_close("Failed to find corresponding channel", msg.channel_id))
2725                 }
2726                 Ok(())
2727         }
2728
2729         fn internal_announcement_signatures(&self, their_node_id: &PublicKey, msg: &msgs::AnnouncementSignatures) -> Result<(), MsgHandleErrInternal> {
2730                 let mut channel_state_lock = self.channel_state.lock().unwrap();
2731                 let channel_state = &mut *channel_state_lock;
2732
2733                 match channel_state.by_id.entry(msg.channel_id) {
2734                         hash_map::Entry::Occupied(mut chan) => {
2735                                 if chan.get().get_their_node_id() != *their_node_id {
2736                                         return Err(MsgHandleErrInternal::send_err_msg_no_close("Got a message for a channel from the wrong node!", msg.channel_id));
2737                                 }
2738                                 if !chan.get().is_usable() {
2739                                         return Err(MsgHandleErrInternal::from_no_close(LightningError{err: "Got an announcement_signatures before we were ready for it", action: msgs::ErrorAction::IgnoreError}));
2740                                 }
2741
2742                                 let our_node_id = self.get_our_node_id();
2743                                 let (announcement, our_bitcoin_sig) =
2744                                         try_chan_entry!(self, chan.get_mut().get_channel_announcement(our_node_id.clone(), self.genesis_hash.clone()), channel_state, chan);
2745
2746                                 let were_node_one = announcement.node_id_1 == our_node_id;
2747                                 let msghash = hash_to_message!(&Sha256dHash::hash(&announcement.encode()[..])[..]);
2748                                 if self.secp_ctx.verify(&msghash, &msg.node_signature, if were_node_one { &announcement.node_id_2 } else { &announcement.node_id_1 }).is_err() ||
2749                                                 self.secp_ctx.verify(&msghash, &msg.bitcoin_signature, if were_node_one { &announcement.bitcoin_key_2 } else { &announcement.bitcoin_key_1 }).is_err() {
2750                                         let chan_err: ChannelError = ChannelError::Close("Bad announcement_signatures node_signature");
2751                                         try_chan_entry!(self, Err(chan_err), channel_state, chan);
2752                                 }
2753
2754                                 let our_node_sig = self.secp_ctx.sign(&msghash, &self.our_network_key);
2755
2756                                 channel_state.pending_msg_events.push(events::MessageSendEvent::BroadcastChannelAnnouncement {
2757                                         msg: msgs::ChannelAnnouncement {
2758                                                 node_signature_1: if were_node_one { our_node_sig } else { msg.node_signature },
2759                                                 node_signature_2: if were_node_one { msg.node_signature } else { our_node_sig },
2760                                                 bitcoin_signature_1: if were_node_one { our_bitcoin_sig } else { msg.bitcoin_signature },
2761                                                 bitcoin_signature_2: if were_node_one { msg.bitcoin_signature } else { our_bitcoin_sig },
2762                                                 contents: announcement,
2763                                         },
2764                                         update_msg: self.get_channel_update(chan.get()).unwrap(), // can only fail if we're not in a ready state
2765                                 });
2766                         },
2767                         hash_map::Entry::Vacant(_) => return Err(MsgHandleErrInternal::send_err_msg_no_close("Failed to find corresponding channel", msg.channel_id))
2768                 }
2769                 Ok(())
2770         }
2771
2772         fn internal_channel_reestablish(&self, their_node_id: &PublicKey, msg: &msgs::ChannelReestablish) -> Result<(), MsgHandleErrInternal> {
2773                 let mut channel_state_lock = self.channel_state.lock().unwrap();
2774                 let channel_state = &mut *channel_state_lock;
2775
2776                 match channel_state.by_id.entry(msg.channel_id) {
2777                         hash_map::Entry::Occupied(mut chan) => {
2778                                 if chan.get().get_their_node_id() != *their_node_id {
2779                                         return Err(MsgHandleErrInternal::send_err_msg_no_close("Got a message for a channel from the wrong node!", msg.channel_id));
2780                                 }
2781                                 let (funding_locked, revoke_and_ack, commitment_update, monitor_update_opt, mut order, shutdown) =
2782                                         try_chan_entry!(self, chan.get_mut().channel_reestablish(msg), channel_state, chan);
2783                                 if let Some(monitor_update) = monitor_update_opt {
2784                                         if let Err(e) = self.monitor.update_monitor(chan.get().get_funding_txo().unwrap(), monitor_update) {
2785                                                 // channel_reestablish doesn't guarantee the order it returns is sensical
2786                                                 // for the messages it returns, but if we're setting what messages to
2787                                                 // re-transmit on monitor update success, we need to make sure it is sane.
2788                                                 if revoke_and_ack.is_none() {
2789                                                         order = RAACommitmentOrder::CommitmentFirst;
2790                                                 }
2791                                                 if commitment_update.is_none() {
2792                                                         order = RAACommitmentOrder::RevokeAndACKFirst;
2793                                                 }
2794                                                 return_monitor_err!(self, e, channel_state, chan, order, revoke_and_ack.is_some(), commitment_update.is_some());
2795                                                 //TODO: Resend the funding_locked if needed once we get the monitor running again
2796                                         }
2797                                 }
2798                                 if let Some(msg) = funding_locked {
2799                                         channel_state.pending_msg_events.push(events::MessageSendEvent::SendFundingLocked {
2800                                                 node_id: their_node_id.clone(),
2801                                                 msg
2802                                         });
2803                                 }
2804                                 macro_rules! send_raa { () => {
2805                                         if let Some(msg) = revoke_and_ack {
2806                                                 channel_state.pending_msg_events.push(events::MessageSendEvent::SendRevokeAndACK {
2807                                                         node_id: their_node_id.clone(),
2808                                                         msg
2809                                                 });
2810                                         }
2811                                 } }
2812                                 macro_rules! send_cu { () => {
2813                                         if let Some(updates) = commitment_update {
2814                                                 channel_state.pending_msg_events.push(events::MessageSendEvent::UpdateHTLCs {
2815                                                         node_id: their_node_id.clone(),
2816                                                         updates
2817                                                 });
2818                                         }
2819                                 } }
2820                                 match order {
2821                                         RAACommitmentOrder::RevokeAndACKFirst => {
2822                                                 send_raa!();
2823                                                 send_cu!();
2824                                         },
2825                                         RAACommitmentOrder::CommitmentFirst => {
2826                                                 send_cu!();
2827                                                 send_raa!();
2828                                         },
2829                                 }
2830                                 if let Some(msg) = shutdown {
2831                                         channel_state.pending_msg_events.push(events::MessageSendEvent::SendShutdown {
2832                                                 node_id: their_node_id.clone(),
2833                                                 msg,
2834                                         });
2835                                 }
2836                                 Ok(())
2837                         },
2838                         hash_map::Entry::Vacant(_) => return Err(MsgHandleErrInternal::send_err_msg_no_close("Failed to find corresponding channel", msg.channel_id))
2839                 }
2840         }
2841
2842         /// Begin Update fee process. Allowed only on an outbound channel.
2843         /// If successful, will generate a UpdateHTLCs event, so you should probably poll
2844         /// PeerManager::process_events afterwards.
2845         /// Note: This API is likely to change!
2846         #[doc(hidden)]
2847         pub fn update_fee(&self, channel_id: [u8;32], feerate_per_kw: u64) -> Result<(), APIError> {
2848                 let _ = self.total_consistency_lock.read().unwrap();
2849                 let their_node_id;
2850                 let err: Result<(), _> = loop {
2851                         let mut channel_state_lock = self.channel_state.lock().unwrap();
2852                         let channel_state = &mut *channel_state_lock;
2853
2854                         match channel_state.by_id.entry(channel_id) {
2855                                 hash_map::Entry::Vacant(_) => return Err(APIError::APIMisuseError{err: "Failed to find corresponding channel"}),
2856                                 hash_map::Entry::Occupied(mut chan) => {
2857                                         if !chan.get().is_outbound() {
2858                                                 return Err(APIError::APIMisuseError{err: "update_fee cannot be sent for an inbound channel"});
2859                                         }
2860                                         if chan.get().is_awaiting_monitor_update() {
2861                                                 return Err(APIError::MonitorUpdateFailed);
2862                                         }
2863                                         if !chan.get().is_live() {
2864                                                 return Err(APIError::ChannelUnavailable{err: "Channel is either not yet fully established or peer is currently disconnected"});
2865                                         }
2866                                         their_node_id = chan.get().get_their_node_id();
2867                                         if let Some((update_fee, commitment_signed, monitor_update)) =
2868                                                         break_chan_entry!(self, chan.get_mut().send_update_fee_and_commit(feerate_per_kw), channel_state, chan)
2869                                         {
2870                                                 if let Err(_e) = self.monitor.update_monitor(chan.get().get_funding_txo().unwrap(), monitor_update) {
2871                                                         unimplemented!();
2872                                                 }
2873                                                 channel_state.pending_msg_events.push(events::MessageSendEvent::UpdateHTLCs {
2874                                                         node_id: chan.get().get_their_node_id(),
2875                                                         updates: msgs::CommitmentUpdate {
2876                                                                 update_add_htlcs: Vec::new(),
2877                                                                 update_fulfill_htlcs: Vec::new(),
2878                                                                 update_fail_htlcs: Vec::new(),
2879                                                                 update_fail_malformed_htlcs: Vec::new(),
2880                                                                 update_fee: Some(update_fee),
2881                                                                 commitment_signed,
2882                                                         },
2883                                                 });
2884                                         }
2885                                 },
2886                         }
2887                         return Ok(())
2888                 };
2889
2890                 match handle_error!(self, err, their_node_id) {
2891                         Ok(_) => unreachable!(),
2892                         Err(e) => { Err(APIError::APIMisuseError { err: e.err })}
2893                 }
2894         }
2895 }
2896
2897 impl<ChanSigner: ChannelKeys, M: Deref, T: Deref, K: Deref, F: Deref> events::MessageSendEventsProvider for ChannelManager<ChanSigner, M, T, K, F>
2898         where M::Target: ManyChannelMonitor<ChanSigner>,
2899         T::Target: BroadcasterInterface,
2900         K::Target: KeysInterface<ChanKeySigner = ChanSigner>,
2901         F::Target: FeeEstimator,
2902 {
2903         fn get_and_clear_pending_msg_events(&self) -> Vec<events::MessageSendEvent> {
2904                 // TODO: Event release to users and serialization is currently race-y: it's very easy for a
2905                 // user to serialize a ChannelManager with pending events in it and lose those events on
2906                 // restart. This is doubly true for the fail/fulfill-backs from monitor events!
2907                 {
2908                         //TODO: This behavior should be documented.
2909                         for htlc_update in self.monitor.get_and_clear_pending_htlcs_updated() {
2910                                 if let Some(preimage) = htlc_update.payment_preimage {
2911                                         log_trace!(self, "Claiming HTLC with preimage {} from our monitor", log_bytes!(preimage.0));
2912                                         self.claim_funds_internal(self.channel_state.lock().unwrap(), htlc_update.source, preimage);
2913                                 } else {
2914                                         log_trace!(self, "Failing HTLC with hash {} from our monitor", log_bytes!(htlc_update.payment_hash.0));
2915                                         self.fail_htlc_backwards_internal(self.channel_state.lock().unwrap(), htlc_update.source, &htlc_update.payment_hash, HTLCFailReason::Reason { failure_code: 0x4000 | 8, data: Vec::new() });
2916                                 }
2917                         }
2918                 }
2919
2920                 let mut ret = Vec::new();
2921                 let mut channel_state = self.channel_state.lock().unwrap();
2922                 mem::swap(&mut ret, &mut channel_state.pending_msg_events);
2923                 ret
2924         }
2925 }
2926
2927 impl<ChanSigner: ChannelKeys, M: Deref, T: Deref, K: Deref, F: Deref> events::EventsProvider for ChannelManager<ChanSigner, M, T, K, F>
2928         where M::Target: ManyChannelMonitor<ChanSigner>,
2929         T::Target: BroadcasterInterface,
2930         K::Target: KeysInterface<ChanKeySigner = ChanSigner>,
2931         F::Target: FeeEstimator,
2932 {
2933         fn get_and_clear_pending_events(&self) -> Vec<events::Event> {
2934                 // TODO: Event release to users and serialization is currently race-y: it's very easy for a
2935                 // user to serialize a ChannelManager with pending events in it and lose those events on
2936                 // restart. This is doubly true for the fail/fulfill-backs from monitor events!
2937                 {
2938                         //TODO: This behavior should be documented.
2939                         for htlc_update in self.monitor.get_and_clear_pending_htlcs_updated() {
2940                                 if let Some(preimage) = htlc_update.payment_preimage {
2941                                         log_trace!(self, "Claiming HTLC with preimage {} from our monitor", log_bytes!(preimage.0));
2942                                         self.claim_funds_internal(self.channel_state.lock().unwrap(), htlc_update.source, preimage);
2943                                 } else {
2944                                         log_trace!(self, "Failing HTLC with hash {} from our monitor", log_bytes!(htlc_update.payment_hash.0));
2945                                         self.fail_htlc_backwards_internal(self.channel_state.lock().unwrap(), htlc_update.source, &htlc_update.payment_hash, HTLCFailReason::Reason { failure_code: 0x4000 | 8, data: Vec::new() });
2946                                 }
2947                         }
2948                 }
2949
2950                 let mut ret = Vec::new();
2951                 let mut pending_events = self.pending_events.lock().unwrap();
2952                 mem::swap(&mut ret, &mut *pending_events);
2953                 ret
2954         }
2955 }
2956
2957 impl<ChanSigner: ChannelKeys, M: Deref + Sync + Send, T: Deref + Sync + Send, K: Deref + Sync + Send, F: Deref + Sync + Send>
2958         ChainListener for ChannelManager<ChanSigner, M, T, K, F>
2959         where M::Target: ManyChannelMonitor<ChanSigner>,
2960         T::Target: BroadcasterInterface,
2961         K::Target: KeysInterface<ChanKeySigner = ChanSigner>,
2962         F::Target: FeeEstimator,
2963 {
2964         fn block_connected(&self, header: &BlockHeader, height: u32, txn_matched: &[&Transaction], indexes_of_txn_matched: &[u32]) {
2965                 let header_hash = header.bitcoin_hash();
2966                 log_trace!(self, "Block {} at height {} connected with {} txn matched", header_hash, height, txn_matched.len());
2967                 let _ = self.total_consistency_lock.read().unwrap();
2968                 let mut failed_channels = Vec::new();
2969                 let mut timed_out_htlcs = Vec::new();
2970                 {
2971                         let mut channel_lock = self.channel_state.lock().unwrap();
2972                         let channel_state = &mut *channel_lock;
2973                         let short_to_id = &mut channel_state.short_to_id;
2974                         let pending_msg_events = &mut channel_state.pending_msg_events;
2975                         channel_state.by_id.retain(|_, channel| {
2976                                 let res = channel.block_connected(header, height, txn_matched, indexes_of_txn_matched);
2977                                 if let Ok((chan_res, mut timed_out_pending_htlcs)) = res {
2978                                         for (source, payment_hash) in timed_out_pending_htlcs.drain(..) {
2979                                                 let chan_update = self.get_channel_update(&channel).map(|u| u.encode_with_len()).unwrap(); // Cannot add/recv HTLCs before we have a short_id so unwrap is safe
2980                                                 timed_out_htlcs.push((source, payment_hash,  HTLCFailReason::Reason {
2981                                                         failure_code: 0x1000 | 14, // expiry_too_soon, or at least it is now
2982                                                         data: chan_update,
2983                                                 }));
2984                                         }
2985                                         if let Some(funding_locked) = chan_res {
2986                                                 pending_msg_events.push(events::MessageSendEvent::SendFundingLocked {
2987                                                         node_id: channel.get_their_node_id(),
2988                                                         msg: funding_locked,
2989                                                 });
2990                                                 if let Some(announcement_sigs) = self.get_announcement_sigs(channel) {
2991                                                         log_trace!(self, "Sending funding_locked and announcement_signatures for {}", log_bytes!(channel.channel_id()));
2992                                                         pending_msg_events.push(events::MessageSendEvent::SendAnnouncementSignatures {
2993                                                                 node_id: channel.get_their_node_id(),
2994                                                                 msg: announcement_sigs,
2995                                                         });
2996                                                 } else {
2997                                                         log_trace!(self, "Sending funding_locked WITHOUT announcement_signatures for {}", log_bytes!(channel.channel_id()));
2998                                                 }
2999                                                 short_to_id.insert(channel.get_short_channel_id().unwrap(), channel.channel_id());
3000                                         }
3001                                 } else if let Err(e) = res {
3002                                         pending_msg_events.push(events::MessageSendEvent::HandleError {
3003                                                 node_id: channel.get_their_node_id(),
3004                                                 action: msgs::ErrorAction::SendErrorMessage { msg: e },
3005                                         });
3006                                         return false;
3007                                 }
3008                                 if let Some(funding_txo) = channel.get_funding_txo() {
3009                                         for tx in txn_matched {
3010                                                 for inp in tx.input.iter() {
3011                                                         if inp.previous_output == funding_txo.into_bitcoin_outpoint() {
3012                                                                 log_trace!(self, "Detected channel-closing tx {} spending {}:{}, closing channel {}", tx.txid(), inp.previous_output.txid, inp.previous_output.vout, log_bytes!(channel.channel_id()));
3013                                                                 if let Some(short_id) = channel.get_short_channel_id() {
3014                                                                         short_to_id.remove(&short_id);
3015                                                                 }
3016                                                                 // It looks like our counterparty went on-chain. We go ahead and
3017                                                                 // broadcast our latest local state as well here, just in case its
3018                                                                 // some kind of SPV attack, though we expect these to be dropped.
3019                                                                 failed_channels.push(channel.force_shutdown(true));
3020                                                                 if let Ok(update) = self.get_channel_update(&channel) {
3021                                                                         pending_msg_events.push(events::MessageSendEvent::BroadcastChannelUpdate {
3022                                                                                 msg: update
3023                                                                         });
3024                                                                 }
3025                                                                 return false;
3026                                                         }
3027                                                 }
3028                                         }
3029                                 }
3030                                 if channel.is_funding_initiated() && channel.channel_monitor().would_broadcast_at_height(height) {
3031                                         if let Some(short_id) = channel.get_short_channel_id() {
3032                                                 short_to_id.remove(&short_id);
3033                                         }
3034                                         // If would_broadcast_at_height() is true, the channel_monitor will broadcast
3035                                         // the latest local tx for us, so we should skip that here (it doesn't really
3036                                         // hurt anything, but does make tests a bit simpler).
3037                                         failed_channels.push(channel.force_shutdown(false));
3038                                         if let Ok(update) = self.get_channel_update(&channel) {
3039                                                 pending_msg_events.push(events::MessageSendEvent::BroadcastChannelUpdate {
3040                                                         msg: update
3041                                                 });
3042                                         }
3043                                         return false;
3044                                 }
3045                                 true
3046                         });
3047
3048                         channel_state.claimable_htlcs.retain(|&(ref payment_hash, _), htlcs| {
3049                                 htlcs.retain(|htlc| {
3050                                         // If height is approaching the number of blocks we think it takes us to get
3051                                         // our commitment transaction confirmed before the HTLC expires, plus the
3052                                         // number of blocks we generally consider it to take to do a commitment update,
3053                                         // just give up on it and fail the HTLC.
3054                                         if height >= htlc.cltv_expiry - HTLC_FAIL_BACK_BUFFER {
3055                                                 let mut htlc_msat_height_data = byte_utils::be64_to_array(htlc.value).to_vec();
3056                                                 htlc_msat_height_data.extend_from_slice(&byte_utils::be32_to_array(height));
3057                                                 timed_out_htlcs.push((HTLCSource::PreviousHopData(htlc.prev_hop.clone()), payment_hash.clone(), HTLCFailReason::Reason {
3058                                                         failure_code: 0x4000 | 15,
3059                                                         data: htlc_msat_height_data
3060                                                 }));
3061                                                 false
3062                                         } else { true }
3063                                 });
3064                                 !htlcs.is_empty() // Only retain this entry if htlcs has at least one entry.
3065                         });
3066                 }
3067                 for failure in failed_channels.drain(..) {
3068                         self.finish_force_close_channel(failure);
3069                 }
3070
3071                 for (source, payment_hash, reason) in timed_out_htlcs.drain(..) {
3072                         self.fail_htlc_backwards_internal(self.channel_state.lock().unwrap(), source, &payment_hash, reason);
3073                 }
3074                 self.latest_block_height.store(height as usize, Ordering::Release);
3075                 *self.last_block_hash.try_lock().expect("block_(dis)connected must not be called in parallel") = header_hash;
3076                 loop {
3077                         // Update last_node_announcement_serial to be the max of its current value and the
3078                         // block timestamp. This should keep us close to the current time without relying on
3079                         // having an explicit local time source.
3080                         // Just in case we end up in a race, we loop until we either successfully update
3081                         // last_node_announcement_serial or decide we don't need to.
3082                         let old_serial = self.last_node_announcement_serial.load(Ordering::Acquire);
3083                         if old_serial >= header.time as usize { break; }
3084                         if self.last_node_announcement_serial.compare_exchange(old_serial, header.time as usize, Ordering::AcqRel, Ordering::Relaxed).is_ok() {
3085                                 break;
3086                         }
3087                 }
3088         }
3089
3090         /// We force-close the channel without letting our counterparty participate in the shutdown
3091         fn block_disconnected(&self, header: &BlockHeader, _: u32) {
3092                 let _ = self.total_consistency_lock.read().unwrap();
3093                 let mut failed_channels = Vec::new();
3094                 {
3095                         let mut channel_lock = self.channel_state.lock().unwrap();
3096                         let channel_state = &mut *channel_lock;
3097                         let short_to_id = &mut channel_state.short_to_id;
3098                         let pending_msg_events = &mut channel_state.pending_msg_events;
3099                         channel_state.by_id.retain(|_,  v| {
3100                                 if v.block_disconnected(header) {
3101                                         if let Some(short_id) = v.get_short_channel_id() {
3102                                                 short_to_id.remove(&short_id);
3103                                         }
3104                                         failed_channels.push(v.force_shutdown(true));
3105                                         if let Ok(update) = self.get_channel_update(&v) {
3106                                                 pending_msg_events.push(events::MessageSendEvent::BroadcastChannelUpdate {
3107                                                         msg: update
3108                                                 });
3109                                         }
3110                                         false
3111                                 } else {
3112                                         true
3113                                 }
3114                         });
3115                 }
3116                 for failure in failed_channels.drain(..) {
3117                         self.finish_force_close_channel(failure);
3118                 }
3119                 self.latest_block_height.fetch_sub(1, Ordering::AcqRel);
3120                 *self.last_block_hash.try_lock().expect("block_(dis)connected must not be called in parallel") = header.bitcoin_hash();
3121         }
3122 }
3123
3124 impl<ChanSigner: ChannelKeys, M: Deref + Sync + Send, T: Deref + Sync + Send, K: Deref + Sync + Send, F: Deref + Sync + Send>
3125         ChannelMessageHandler for ChannelManager<ChanSigner, M, T, K, F>
3126         where M::Target: ManyChannelMonitor<ChanSigner>,
3127         T::Target: BroadcasterInterface,
3128         K::Target: KeysInterface<ChanKeySigner = ChanSigner>,
3129         F::Target: FeeEstimator,
3130 {
3131         fn handle_open_channel(&self, their_node_id: &PublicKey, their_features: InitFeatures, msg: &msgs::OpenChannel) {
3132                 let _ = self.total_consistency_lock.read().unwrap();
3133                 let _ = handle_error!(self, self.internal_open_channel(their_node_id, their_features, msg), *their_node_id);
3134         }
3135
3136         fn handle_accept_channel(&self, their_node_id: &PublicKey, their_features: InitFeatures, msg: &msgs::AcceptChannel) {
3137                 let _ = self.total_consistency_lock.read().unwrap();
3138                 let _ = handle_error!(self, self.internal_accept_channel(their_node_id, their_features, msg), *their_node_id);
3139         }
3140
3141         fn handle_funding_created(&self, their_node_id: &PublicKey, msg: &msgs::FundingCreated) {
3142                 let _ = self.total_consistency_lock.read().unwrap();
3143                 let _ = handle_error!(self, self.internal_funding_created(their_node_id, msg), *their_node_id);
3144         }
3145
3146         fn handle_funding_signed(&self, their_node_id: &PublicKey, msg: &msgs::FundingSigned) {
3147                 let _ = self.total_consistency_lock.read().unwrap();
3148                 let _ = handle_error!(self, self.internal_funding_signed(their_node_id, msg), *their_node_id);
3149         }
3150
3151         fn handle_funding_locked(&self, their_node_id: &PublicKey, msg: &msgs::FundingLocked) {
3152                 let _ = self.total_consistency_lock.read().unwrap();
3153                 let _ = handle_error!(self, self.internal_funding_locked(their_node_id, msg), *their_node_id);
3154         }
3155
3156         fn handle_shutdown(&self, their_node_id: &PublicKey, msg: &msgs::Shutdown) {
3157                 let _ = self.total_consistency_lock.read().unwrap();
3158                 let _ = handle_error!(self, self.internal_shutdown(their_node_id, msg), *their_node_id);
3159         }
3160
3161         fn handle_closing_signed(&self, their_node_id: &PublicKey, msg: &msgs::ClosingSigned) {
3162                 let _ = self.total_consistency_lock.read().unwrap();
3163                 let _ = handle_error!(self, self.internal_closing_signed(their_node_id, msg), *their_node_id);
3164         }
3165
3166         fn handle_update_add_htlc(&self, their_node_id: &PublicKey, msg: &msgs::UpdateAddHTLC) {
3167                 let _ = self.total_consistency_lock.read().unwrap();
3168                 let _ = handle_error!(self, self.internal_update_add_htlc(their_node_id, msg), *their_node_id);
3169         }
3170
3171         fn handle_update_fulfill_htlc(&self, their_node_id: &PublicKey, msg: &msgs::UpdateFulfillHTLC) {
3172                 let _ = self.total_consistency_lock.read().unwrap();
3173                 let _ = handle_error!(self, self.internal_update_fulfill_htlc(their_node_id, msg), *their_node_id);
3174         }
3175
3176         fn handle_update_fail_htlc(&self, their_node_id: &PublicKey, msg: &msgs::UpdateFailHTLC) {
3177                 let _ = self.total_consistency_lock.read().unwrap();
3178                 let _ = handle_error!(self, self.internal_update_fail_htlc(their_node_id, msg), *their_node_id);
3179         }
3180
3181         fn handle_update_fail_malformed_htlc(&self, their_node_id: &PublicKey, msg: &msgs::UpdateFailMalformedHTLC) {
3182                 let _ = self.total_consistency_lock.read().unwrap();
3183                 let _ = handle_error!(self, self.internal_update_fail_malformed_htlc(their_node_id, msg), *their_node_id);
3184         }
3185
3186         fn handle_commitment_signed(&self, their_node_id: &PublicKey, msg: &msgs::CommitmentSigned) {
3187                 let _ = self.total_consistency_lock.read().unwrap();
3188                 let _ = handle_error!(self, self.internal_commitment_signed(their_node_id, msg), *their_node_id);
3189         }
3190
3191         fn handle_revoke_and_ack(&self, their_node_id: &PublicKey, msg: &msgs::RevokeAndACK) {
3192                 let _ = self.total_consistency_lock.read().unwrap();
3193                 let _ = handle_error!(self, self.internal_revoke_and_ack(their_node_id, msg), *their_node_id);
3194         }
3195
3196         fn handle_update_fee(&self, their_node_id: &PublicKey, msg: &msgs::UpdateFee) {
3197                 let _ = self.total_consistency_lock.read().unwrap();
3198                 let _ = handle_error!(self, self.internal_update_fee(their_node_id, msg), *their_node_id);
3199         }
3200
3201         fn handle_announcement_signatures(&self, their_node_id: &PublicKey, msg: &msgs::AnnouncementSignatures) {
3202                 let _ = self.total_consistency_lock.read().unwrap();
3203                 let _ = handle_error!(self, self.internal_announcement_signatures(their_node_id, msg), *their_node_id);
3204         }
3205
3206         fn handle_channel_reestablish(&self, their_node_id: &PublicKey, msg: &msgs::ChannelReestablish) {
3207                 let _ = self.total_consistency_lock.read().unwrap();
3208                 let _ = handle_error!(self, self.internal_channel_reestablish(their_node_id, msg), *their_node_id);
3209         }
3210
3211         fn peer_disconnected(&self, their_node_id: &PublicKey, no_connection_possible: bool) {
3212                 let _ = self.total_consistency_lock.read().unwrap();
3213                 let mut failed_channels = Vec::new();
3214                 let mut failed_payments = Vec::new();
3215                 let mut no_channels_remain = true;
3216                 {
3217                         let mut channel_state_lock = self.channel_state.lock().unwrap();
3218                         let channel_state = &mut *channel_state_lock;
3219                         let short_to_id = &mut channel_state.short_to_id;
3220                         let pending_msg_events = &mut channel_state.pending_msg_events;
3221                         if no_connection_possible {
3222                                 log_debug!(self, "Failing all channels with {} due to no_connection_possible", log_pubkey!(their_node_id));
3223                                 channel_state.by_id.retain(|_, chan| {
3224                                         if chan.get_their_node_id() == *their_node_id {
3225                                                 if let Some(short_id) = chan.get_short_channel_id() {
3226                                                         short_to_id.remove(&short_id);
3227                                                 }
3228                                                 failed_channels.push(chan.force_shutdown(true));
3229                                                 if let Ok(update) = self.get_channel_update(&chan) {
3230                                                         pending_msg_events.push(events::MessageSendEvent::BroadcastChannelUpdate {
3231                                                                 msg: update
3232                                                         });
3233                                                 }
3234                                                 false
3235                                         } else {
3236                                                 true
3237                                         }
3238                                 });
3239                         } else {
3240                                 log_debug!(self, "Marking channels with {} disconnected and generating channel_updates", log_pubkey!(their_node_id));
3241                                 channel_state.by_id.retain(|_, chan| {
3242                                         if chan.get_their_node_id() == *their_node_id {
3243                                                 let failed_adds = chan.remove_uncommitted_htlcs_and_mark_paused();
3244                                                 chan.to_disabled_marked();
3245                                                 if !failed_adds.is_empty() {
3246                                                         let chan_update = self.get_channel_update(&chan).map(|u| u.encode_with_len()).unwrap(); // Cannot add/recv HTLCs before we have a short_id so unwrap is safe
3247                                                         failed_payments.push((chan_update, failed_adds));
3248                                                 }
3249                                                 if chan.is_shutdown() {
3250                                                         if let Some(short_id) = chan.get_short_channel_id() {
3251                                                                 short_to_id.remove(&short_id);
3252                                                         }
3253                                                         return false;
3254                                                 } else {
3255                                                         no_channels_remain = false;
3256                                                 }
3257                                         }
3258                                         true
3259                                 })
3260                         }
3261                         pending_msg_events.retain(|msg| {
3262                                 match msg {
3263                                         &events::MessageSendEvent::SendAcceptChannel { ref node_id, .. } => node_id != their_node_id,
3264                                         &events::MessageSendEvent::SendOpenChannel { ref node_id, .. } => node_id != their_node_id,
3265                                         &events::MessageSendEvent::SendFundingCreated { ref node_id, .. } => node_id != their_node_id,
3266                                         &events::MessageSendEvent::SendFundingSigned { ref node_id, .. } => node_id != their_node_id,
3267                                         &events::MessageSendEvent::SendFundingLocked { ref node_id, .. } => node_id != their_node_id,
3268                                         &events::MessageSendEvent::SendAnnouncementSignatures { ref node_id, .. } => node_id != their_node_id,
3269                                         &events::MessageSendEvent::UpdateHTLCs { ref node_id, .. } => node_id != their_node_id,
3270                                         &events::MessageSendEvent::SendRevokeAndACK { ref node_id, .. } => node_id != their_node_id,
3271                                         &events::MessageSendEvent::SendClosingSigned { ref node_id, .. } => node_id != their_node_id,
3272                                         &events::MessageSendEvent::SendShutdown { ref node_id, .. } => node_id != their_node_id,
3273                                         &events::MessageSendEvent::SendChannelReestablish { ref node_id, .. } => node_id != their_node_id,
3274                                         &events::MessageSendEvent::BroadcastChannelAnnouncement { .. } => true,
3275                                         &events::MessageSendEvent::BroadcastNodeAnnouncement { .. } => true,
3276                                         &events::MessageSendEvent::BroadcastChannelUpdate { .. } => true,
3277                                         &events::MessageSendEvent::HandleError { ref node_id, .. } => node_id != their_node_id,
3278                                         &events::MessageSendEvent::PaymentFailureNetworkUpdate { .. } => true,
3279                                 }
3280                         });
3281                 }
3282                 if no_channels_remain {
3283                         self.per_peer_state.write().unwrap().remove(their_node_id);
3284                 }
3285
3286                 for failure in failed_channels.drain(..) {
3287                         self.finish_force_close_channel(failure);
3288                 }
3289                 for (chan_update, mut htlc_sources) in failed_payments {
3290                         for (htlc_source, payment_hash) in htlc_sources.drain(..) {
3291                                 self.fail_htlc_backwards_internal(self.channel_state.lock().unwrap(), htlc_source, &payment_hash, HTLCFailReason::Reason { failure_code: 0x1000 | 7, data: chan_update.clone() });
3292                         }
3293                 }
3294         }
3295
3296         fn peer_connected(&self, their_node_id: &PublicKey, init_msg: &msgs::Init) {
3297                 log_debug!(self, "Generating channel_reestablish events for {}", log_pubkey!(their_node_id));
3298
3299                 let _ = self.total_consistency_lock.read().unwrap();
3300
3301                 {
3302                         let mut peer_state_lock = self.per_peer_state.write().unwrap();
3303                         match peer_state_lock.entry(their_node_id.clone()) {
3304                                 hash_map::Entry::Vacant(e) => {
3305                                         e.insert(Mutex::new(PeerState {
3306                                                 latest_features: init_msg.features.clone(),
3307                                         }));
3308                                 },
3309                                 hash_map::Entry::Occupied(e) => {
3310                                         e.get().lock().unwrap().latest_features = init_msg.features.clone();
3311                                 },
3312                         }
3313                 }
3314
3315                 let mut channel_state_lock = self.channel_state.lock().unwrap();
3316                 let channel_state = &mut *channel_state_lock;
3317                 let pending_msg_events = &mut channel_state.pending_msg_events;
3318                 channel_state.by_id.retain(|_, chan| {
3319                         if chan.get_their_node_id() == *their_node_id {
3320                                 if !chan.have_received_message() {
3321                                         // If we created this (outbound) channel while we were disconnected from the
3322                                         // peer we probably failed to send the open_channel message, which is now
3323                                         // lost. We can't have had anything pending related to this channel, so we just
3324                                         // drop it.
3325                                         false
3326                                 } else {
3327                                         pending_msg_events.push(events::MessageSendEvent::SendChannelReestablish {
3328                                                 node_id: chan.get_their_node_id(),
3329                                                 msg: chan.get_channel_reestablish(),
3330                                         });
3331                                         true
3332                                 }
3333                         } else { true }
3334                 });
3335                 //TODO: Also re-broadcast announcement_signatures
3336         }
3337
3338         fn handle_error(&self, their_node_id: &PublicKey, msg: &msgs::ErrorMessage) {
3339                 let _ = self.total_consistency_lock.read().unwrap();
3340
3341                 if msg.channel_id == [0; 32] {
3342                         for chan in self.list_channels() {
3343                                 if chan.remote_network_id == *their_node_id {
3344                                         self.force_close_channel(&chan.channel_id);
3345                                 }
3346                         }
3347                 } else {
3348                         self.force_close_channel(&msg.channel_id);
3349                 }
3350         }
3351 }
3352
3353 const SERIALIZATION_VERSION: u8 = 1;
3354 const MIN_SERIALIZATION_VERSION: u8 = 1;
3355
3356 impl Writeable for PendingHTLCInfo {
3357         fn write<W: Writer>(&self, writer: &mut W) -> Result<(), ::std::io::Error> {
3358                 match &self.routing {
3359                         &PendingHTLCRouting::Forward { ref onion_packet, ref short_channel_id } => {
3360                                 0u8.write(writer)?;
3361                                 onion_packet.write(writer)?;
3362                                 short_channel_id.write(writer)?;
3363                         },
3364                         &PendingHTLCRouting::Receive { ref payment_data, ref incoming_cltv_expiry } => {
3365                                 1u8.write(writer)?;
3366                                 payment_data.write(writer)?;
3367                                 incoming_cltv_expiry.write(writer)?;
3368                         },
3369                 }
3370                 self.incoming_shared_secret.write(writer)?;
3371                 self.payment_hash.write(writer)?;
3372                 self.amt_to_forward.write(writer)?;
3373                 self.outgoing_cltv_value.write(writer)?;
3374                 Ok(())
3375         }
3376 }
3377
3378 impl Readable for PendingHTLCInfo {
3379         fn read<R: ::std::io::Read>(reader: &mut R) -> Result<PendingHTLCInfo, DecodeError> {
3380                 Ok(PendingHTLCInfo {
3381                         routing: match Readable::read(reader)? {
3382                                 0u8 => PendingHTLCRouting::Forward {
3383                                         onion_packet: Readable::read(reader)?,
3384                                         short_channel_id: Readable::read(reader)?,
3385                                 },
3386                                 1u8 => PendingHTLCRouting::Receive {
3387                                         payment_data: Readable::read(reader)?,
3388                                         incoming_cltv_expiry: Readable::read(reader)?,
3389                                 },
3390                                 _ => return Err(DecodeError::InvalidValue),
3391                         },
3392                         incoming_shared_secret: Readable::read(reader)?,
3393                         payment_hash: Readable::read(reader)?,
3394                         amt_to_forward: Readable::read(reader)?,
3395                         outgoing_cltv_value: Readable::read(reader)?,
3396                 })
3397         }
3398 }
3399
3400 impl Writeable for HTLCFailureMsg {
3401         fn write<W: Writer>(&self, writer: &mut W) -> Result<(), ::std::io::Error> {
3402                 match self {
3403                         &HTLCFailureMsg::Relay(ref fail_msg) => {
3404                                 0u8.write(writer)?;
3405                                 fail_msg.write(writer)?;
3406                         },
3407                         &HTLCFailureMsg::Malformed(ref fail_msg) => {
3408                                 1u8.write(writer)?;
3409                                 fail_msg.write(writer)?;
3410                         }
3411                 }
3412                 Ok(())
3413         }
3414 }
3415
3416 impl Readable for HTLCFailureMsg {
3417         fn read<R: ::std::io::Read>(reader: &mut R) -> Result<HTLCFailureMsg, DecodeError> {
3418                 match <u8 as Readable>::read(reader)? {
3419                         0 => Ok(HTLCFailureMsg::Relay(Readable::read(reader)?)),
3420                         1 => Ok(HTLCFailureMsg::Malformed(Readable::read(reader)?)),
3421                         _ => Err(DecodeError::InvalidValue),
3422                 }
3423         }
3424 }
3425
3426 impl Writeable for PendingHTLCStatus {
3427         fn write<W: Writer>(&self, writer: &mut W) -> Result<(), ::std::io::Error> {
3428                 match self {
3429                         &PendingHTLCStatus::Forward(ref forward_info) => {
3430                                 0u8.write(writer)?;
3431                                 forward_info.write(writer)?;
3432                         },
3433                         &PendingHTLCStatus::Fail(ref fail_msg) => {
3434                                 1u8.write(writer)?;
3435                                 fail_msg.write(writer)?;
3436                         }
3437                 }
3438                 Ok(())
3439         }
3440 }
3441
3442 impl Readable for PendingHTLCStatus {
3443         fn read<R: ::std::io::Read>(reader: &mut R) -> Result<PendingHTLCStatus, DecodeError> {
3444                 match <u8 as Readable>::read(reader)? {
3445                         0 => Ok(PendingHTLCStatus::Forward(Readable::read(reader)?)),
3446                         1 => Ok(PendingHTLCStatus::Fail(Readable::read(reader)?)),
3447                         _ => Err(DecodeError::InvalidValue),
3448                 }
3449         }
3450 }
3451
3452 impl_writeable!(HTLCPreviousHopData, 0, {
3453         short_channel_id,
3454         htlc_id,
3455         incoming_packet_shared_secret
3456 });
3457
3458 impl_writeable!(ClaimableHTLC, 0, {
3459         prev_hop,
3460         value,
3461         payment_data,
3462         cltv_expiry
3463 });
3464
3465 impl Writeable for HTLCSource {
3466         fn write<W: Writer>(&self, writer: &mut W) -> Result<(), ::std::io::Error> {
3467                 match self {
3468                         &HTLCSource::PreviousHopData(ref hop_data) => {
3469                                 0u8.write(writer)?;
3470                                 hop_data.write(writer)?;
3471                         },
3472                         &HTLCSource::OutboundRoute { ref path, ref session_priv, ref first_hop_htlc_msat } => {
3473                                 1u8.write(writer)?;
3474                                 path.write(writer)?;
3475                                 session_priv.write(writer)?;
3476                                 first_hop_htlc_msat.write(writer)?;
3477                         }
3478                 }
3479                 Ok(())
3480         }
3481 }
3482
3483 impl Readable for HTLCSource {
3484         fn read<R: ::std::io::Read>(reader: &mut R) -> Result<HTLCSource, DecodeError> {
3485                 match <u8 as Readable>::read(reader)? {
3486                         0 => Ok(HTLCSource::PreviousHopData(Readable::read(reader)?)),
3487                         1 => Ok(HTLCSource::OutboundRoute {
3488                                 path: Readable::read(reader)?,
3489                                 session_priv: Readable::read(reader)?,
3490                                 first_hop_htlc_msat: Readable::read(reader)?,
3491                         }),
3492                         _ => Err(DecodeError::InvalidValue),
3493                 }
3494         }
3495 }
3496
3497 impl Writeable for HTLCFailReason {
3498         fn write<W: Writer>(&self, writer: &mut W) -> Result<(), ::std::io::Error> {
3499                 match self {
3500                         &HTLCFailReason::LightningError { ref err } => {
3501                                 0u8.write(writer)?;
3502                                 err.write(writer)?;
3503                         },
3504                         &HTLCFailReason::Reason { ref failure_code, ref data } => {
3505                                 1u8.write(writer)?;
3506                                 failure_code.write(writer)?;
3507                                 data.write(writer)?;
3508                         }
3509                 }
3510                 Ok(())
3511         }
3512 }
3513
3514 impl Readable for HTLCFailReason {
3515         fn read<R: ::std::io::Read>(reader: &mut R) -> Result<HTLCFailReason, DecodeError> {
3516                 match <u8 as Readable>::read(reader)? {
3517                         0 => Ok(HTLCFailReason::LightningError { err: Readable::read(reader)? }),
3518                         1 => Ok(HTLCFailReason::Reason {
3519                                 failure_code: Readable::read(reader)?,
3520                                 data: Readable::read(reader)?,
3521                         }),
3522                         _ => Err(DecodeError::InvalidValue),
3523                 }
3524         }
3525 }
3526
3527 impl Writeable for HTLCForwardInfo {
3528         fn write<W: Writer>(&self, writer: &mut W) -> Result<(), ::std::io::Error> {
3529                 match self {
3530                         &HTLCForwardInfo::AddHTLC { ref prev_short_channel_id, ref prev_htlc_id, ref forward_info } => {
3531                                 0u8.write(writer)?;
3532                                 prev_short_channel_id.write(writer)?;
3533                                 prev_htlc_id.write(writer)?;
3534                                 forward_info.write(writer)?;
3535                         },
3536                         &HTLCForwardInfo::FailHTLC { ref htlc_id, ref err_packet } => {
3537                                 1u8.write(writer)?;
3538                                 htlc_id.write(writer)?;
3539                                 err_packet.write(writer)?;
3540                         },
3541                 }
3542                 Ok(())
3543         }
3544 }
3545
3546 impl Readable for HTLCForwardInfo {
3547         fn read<R: ::std::io::Read>(reader: &mut R) -> Result<HTLCForwardInfo, DecodeError> {
3548                 match <u8 as Readable>::read(reader)? {
3549                         0 => Ok(HTLCForwardInfo::AddHTLC {
3550                                 prev_short_channel_id: Readable::read(reader)?,
3551                                 prev_htlc_id: Readable::read(reader)?,
3552                                 forward_info: Readable::read(reader)?,
3553                         }),
3554                         1 => Ok(HTLCForwardInfo::FailHTLC {
3555                                 htlc_id: Readable::read(reader)?,
3556                                 err_packet: Readable::read(reader)?,
3557                         }),
3558                         _ => Err(DecodeError::InvalidValue),
3559                 }
3560         }
3561 }
3562
3563 impl<ChanSigner: ChannelKeys + Writeable, M: Deref, T: Deref, K: Deref, F: Deref> Writeable for ChannelManager<ChanSigner, M, T, K, F>
3564         where M::Target: ManyChannelMonitor<ChanSigner>,
3565         T::Target: BroadcasterInterface,
3566         K::Target: KeysInterface<ChanKeySigner = ChanSigner>,
3567         F::Target: FeeEstimator,
3568 {
3569         fn write<W: Writer>(&self, writer: &mut W) -> Result<(), ::std::io::Error> {
3570                 let _ = self.total_consistency_lock.write().unwrap();
3571
3572                 writer.write_all(&[SERIALIZATION_VERSION; 1])?;
3573                 writer.write_all(&[MIN_SERIALIZATION_VERSION; 1])?;
3574
3575                 self.genesis_hash.write(writer)?;
3576                 (self.latest_block_height.load(Ordering::Acquire) as u32).write(writer)?;
3577                 self.last_block_hash.lock().unwrap().write(writer)?;
3578
3579                 let channel_state = self.channel_state.lock().unwrap();
3580                 let mut unfunded_channels = 0;
3581                 for (_, channel) in channel_state.by_id.iter() {
3582                         if !channel.is_funding_initiated() {
3583                                 unfunded_channels += 1;
3584                         }
3585                 }
3586                 ((channel_state.by_id.len() - unfunded_channels) as u64).write(writer)?;
3587                 for (_, channel) in channel_state.by_id.iter() {
3588                         if channel.is_funding_initiated() {
3589                                 channel.write(writer)?;
3590                         }
3591                 }
3592
3593                 (channel_state.forward_htlcs.len() as u64).write(writer)?;
3594                 for (short_channel_id, pending_forwards) in channel_state.forward_htlcs.iter() {
3595                         short_channel_id.write(writer)?;
3596                         (pending_forwards.len() as u64).write(writer)?;
3597                         for forward in pending_forwards {
3598                                 forward.write(writer)?;
3599                         }
3600                 }
3601
3602                 (channel_state.claimable_htlcs.len() as u64).write(writer)?;
3603                 for (payment_hash, previous_hops) in channel_state.claimable_htlcs.iter() {
3604                         payment_hash.write(writer)?;
3605                         (previous_hops.len() as u64).write(writer)?;
3606                         for htlc in previous_hops.iter() {
3607                                 htlc.write(writer)?;
3608                         }
3609                 }
3610
3611                 let per_peer_state = self.per_peer_state.write().unwrap();
3612                 (per_peer_state.len() as u64).write(writer)?;
3613                 for (peer_pubkey, peer_state_mutex) in per_peer_state.iter() {
3614                         peer_pubkey.write(writer)?;
3615                         let peer_state = peer_state_mutex.lock().unwrap();
3616                         peer_state.latest_features.write(writer)?;
3617                 }
3618
3619                 (self.last_node_announcement_serial.load(Ordering::Acquire) as u32).write(writer)?;
3620
3621                 Ok(())
3622         }
3623 }
3624
3625 /// Arguments for the creation of a ChannelManager that are not deserialized.
3626 ///
3627 /// At a high-level, the process for deserializing a ChannelManager and resuming normal operation
3628 /// is:
3629 /// 1) Deserialize all stored ChannelMonitors.
3630 /// 2) Deserialize the ChannelManager by filling in this struct and calling <(Sha256dHash,
3631 ///    ChannelManager)>::read(reader, args).
3632 ///    This may result in closing some Channels if the ChannelMonitor is newer than the stored
3633 ///    ChannelManager state to ensure no loss of funds. Thus, transactions may be broadcasted.
3634 /// 3) Register all relevant ChannelMonitor outpoints with your chain watch mechanism using
3635 ///    ChannelMonitor::get_monitored_outpoints and ChannelMonitor::get_funding_txo().
3636 /// 4) Reconnect blocks on your ChannelMonitors.
3637 /// 5) Move the ChannelMonitors into your local ManyChannelMonitor.
3638 /// 6) Disconnect/connect blocks on the ChannelManager.
3639 /// 7) Register the new ChannelManager with your ChainWatchInterface.
3640 pub struct ChannelManagerReadArgs<'a, ChanSigner: 'a + ChannelKeys, M: Deref, T: Deref, K: Deref, F: Deref>
3641         where M::Target: ManyChannelMonitor<ChanSigner>,
3642         T::Target: BroadcasterInterface,
3643         K::Target: KeysInterface<ChanKeySigner = ChanSigner>,
3644         F::Target: FeeEstimator,
3645 {
3646
3647         /// The keys provider which will give us relevant keys. Some keys will be loaded during
3648         /// deserialization.
3649         pub keys_manager: K,
3650
3651         /// The fee_estimator for use in the ChannelManager in the future.
3652         ///
3653         /// No calls to the FeeEstimator will be made during deserialization.
3654         pub fee_estimator: F,
3655         /// The ManyChannelMonitor for use in the ChannelManager in the future.
3656         ///
3657         /// No calls to the ManyChannelMonitor will be made during deserialization. It is assumed that
3658         /// you have deserialized ChannelMonitors separately and will add them to your
3659         /// ManyChannelMonitor after deserializing this ChannelManager.
3660         pub monitor: M,
3661
3662         /// The BroadcasterInterface which will be used in the ChannelManager in the future and may be
3663         /// used to broadcast the latest local commitment transactions of channels which must be
3664         /// force-closed during deserialization.
3665         pub tx_broadcaster: T,
3666         /// The Logger for use in the ChannelManager and which may be used to log information during
3667         /// deserialization.
3668         pub logger: Arc<Logger>,
3669         /// Default settings used for new channels. Any existing channels will continue to use the
3670         /// runtime settings which were stored when the ChannelManager was serialized.
3671         pub default_config: UserConfig,
3672
3673         /// A map from channel funding outpoints to ChannelMonitors for those channels (ie
3674         /// value.get_funding_txo() should be the key).
3675         ///
3676         /// If a monitor is inconsistent with the channel state during deserialization the channel will
3677         /// be force-closed using the data in the ChannelMonitor and the channel will be dropped. This
3678         /// is true for missing channels as well. If there is a monitor missing for which we find
3679         /// channel data Err(DecodeError::InvalidValue) will be returned.
3680         ///
3681         /// In such cases the latest local transactions will be sent to the tx_broadcaster included in
3682         /// this struct.
3683         pub channel_monitors: &'a mut HashMap<OutPoint, &'a mut ChannelMonitor<ChanSigner>>,
3684 }
3685
3686 // Implement ReadableArgs for an Arc'd ChannelManager to make it a bit easier to work with the
3687 // SipmleArcChannelManager type:
3688 impl<'a, ChanSigner: ChannelKeys + Readable, M: Deref, T: Deref, K: Deref, F: Deref>
3689         ReadableArgs<ChannelManagerReadArgs<'a, ChanSigner, M, T, K, F>> for (Sha256dHash, Arc<ChannelManager<ChanSigner, M, T, K, F>>)
3690         where M::Target: ManyChannelMonitor<ChanSigner>,
3691         T::Target: BroadcasterInterface,
3692         K::Target: KeysInterface<ChanKeySigner = ChanSigner>,
3693         F::Target: FeeEstimator,
3694 {
3695         fn read<R: ::std::io::Read>(reader: &mut R, args: ChannelManagerReadArgs<'a, ChanSigner, M, T, K, F>) -> Result<Self, DecodeError> {
3696                 let (blockhash, chan_manager) = <(Sha256dHash, ChannelManager<ChanSigner, M, T, K, F>)>::read(reader, args)?;
3697                 Ok((blockhash, Arc::new(chan_manager)))
3698         }
3699 }
3700
3701 impl<'a, ChanSigner: ChannelKeys + Readable, M: Deref, T: Deref, K: Deref, F: Deref>
3702         ReadableArgs<ChannelManagerReadArgs<'a, ChanSigner, M, T, K, F>> for (Sha256dHash, ChannelManager<ChanSigner, M, T, K, F>)
3703         where M::Target: ManyChannelMonitor<ChanSigner>,
3704         T::Target: BroadcasterInterface,
3705         K::Target: KeysInterface<ChanKeySigner = ChanSigner>,
3706         F::Target: FeeEstimator,
3707 {
3708         fn read<R: ::std::io::Read>(reader: &mut R, args: ChannelManagerReadArgs<'a, ChanSigner, M, T, K, F>) -> Result<Self, DecodeError> {
3709                 let _ver: u8 = Readable::read(reader)?;
3710                 let min_ver: u8 = Readable::read(reader)?;
3711                 if min_ver > SERIALIZATION_VERSION {
3712                         return Err(DecodeError::UnknownVersion);
3713                 }
3714
3715                 let genesis_hash: Sha256dHash = Readable::read(reader)?;
3716                 let latest_block_height: u32 = Readable::read(reader)?;
3717                 let last_block_hash: Sha256dHash = Readable::read(reader)?;
3718
3719                 let mut failed_htlcs = Vec::new();
3720
3721                 let channel_count: u64 = Readable::read(reader)?;
3722                 let mut funding_txo_set = HashSet::with_capacity(cmp::min(channel_count as usize, 128));
3723                 let mut by_id = HashMap::with_capacity(cmp::min(channel_count as usize, 128));
3724                 let mut short_to_id = HashMap::with_capacity(cmp::min(channel_count as usize, 128));
3725                 for _ in 0..channel_count {
3726                         let mut channel: Channel<ChanSigner> = ReadableArgs::read(reader, args.logger.clone())?;
3727                         if channel.last_block_connected != Default::default() && channel.last_block_connected != last_block_hash {
3728                                 return Err(DecodeError::InvalidValue);
3729                         }
3730
3731                         let funding_txo = channel.get_funding_txo().ok_or(DecodeError::InvalidValue)?;
3732                         funding_txo_set.insert(funding_txo.clone());
3733                         if let Some(ref mut monitor) = args.channel_monitors.get_mut(&funding_txo) {
3734                                 if channel.get_cur_local_commitment_transaction_number() < monitor.get_cur_local_commitment_number() ||
3735                                                 channel.get_revoked_remote_commitment_transaction_number() < monitor.get_min_seen_secret() ||
3736                                                 channel.get_cur_remote_commitment_transaction_number() < monitor.get_cur_remote_commitment_number() ||
3737                                                 channel.get_latest_monitor_update_id() > monitor.get_latest_update_id() {
3738                                         // If the channel is ahead of the monitor, return InvalidValue:
3739                                         return Err(DecodeError::InvalidValue);
3740                                 } else if channel.get_cur_local_commitment_transaction_number() > monitor.get_cur_local_commitment_number() ||
3741                                                 channel.get_revoked_remote_commitment_transaction_number() > monitor.get_min_seen_secret() ||
3742                                                 channel.get_cur_remote_commitment_transaction_number() > monitor.get_cur_remote_commitment_number() ||
3743                                                 channel.get_latest_monitor_update_id() < monitor.get_latest_update_id() {
3744                                         // But if the channel is behind of the monitor, close the channel:
3745                                         let (_, _, mut new_failed_htlcs) = channel.force_shutdown(true);
3746                                         failed_htlcs.append(&mut new_failed_htlcs);
3747                                         monitor.broadcast_latest_local_commitment_txn(&args.tx_broadcaster);
3748                                 } else {
3749                                         if let Some(short_channel_id) = channel.get_short_channel_id() {
3750                                                 short_to_id.insert(short_channel_id, channel.channel_id());
3751                                         }
3752                                         by_id.insert(channel.channel_id(), channel);
3753                                 }
3754                         } else {
3755                                 return Err(DecodeError::InvalidValue);
3756                         }
3757                 }
3758
3759                 for (ref funding_txo, ref mut monitor) in args.channel_monitors.iter_mut() {
3760                         if !funding_txo_set.contains(funding_txo) {
3761                                 monitor.broadcast_latest_local_commitment_txn(&args.tx_broadcaster);
3762                         }
3763                 }
3764
3765                 let forward_htlcs_count: u64 = Readable::read(reader)?;
3766                 let mut forward_htlcs = HashMap::with_capacity(cmp::min(forward_htlcs_count as usize, 128));
3767                 for _ in 0..forward_htlcs_count {
3768                         let short_channel_id = Readable::read(reader)?;
3769                         let pending_forwards_count: u64 = Readable::read(reader)?;
3770                         let mut pending_forwards = Vec::with_capacity(cmp::min(pending_forwards_count as usize, 128));
3771                         for _ in 0..pending_forwards_count {
3772                                 pending_forwards.push(Readable::read(reader)?);
3773                         }
3774                         forward_htlcs.insert(short_channel_id, pending_forwards);
3775                 }
3776
3777                 let claimable_htlcs_count: u64 = Readable::read(reader)?;
3778                 let mut claimable_htlcs = HashMap::with_capacity(cmp::min(claimable_htlcs_count as usize, 128));
3779                 for _ in 0..claimable_htlcs_count {
3780                         let payment_hash = Readable::read(reader)?;
3781                         let previous_hops_len: u64 = Readable::read(reader)?;
3782                         let mut previous_hops = Vec::with_capacity(cmp::min(previous_hops_len as usize, 2));
3783                         for _ in 0..previous_hops_len {
3784                                 previous_hops.push(Readable::read(reader)?);
3785                         }
3786                         claimable_htlcs.insert(payment_hash, previous_hops);
3787                 }
3788
3789                 let peer_count: u64 = Readable::read(reader)?;
3790                 let mut per_peer_state = HashMap::with_capacity(cmp::min(peer_count as usize, 128));
3791                 for _ in 0..peer_count {
3792                         let peer_pubkey = Readable::read(reader)?;
3793                         let peer_state = PeerState {
3794                                 latest_features: Readable::read(reader)?,
3795                         };
3796                         per_peer_state.insert(peer_pubkey, Mutex::new(peer_state));
3797                 }
3798
3799                 let last_node_announcement_serial: u32 = Readable::read(reader)?;
3800
3801                 let channel_manager = ChannelManager {
3802                         genesis_hash,
3803                         fee_estimator: args.fee_estimator,
3804                         monitor: args.monitor,
3805                         tx_broadcaster: args.tx_broadcaster,
3806
3807                         latest_block_height: AtomicUsize::new(latest_block_height as usize),
3808                         last_block_hash: Mutex::new(last_block_hash),
3809                         secp_ctx: Secp256k1::new(),
3810
3811                         channel_state: Mutex::new(ChannelHolder {
3812                                 by_id,
3813                                 short_to_id,
3814                                 forward_htlcs,
3815                                 claimable_htlcs,
3816                                 pending_msg_events: Vec::new(),
3817                         }),
3818                         our_network_key: args.keys_manager.get_node_secret(),
3819
3820                         last_node_announcement_serial: AtomicUsize::new(last_node_announcement_serial as usize),
3821
3822                         per_peer_state: RwLock::new(per_peer_state),
3823
3824                         pending_events: Mutex::new(Vec::new()),
3825                         total_consistency_lock: RwLock::new(()),
3826                         keys_manager: args.keys_manager,
3827                         logger: args.logger,
3828                         default_configuration: args.default_config,
3829                 };
3830
3831                 for htlc_source in failed_htlcs.drain(..) {
3832                         channel_manager.fail_htlc_backwards_internal(channel_manager.channel_state.lock().unwrap(), htlc_source.0, &htlc_source.1, HTLCFailReason::Reason { failure_code: 0x4000 | 8, data: Vec::new() });
3833                 }
3834
3835                 //TODO: Broadcast channel update for closed channels, but only after we've made a
3836                 //connection or two.
3837
3838                 Ok((last_block_hash.clone(), channel_manager))
3839         }
3840 }