]> git.bitcoin.ninja Git - rust-lightning/blob - src/ln/channelmanager.rs
dda41c9a4f4309b84addaa01deb4f229bc1dc6de
[rust-lightning] / src / ln / channelmanager.rs
1 use bitcoin::blockdata::block::BlockHeader;
2 use bitcoin::blockdata::transaction::Transaction;
3 use bitcoin::blockdata::constants::genesis_block;
4 use bitcoin::network::constants::Network;
5 use bitcoin::network::serialize::BitcoinHash;
6 use bitcoin::util::hash::Sha256dHash;
7 use bitcoin::util::uint::Uint256;
8
9 use secp256k1::key::{SecretKey,PublicKey};
10 use secp256k1::{Secp256k1,Message};
11 use secp256k1::ecdh::SharedSecret;
12 use secp256k1;
13
14 use chain::chaininterface::{BroadcasterInterface,ChainListener,ChainWatchInterface,FeeEstimator};
15 use ln::channel::{Channel, ChannelKeys};
16 use ln::channelmonitor::ManyChannelMonitor;
17 use ln::router::Route;
18 use ln::msgs;
19 use ln::msgs::{HandleError,ChannelMessageHandler,MsgEncodable,MsgDecodable};
20 use util::{byte_utils, events, internal_traits, rng};
21 use util::sha2::Sha256;
22
23 use crypto::mac::{Mac,MacResult};
24 use crypto::hmac::Hmac;
25 use crypto::digest::Digest;
26 use crypto::symmetriccipher::SynchronousStreamCipher;
27 use crypto::chacha20::ChaCha20;
28
29 use std::sync::{Mutex,MutexGuard,Arc};
30 use std::collections::HashMap;
31 use std::collections::hash_map;
32 use std::{ptr, mem};
33 use std::time::{Instant,Duration};
34
35 mod channel_held_info {
36         use ln::msgs;
37
38         /// Stores the info we will need to send when we want to forward an HTLC onwards
39         pub struct PendingForwardHTLCInfo {
40                 pub(super) onion_packet: Option<msgs::OnionPacket>,
41                 pub(super) payment_hash: [u8; 32],
42                 pub(super) short_channel_id: u64,
43                 pub(super) prev_short_channel_id: u64,
44                 pub(super) amt_to_forward: u64,
45                 pub(super) outgoing_cltv_value: u32,
46         }
47
48         #[cfg(feature = "fuzztarget")]
49         impl PendingForwardHTLCInfo {
50                 pub fn dummy() -> Self {
51                         Self {
52                                 onion_packet: None,
53                                 payment_hash: [0; 32],
54                                 short_channel_id: 0,
55                                 prev_short_channel_id: 0,
56                                 amt_to_forward: 0,
57                                 outgoing_cltv_value: 0,
58                         }
59                 }
60         }
61
62         #[derive(Clone)] // See Channel::revoke_and_ack for why, tl;dr: Rust bug
63         pub enum HTLCFailReason {
64                 ErrorPacket {
65                         err: msgs::OnionErrorPacket,
66                 },
67                 Reason {
68                         failure_code: u16,
69                         data: Vec<u8>,
70                 }
71         }
72
73         #[cfg(feature = "fuzztarget")]
74         impl HTLCFailReason {
75                 pub fn dummy() -> Self {
76                         HTLCFailReason::Reason {
77                                 failure_code: 0, data: Vec::new(),
78                         }
79                 }
80         }
81 }
82 #[cfg(feature = "fuzztarget")]
83 pub use self::channel_held_info::*;
84 #[cfg(not(feature = "fuzztarget"))]
85 pub(crate) use self::channel_held_info::*;
86
87 enum PendingOutboundHTLC {
88         IntermediaryHopData {
89                 source_short_channel_id: u64,
90                 incoming_packet_shared_secret: SharedSecret,
91         },
92         OutboundRoute {
93                 route: Route,
94         },
95         /// Used for channel rebalancing
96         CycledRoute {
97                 source_short_channel_id: u64,
98                 incoming_packet_shared_secret: SharedSecret,
99                 route: Route,
100         }
101 }
102
103 /// We hold back HTLCs we intend to relay for a random interval in the range (this, 5*this). This
104 /// provides some limited amount of privacy. Ideally this would range from somewhere like 1 second
105 /// to 30 seconds, but people expect lightning to be, you know, kinda fast, sadly. We could
106 /// probably increase this significantly.
107 const MIN_HTLC_RELAY_HOLDING_CELL_MILLIS: u32 = 50;
108
109 struct ChannelHolder {
110         by_id: HashMap<Uint256, Channel>,
111         short_to_id: HashMap<u64, Uint256>,
112         next_forward: Instant,
113         /// short channel id -> forward infos. Key of 0 means payments received
114         forward_htlcs: HashMap<u64, Vec<PendingForwardHTLCInfo>>,
115         claimable_htlcs: HashMap<[u8; 32], PendingOutboundHTLC>,
116 }
117 struct MutChannelHolder<'a> {
118         by_id: &'a mut HashMap<Uint256, Channel>,
119         short_to_id: &'a mut HashMap<u64, Uint256>,
120         next_forward: &'a mut Instant,
121         /// short channel id -> forward infos. Key of 0 means payments received
122         forward_htlcs: &'a mut HashMap<u64, Vec<PendingForwardHTLCInfo>>,
123         claimable_htlcs: &'a mut HashMap<[u8; 32], PendingOutboundHTLC>,
124 }
125 impl ChannelHolder {
126         fn borrow_parts(&mut self) -> MutChannelHolder {
127                 MutChannelHolder {
128                         by_id: &mut self.by_id,
129                         short_to_id: &mut self.short_to_id,
130                         next_forward: &mut self.next_forward,
131                         /// short channel id -> forward infos. Key of 0 means payments received
132                         forward_htlcs: &mut self.forward_htlcs,
133                         claimable_htlcs: &mut self.claimable_htlcs,
134                 }
135         }
136 }
137
138 /// Manager which keeps track of a number of channels and sends messages to the appropriate
139 /// channel, also tracking HTLC preimages and forwarding onion packets appropriately.
140 /// Implements ChannelMessageHandler, handling the multi-channel parts and passing things through
141 /// to individual Channels.
142 pub struct ChannelManager {
143         genesis_hash: Sha256dHash,
144         fee_estimator: Arc<FeeEstimator>,
145         monitor: Arc<ManyChannelMonitor>,
146         chain_monitor: Arc<ChainWatchInterface>,
147         tx_broadcaster: Arc<BroadcasterInterface>,
148
149         announce_channels_publicly: bool,
150         fee_proportional_millionths: u32,
151         secp_ctx: Secp256k1,
152
153         channel_state: Mutex<ChannelHolder>,
154         our_network_key: SecretKey,
155
156         pending_events: Mutex<Vec<events::Event>>,
157 }
158
159 const CLTV_EXPIRY_DELTA: u16 = 6 * 24 * 2; //TODO?
160
161 macro_rules! secp_call {
162         ( $res : expr ) => {
163                 match $res {
164                         Ok(key) => key,
165                         //TODO: Make the err a parameter!
166                         Err(_) => return Err(HandleError{err: "Key error", msg: None})
167                 }
168         };
169 }
170
171 struct OnionKeys {
172         #[cfg(test)]
173         shared_secret: SharedSecret,
174         #[cfg(test)]
175         blinding_factor: [u8; 32],
176         ephemeral_pubkey: PublicKey,
177         rho: [u8; 32],
178         mu: [u8; 32],
179 }
180
181 pub struct ChannelDetails {
182         /// The channel's ID (prior to funding transaction generation, this is a random 32 bytes,
183         /// thereafter this is the txid of the funding transaction xor the funding transaction output).
184         /// Note that this means this value is *not* persistent - it can change once during the
185         /// lifetime of the channel.
186         pub channel_id: Uint256,
187         /// The position of the funding transaction in the chain. None if the funding transaction has
188         /// not yet been confirmed and the channel fully opened.
189         pub short_channel_id: Option<u64>,
190         pub remote_network_id: PublicKey,
191         pub channel_value_satoshis: u64,
192         /// The user_id passed in to create_channel, or 0 if the channel was inbound.
193         pub user_id: u64,
194 }
195
196 impl ChannelManager {
197         /// Constructs a new ChannelManager to hold several channels and route between them. This is
198         /// the main "logic hub" for all channel-related actions, and implements ChannelMessageHandler.
199         /// fee_proportional_millionths is an optional fee to charge any payments routed through us.
200         /// Non-proportional fees are fixed according to our risk using the provided fee estimator.
201         /// panics if channel_value_satoshis is >= (1 << 24)!
202         pub fn new(our_network_key: SecretKey, fee_proportional_millionths: u32, announce_channels_publicly: bool, network: Network, feeest: Arc<FeeEstimator>, monitor: Arc<ManyChannelMonitor>, chain_monitor: Arc<ChainWatchInterface>, tx_broadcaster: Arc<BroadcasterInterface>) -> Result<Arc<ChannelManager>, secp256k1::Error> {
203                 let secp_ctx = Secp256k1::new();
204
205                 let res = Arc::new(ChannelManager {
206                         genesis_hash: genesis_block(network).header.bitcoin_hash(),
207                         fee_estimator: feeest.clone(),
208                         monitor: monitor.clone(),
209                         chain_monitor,
210                         tx_broadcaster,
211
212                         announce_channels_publicly,
213                         fee_proportional_millionths,
214                         secp_ctx,
215
216                         channel_state: Mutex::new(ChannelHolder{
217                                 by_id: HashMap::new(),
218                                 short_to_id: HashMap::new(),
219                                 next_forward: Instant::now(),
220                                 forward_htlcs: HashMap::new(),
221                                 claimable_htlcs: HashMap::new(),
222                         }),
223                         our_network_key,
224
225                         pending_events: Mutex::new(Vec::new()),
226                 });
227                 let weak_res = Arc::downgrade(&res);
228                 res.chain_monitor.register_listener(weak_res);
229                 Ok(res)
230         }
231
232         pub fn create_channel(&self, their_network_key: PublicKey, channel_value_satoshis: u64, user_id: u64) -> Result<msgs::OpenChannel, HandleError> {
233                 let chan_keys = if cfg!(feature = "fuzztarget") {
234                         ChannelKeys {
235                                 funding_key:               SecretKey::from_slice(&self.secp_ctx, &[0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0]).unwrap(),
236                                 revocation_base_key:       SecretKey::from_slice(&self.secp_ctx, &[0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0]).unwrap(),
237                                 payment_base_key:          SecretKey::from_slice(&self.secp_ctx, &[0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0]).unwrap(),
238                                 delayed_payment_base_key:  SecretKey::from_slice(&self.secp_ctx, &[0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0]).unwrap(),
239                                 htlc_base_key:             SecretKey::from_slice(&self.secp_ctx, &[0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0]).unwrap(),
240                                 channel_close_key:         SecretKey::from_slice(&self.secp_ctx, &[0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0]).unwrap(),
241                                 channel_monitor_claim_key: SecretKey::from_slice(&self.secp_ctx, &[0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0]).unwrap(),
242                                 commitment_seed: [0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0],
243                         }
244                 } else {
245                         let mut key_seed = [0u8; 32];
246                         rng::fill_bytes(&mut key_seed);
247                         match ChannelKeys::new_from_seed(&key_seed) {
248                                 Ok(key) => key,
249                                 Err(_) => panic!("RNG is busted!")
250                         }
251                 };
252
253                 let channel = Channel::new_outbound(&*self.fee_estimator, chan_keys, their_network_key, channel_value_satoshis, self.announce_channels_publicly, user_id);
254                 let res = channel.get_open_channel(self.genesis_hash.clone(), &*self.fee_estimator)?;
255                 let mut channel_state = self.channel_state.lock().unwrap();
256                 match channel_state.by_id.insert(channel.channel_id(), channel) {
257                         Some(_) => panic!("RNG is bad???"),
258                         None => Ok(res)
259                 }
260         }
261
262         /// Gets the list of open channels, in random order. See ChannelDetail field documentation for
263         /// more information.
264         pub fn list_channels(&self) -> Vec<ChannelDetails> {
265                 let channel_state = self.channel_state.lock().unwrap();
266                 let mut res = Vec::with_capacity(channel_state.by_id.len());
267                 for (channel_id, channel) in channel_state.by_id.iter() {
268                         res.push(ChannelDetails {
269                                 channel_id: (*channel_id).clone(),
270                                 short_channel_id: channel.get_short_channel_id(),
271                                 remote_network_id: channel.get_their_node_id(),
272                                 channel_value_satoshis: channel.get_value_satoshis(),
273                                 user_id: channel.get_user_id(),
274                         });
275                 }
276                 res
277         }
278
279         /// Begins the process of closing a channel. After this call (plus some timeout), no new HTLCs
280         /// will be accepted on the given channel, and after additional timeout/the closing of all
281         /// pending HTLCs, the channel will be closed on chain.
282         pub fn close_channel(&self, channel_id: &Uint256) -> Result<msgs::Shutdown, HandleError> {
283                 let res = {
284                         let mut channel_state = self.channel_state.lock().unwrap();
285                         match channel_state.by_id.entry(channel_id.clone()) {
286                                 hash_map::Entry::Occupied(mut chan_entry) => {
287                                         let res = chan_entry.get_mut().get_shutdown()?;
288                                         if chan_entry.get().is_shutdown() {
289                                                 chan_entry.remove_entry();
290                                         }
291                                         res
292                                 },
293                                 hash_map::Entry::Vacant(_) => return Err(HandleError{err: "No such channel", msg: None})
294                         }
295                 };
296                 for payment_hash in res.1 {
297                         // unknown_next_peer...I dunno who that is anymore....
298                         self.fail_htlc_backwards_internal(self.channel_state.lock().unwrap(), &payment_hash, HTLCFailReason::Reason { failure_code: 0x4000 | 10, data: Vec::new() });
299                 }
300                 Ok(res.0)
301         }
302
303         #[inline]
304         fn gen_rho_mu_from_shared_secret(shared_secret: &SharedSecret) -> ([u8; 32], [u8; 32]) {
305                 ({
306                         let mut hmac = Hmac::new(Sha256::new(), &[0x72, 0x68, 0x6f]); // rho
307                         hmac.input(&shared_secret[..]);
308                         let mut res = [0; 32];
309                         hmac.raw_result(&mut res);
310                         res
311                 },
312                 {
313                         let mut hmac = Hmac::new(Sha256::new(), &[0x6d, 0x75]); // mu
314                         hmac.input(&shared_secret[..]);
315                         let mut res = [0; 32];
316                         hmac.raw_result(&mut res);
317                         res
318                 })
319         }
320
321         #[inline]
322         fn gen_um_from_shared_secret(shared_secret: &SharedSecret) -> [u8; 32] {
323                 let mut hmac = Hmac::new(Sha256::new(), &[0x75, 0x6d]); // um
324                 hmac.input(&shared_secret[..]);
325                 let mut res = [0; 32];
326                 hmac.raw_result(&mut res);
327                 res
328         }
329
330         #[inline]
331         fn gen_ammag_from_shared_secret(shared_secret: &SharedSecret) -> [u8; 32] {
332                 let mut hmac = Hmac::new(Sha256::new(), &[0x61, 0x6d, 0x6d, 0x61, 0x67]); // ammag
333                 hmac.input(&shared_secret[..]);
334                 let mut res = [0; 32];
335                 hmac.raw_result(&mut res);
336                 res
337         }
338
339         fn construct_onion_keys(secp_ctx: &Secp256k1, route: &Route, session_priv: &SecretKey) -> Result<Vec<OnionKeys>, HandleError> {
340                 let mut res = Vec::with_capacity(route.hops.len());
341                 let mut blinded_priv = session_priv.clone();
342                 let mut blinded_pub = secp_call!(PublicKey::from_secret_key(secp_ctx, &blinded_priv));
343                 let mut first_iteration = true;
344
345                 for hop in route.hops.iter() {
346                         let shared_secret = SharedSecret::new(secp_ctx, &hop.pubkey, &blinded_priv);
347
348                         let mut sha = Sha256::new();
349                         sha.input(&blinded_pub.serialize()[..]);
350                         sha.input(&shared_secret[..]);
351                         let mut blinding_factor = [0u8; 32];
352                         sha.result(&mut blinding_factor);
353
354                         if first_iteration {
355                                 blinded_pub = secp_call!(PublicKey::from_secret_key(secp_ctx, &blinded_priv));
356                                 first_iteration = false;
357                         }
358                         let ephemeral_pubkey = blinded_pub;
359
360                         secp_call!(blinded_priv.mul_assign(secp_ctx, &secp_call!(SecretKey::from_slice(secp_ctx, &blinding_factor))));
361                         blinded_pub = secp_call!(PublicKey::from_secret_key(secp_ctx, &blinded_priv));
362
363                         let (rho, mu) = ChannelManager::gen_rho_mu_from_shared_secret(&shared_secret);
364
365                         res.push(OnionKeys {
366                                 #[cfg(test)]
367                                 shared_secret: shared_secret,
368                                 #[cfg(test)]
369                                 blinding_factor: blinding_factor,
370                                 ephemeral_pubkey: ephemeral_pubkey,
371                                 rho: rho,
372                                 mu: mu,
373                         });
374                 }
375
376                 Ok(res)
377         }
378
379         /// returns the hop data, as well as the first-hop value_msat and CLTV value we should send.
380         fn build_onion_payloads(route: &Route) -> Result<(Vec<msgs::OnionHopData>, u64, u32), HandleError> {
381                 let mut cur_value_msat = 0u64;
382                 let mut cur_cltv = 0u32;
383                 let mut last_short_channel_id = 0;
384                 let mut res: Vec<msgs::OnionHopData> = Vec::with_capacity(route.hops.len());
385                 internal_traits::test_no_dealloc::<msgs::OnionHopData>(None);
386                 unsafe { res.set_len(route.hops.len()); }
387
388                 for (idx, hop) in route.hops.iter().enumerate().rev() {
389                         // First hop gets special values so that it can check, on receipt, that everything is
390                         // exactly as it should be (and the next hop isn't trying to probe to find out if we're
391                         // the intended recipient).
392                         let value_msat = if cur_value_msat == 0 { hop.fee_msat } else { cur_value_msat };
393                         let cltv = if cur_cltv == 0 { hop.cltv_expiry_delta } else { cur_cltv };
394                         res[idx] = msgs::OnionHopData {
395                                 realm: 0,
396                                 data: msgs::OnionRealm0HopData {
397                                         short_channel_id: last_short_channel_id,
398                                         amt_to_forward: value_msat,
399                                         outgoing_cltv_value: cltv,
400                                 },
401                                 hmac: [0; 32],
402                         };
403                         cur_value_msat += hop.fee_msat;
404                         if cur_value_msat >= 21000000 * 100000000 * 1000 {
405                                 return Err(HandleError{err: "Channel fees overflowed?!", msg: None});
406                         }
407                         cur_cltv += hop.cltv_expiry_delta as u32;
408                         if cur_cltv >= 500000000 {
409                                 return Err(HandleError{err: "Channel CLTV overflowed?!", msg: None});
410                         }
411                         last_short_channel_id = hop.short_channel_id;
412                 }
413                 Ok((res, cur_value_msat, cur_cltv))
414         }
415
416         #[inline]
417         fn shift_arr_right(arr: &mut [u8; 20*65]) {
418                 unsafe {
419                         ptr::copy(arr[0..].as_ptr(), arr[65..].as_mut_ptr(), 19*65);
420                 }
421                 for i in 0..65 {
422                         arr[i] = 0;
423                 }
424         }
425
426         #[inline]
427         fn xor_bufs(dst: &mut[u8], src: &[u8]) {
428                 assert_eq!(dst.len(), src.len());
429
430                 for i in 0..dst.len() {
431                         dst[i] ^= src[i];
432                 }
433         }
434
435         const ZERO:[u8; 21*65] = [0; 21*65];
436         fn construct_onion_packet(mut payloads: Vec<msgs::OnionHopData>, onion_keys: Vec<OnionKeys>, associated_data: Vec<u8>) -> Result<msgs::OnionPacket, HandleError> {
437                 let mut buf = Vec::with_capacity(21*65);
438                 buf.resize(21*65, 0);
439
440                 let filler = {
441                         let iters = payloads.len() - 1;
442                         let end_len = iters * 65;
443                         let mut res = Vec::with_capacity(end_len);
444                         res.resize(end_len, 0);
445
446                         for (i, keys) in onion_keys.iter().enumerate() {
447                                 if i == payloads.len() - 1 { continue; }
448                                 let mut chacha = ChaCha20::new(&keys.rho, &[0u8; 8]);
449                                 chacha.process(&ChannelManager::ZERO, &mut buf); // We don't have a seek function :(
450                                 ChannelManager::xor_bufs(&mut res[0..(i + 1)*65], &buf[(20 - i)*65..21*65]);
451                         }
452                         res
453                 };
454
455                 let mut packet_data = [0; 20*65];
456                 let mut hmac_res = [0; 32];
457
458                 for (i, (payload, keys)) in payloads.iter_mut().zip(onion_keys.iter()).rev().enumerate() {
459                         ChannelManager::shift_arr_right(&mut packet_data);
460                         payload.hmac = hmac_res;
461                         packet_data[0..65].copy_from_slice(&payload.encode()[..]);
462
463                         let mut chacha = ChaCha20::new(&keys.rho, &[0u8; 8]);
464                         chacha.process(&packet_data, &mut buf[0..20*65]);
465                         packet_data[..].copy_from_slice(&buf[0..20*65]);
466
467                         if i == 0 {
468                                 packet_data[20*65 - filler.len()..20*65].copy_from_slice(&filler[..]);
469                         }
470
471                         let mut hmac = Hmac::new(Sha256::new(), &keys.mu);
472                         hmac.input(&packet_data);
473                         hmac.input(&associated_data[..]);
474                         hmac.raw_result(&mut hmac_res);
475                 }
476
477                 Ok(msgs::OnionPacket{
478                         version: 0,
479                         public_key: onion_keys.first().unwrap().ephemeral_pubkey,
480                         hop_data: packet_data,
481                         hmac: hmac_res,
482                 })
483         }
484
485         /// Encrypts a failure packet. raw_packet can either be a
486         /// msgs::DecodedOnionErrorPacket.encode() result or a msgs::OnionErrorPacket.data element.
487         fn encrypt_failure_packet(shared_secret: &SharedSecret, raw_packet: &[u8]) -> msgs::OnionErrorPacket {
488                 let ammag = ChannelManager::gen_ammag_from_shared_secret(&shared_secret);
489
490                 let mut packet_crypted = Vec::with_capacity(raw_packet.len());
491                 packet_crypted.resize(raw_packet.len(), 0);
492                 let mut chacha = ChaCha20::new(&ammag, &[0u8; 8]);
493                 chacha.process(&raw_packet, &mut packet_crypted[..]);
494                 msgs::OnionErrorPacket {
495                         data: packet_crypted,
496                 }
497         }
498
499         fn build_failure_packet(shared_secret: &SharedSecret, failure_type: u16, failure_data: &[u8]) -> msgs::DecodedOnionErrorPacket {
500                 assert!(failure_data.len() <= 256 - 2);
501
502                 let um = ChannelManager::gen_um_from_shared_secret(&shared_secret);
503
504                 let failuremsg = {
505                         let mut res = Vec::with_capacity(2 + failure_data.len());
506                         res.push(((failure_type >> 8) & 0xff) as u8);
507                         res.push(((failure_type >> 0) & 0xff) as u8);
508                         res.extend_from_slice(&failure_data[..]);
509                         res
510                 };
511                 let pad = {
512                         let mut res = Vec::with_capacity(256 - 2 - failure_data.len());
513                         res.resize(256 - 2 - failure_data.len(), 0);
514                         res
515                 };
516                 let mut packet = msgs::DecodedOnionErrorPacket {
517                         hmac: [0; 32],
518                         failuremsg: failuremsg,
519                         pad: pad,
520                 };
521
522                 let mut hmac = Hmac::new(Sha256::new(), &um);
523                 hmac.input(&packet.encode()[32..]);
524                 hmac.raw_result(&mut packet.hmac);
525
526                 packet
527         }
528
529         #[inline]
530         fn build_first_hop_failure_packet(shared_secret: &SharedSecret, failure_type: u16, failure_data: &[u8]) -> msgs::OnionErrorPacket {
531                 let failure_packet = ChannelManager::build_failure_packet(shared_secret, failure_type, failure_data);
532                 ChannelManager::encrypt_failure_packet(shared_secret, &failure_packet.encode()[..])
533         }
534
535         /// only fails if the channel does not yet have an assigned short_id
536         fn get_channel_update(&self, chan: &mut Channel) -> Result<msgs::ChannelUpdate, HandleError> {
537                 let short_channel_id = match chan.get_short_channel_id() {
538                         None => return Err(HandleError{err: "Channel not yet established", msg: None}),
539                         Some(id) => id,
540                 };
541
542                 let were_node_one = PublicKey::from_secret_key(&self.secp_ctx, &self.our_network_key).unwrap().serialize()[..] < chan.get_their_node_id().serialize()[..];
543
544                 let unsigned = msgs::UnsignedChannelUpdate {
545                         chain_hash: self.genesis_hash,
546                         short_channel_id: short_channel_id,
547                         timestamp: chan.get_channel_update_count(),
548                         flags: (!were_node_one) as u16 | ((!chan.is_live() as u16) << 1),
549                         cltv_expiry_delta: CLTV_EXPIRY_DELTA,
550                         htlc_minimum_msat: chan.get_our_htlc_minimum_msat(),
551                         fee_base_msat: chan.get_our_fee_base_msat(&*self.fee_estimator),
552                         fee_proportional_millionths: self.fee_proportional_millionths,
553                 };
554
555                 let msg_hash = Sha256dHash::from_data(&unsigned.encode()[..]);
556                 let sig = self.secp_ctx.sign(&Message::from_slice(&msg_hash[..]).unwrap(), &self.our_network_key).unwrap(); //TODO Can we unwrap here?
557
558                 Ok(msgs::ChannelUpdate {
559                         signature: sig,
560                         contents: unsigned
561                 })
562         }
563
564         /// Sends a payment along a given route, returning the UpdateAddHTLC message to give to the
565         /// first hop in route. Value parameters are provided via the last hop in route, see
566         /// documentation for RouteHop fields for more info.
567         /// See-also docs on Channel::send_htlc_and_commit.
568         pub fn send_payment(&self, route: Route, payment_hash: [u8; 32]) -> Result<Option<(msgs::UpdateAddHTLC, msgs::CommitmentSigned)>, HandleError> {
569                 if route.hops.len() < 1 || route.hops.len() > 20 {
570                         return Err(HandleError{err: "Route didn't go anywhere/had bogus size", msg: None});
571                 }
572                 let our_node_id = self.get_our_node_id();
573                 for (idx, hop) in route.hops.iter().enumerate() {
574                         if idx != route.hops.len() - 1 && hop.pubkey == our_node_id {
575                                 return Err(HandleError{err: "Route went through us but wasn't a simple rebalance loop to us", msg: None});
576                         }
577                 }
578
579                 let session_priv = secp_call!(SecretKey::from_slice(&self.secp_ctx, &{
580                         let mut session_key = [0; 32];
581                         rng::fill_bytes(&mut session_key);
582                         session_key
583                 }));
584
585                 let associated_data = Vec::new(); //TODO: What to put here?
586
587                 let onion_keys = ChannelManager::construct_onion_keys(&self.secp_ctx, &route, &session_priv)?;
588                 let (onion_payloads, htlc_msat, htlc_cltv) = ChannelManager::build_onion_payloads(&route)?;
589                 let onion_packet = ChannelManager::construct_onion_packet(onion_payloads, onion_keys, associated_data)?;
590
591                 let mut channel_state = self.channel_state.lock().unwrap();
592                 let id = match channel_state.short_to_id.get(&route.hops.first().unwrap().short_channel_id) {
593                         None => return Err(HandleError{err: "No channel available with first hop!", msg: None}),
594                         Some(id) => id.clone()
595                 };
596                 let res = {
597                         let chan = channel_state.by_id.get_mut(&id).unwrap();
598                         if chan.get_their_node_id() != route.hops.first().unwrap().pubkey {
599                                 return Err(HandleError{err: "Node ID mismatch on first hop!", msg: None});
600                         }
601                         chan.send_htlc_and_commit(htlc_msat, payment_hash.clone(), htlc_cltv, onion_packet)?
602                 };
603
604                 if channel_state.claimable_htlcs.insert(payment_hash, PendingOutboundHTLC::OutboundRoute {
605                         route: route,
606                 }).is_some() {
607                         // TODO: We need to track these better, we're not generating these, so a
608                         // third-party might make this happen:
609                         panic!("payment_hash was repeated! Don't let this happen");
610                 }
611
612                 Ok(res)
613         }
614
615         /// Call this upon creation of a funding transaction for the given channel.
616         /// Panics if a funding transaction has already been provided for this channel.
617         pub fn funding_transaction_generated(&self, temporary_channel_id: &Uint256, funding_txo: (Sha256dHash, u16)) {
618                 let (chan, msg) = {
619                         let mut channel_state = self.channel_state.lock().unwrap();
620                         match channel_state.by_id.remove(&temporary_channel_id) {
621                                 Some(mut chan) => {
622                                         match chan.get_outbound_funding_created(funding_txo.0, funding_txo.1) {
623                                                 Ok(funding_msg) => {
624                                                         (chan, funding_msg)
625                                                 },
626                                                 Err(_e) => {
627                                                         //TODO: Push e to pendingevents
628                                                         return;
629                                                 }
630                                         }
631                                 },
632                                 None => return
633                         }
634                 }; // Release channel lock for install_watch_outpoint call,
635                 let chan_monitor = chan.channel_monitor();
636                 match self.monitor.add_update_monitor(chan_monitor.get_funding_txo().unwrap(), chan_monitor) {
637                         Ok(()) => {},
638                         Err(_e) => {
639                                 //TODO: Push e to pendingevents?
640                                 return;
641                         }
642                 };
643
644                 {
645                         let mut pending_events = self.pending_events.lock().unwrap();
646                         pending_events.push(events::Event::SendFundingCreated {
647                                 node_id: chan.get_their_node_id(),
648                                 msg: msg,
649                         });
650                 }
651
652                 let mut channel_state = self.channel_state.lock().unwrap();
653                 channel_state.by_id.insert(chan.channel_id(), chan);
654         }
655
656         fn get_announcement_sigs(&self, chan: &Channel) -> Result<Option<msgs::AnnouncementSignatures>, HandleError> {
657                 if !chan.is_usable() { return Ok(None) }
658
659                 let (announcement, our_bitcoin_sig) = chan.get_channel_announcement(self.get_our_node_id(), self.genesis_hash.clone())?;
660                 let msghash = Message::from_slice(&Sha256dHash::from_data(&announcement.encode()[..])[..]).unwrap();
661                 let our_node_sig = secp_call!(self.secp_ctx.sign(&msghash, &self.our_network_key));
662
663                 Ok(Some(msgs::AnnouncementSignatures {
664                         channel_id: chan.channel_id(),
665                         short_channel_id: chan.get_short_channel_id().unwrap(),
666                         node_signature: our_node_sig,
667                         bitcoin_signature: our_bitcoin_sig,
668                 }))
669         }
670
671         pub fn process_pending_htlc_forward(&self) {
672                 let mut new_events = Vec::new();
673                 let mut failed_forwards = Vec::new();
674                 {
675                         let mut channel_state_lock = self.channel_state.lock().unwrap();
676                         let channel_state = channel_state_lock.borrow_parts();
677
678                         if cfg!(not(feature = "fuzztarget")) && Instant::now() < *channel_state.next_forward {
679                                 return;
680                         }
681
682                         for (short_chan_id, pending_forwards) in channel_state.forward_htlcs.drain() {
683                                 if short_chan_id != 0 {
684                                         let forward_chan_id = match channel_state.short_to_id.get(&short_chan_id) {
685                                                 Some(chan_id) => chan_id.clone(),
686                                                 None => {
687                                                         failed_forwards.reserve(pending_forwards.len());
688                                                         for forward_info in pending_forwards {
689                                                                 failed_forwards.push((forward_info.payment_hash, 0x4000 | 10, None));
690                                                         }
691                                                         // TODO: Send a failure packet back on each pending_forward
692                                                         continue;
693                                                 }
694                                         };
695                                         let forward_chan = &mut channel_state.by_id.get_mut(&forward_chan_id).unwrap();
696
697                                         let mut add_htlc_msgs = Vec::new();
698                                         for forward_info in pending_forwards {
699                                                 match forward_chan.send_htlc(forward_info.amt_to_forward, forward_info.payment_hash, forward_info.outgoing_cltv_value, forward_info.onion_packet.unwrap()) {
700                                                         Err(_e) => {
701                                                                 let chan_update = self.get_channel_update(forward_chan).unwrap();
702                                                                 failed_forwards.push((forward_info.payment_hash, 0x4000 | 7, Some(chan_update)));
703                                                                 continue;
704                                                         },
705                                                         Ok(update_add) => {
706                                                                 match update_add {
707                                                                         Some(msg) => { add_htlc_msgs.push(msg); },
708                                                                         None => {
709                                                                                 // Nothing to do here...we're waiting on a remote
710                                                                                 // revoke_and_ack before we can add anymore HTLCs. The Channel
711                                                                                 // will automatically handle building the update_add_htlc and
712                                                                                 // commitment_signed messages when we can.
713                                                                                 // TODO: Do some kind of timer to set the channel as !is_live()
714                                                                                 // as we don't really want others relying on us relaying through
715                                                                                 // this channel currently :/.
716                                                                         }
717                                                                 }
718                                                         }
719                                                 }
720                                         }
721
722                                         if !add_htlc_msgs.is_empty() {
723                                                 let commitment_msg = match forward_chan.send_commitment() {
724                                                         Ok(msg) => msg,
725                                                         Err(_) => {
726                                                                 //TODO: Handle...this is bad!
727                                                                 continue;
728                                                         },
729                                                 };
730                                                 new_events.push(events::Event::SendHTLCs {
731                                                         node_id: forward_chan.get_their_node_id(),
732                                                         msgs: add_htlc_msgs,
733                                                         commitment_msg: commitment_msg,
734                                                 });
735                                         }
736                                 } else {
737                                         for forward_info in pending_forwards {
738                                                 new_events.push(events::Event::PaymentReceived {
739                                                         payment_hash: forward_info.payment_hash,
740                                                         amt: forward_info.amt_to_forward,
741                                                 });
742                                         }
743                                 }
744                         }
745                 }
746
747                 for failed_forward in failed_forwards.drain(..) {
748                         match failed_forward.2 {
749                                 None => self.fail_htlc_backwards_internal(self.channel_state.lock().unwrap(), &failed_forward.0, HTLCFailReason::Reason { failure_code: failed_forward.1, data: Vec::new() }),
750                                 Some(chan_update) => self.fail_htlc_backwards_internal(self.channel_state.lock().unwrap(), &failed_forward.0, HTLCFailReason::Reason { failure_code: failed_forward.1, data: chan_update.encode() }),
751                         };
752                 }
753
754                 if new_events.is_empty() { return }
755
756                 let mut events = self.pending_events.lock().unwrap();
757                 events.reserve(new_events.len());
758                 for event in new_events.drain(..) {
759                         events.push(event);
760                 }
761         }
762
763         /// Indicates that the preimage for payment_hash is unknown after a PaymentReceived event.
764         pub fn fail_htlc_backwards(&self, payment_hash: &[u8; 32]) -> bool {
765                 self.fail_htlc_backwards_internal(self.channel_state.lock().unwrap(), payment_hash, HTLCFailReason::Reason { failure_code: 0x4000 | 15, data: Vec::new() })
766         }
767
768         fn fail_htlc_backwards_internal(&self, mut channel_state: MutexGuard<ChannelHolder>, payment_hash: &[u8; 32], onion_error: HTLCFailReason) -> bool {
769                 let mut pending_htlc = {
770                         match channel_state.claimable_htlcs.remove(payment_hash) {
771                                 Some(pending_htlc) => pending_htlc,
772                                 None => return false,
773                         }
774                 };
775
776                 match pending_htlc {
777                         PendingOutboundHTLC::CycledRoute { source_short_channel_id, incoming_packet_shared_secret, .. } => {
778                                 pending_htlc = PendingOutboundHTLC::IntermediaryHopData { source_short_channel_id, incoming_packet_shared_secret };
779                         },
780                         _ => {}
781                 }
782
783                 match pending_htlc {
784                         PendingOutboundHTLC::CycledRoute { .. } => { panic!("WAT"); },
785                         PendingOutboundHTLC::OutboundRoute { .. } => {
786                                 //TODO: DECRYPT route from OutboundRoute
787                                 mem::drop(channel_state);
788                                 let mut pending_events = self.pending_events.lock().unwrap();
789                                 pending_events.push(events::Event::PaymentFailed {
790                                         payment_hash: payment_hash.clone()
791                                 });
792                                 false
793                         },
794                         PendingOutboundHTLC::IntermediaryHopData { source_short_channel_id, incoming_packet_shared_secret } => {
795                                 let err_packet = match onion_error {
796                                         HTLCFailReason::Reason { failure_code, data } => {
797                                                 let packet = ChannelManager::build_failure_packet(&incoming_packet_shared_secret, failure_code, &data[..]).encode();
798                                                 ChannelManager::encrypt_failure_packet(&incoming_packet_shared_secret, &packet)
799                                         },
800                                         HTLCFailReason::ErrorPacket { err } => {
801                                                 ChannelManager::encrypt_failure_packet(&incoming_packet_shared_secret, &err.data)
802                                         }
803                                 };
804
805                                 let (node_id, fail_msgs) = {
806                                         let chan_id = match channel_state.short_to_id.get(&source_short_channel_id) {
807                                                 Some(chan_id) => chan_id.clone(),
808                                                 None => return false
809                                         };
810
811                                         let chan = channel_state.by_id.get_mut(&chan_id).unwrap();
812                                         match chan.get_update_fail_htlc_and_commit(payment_hash, err_packet) {
813                                                 Ok(msg) => (chan.get_their_node_id(), msg),
814                                                 Err(_e) => {
815                                                         //TODO: Do something with e?
816                                                         return false;
817                                                 },
818                                         }
819                                 };
820
821                                 match fail_msgs {
822                                         Some(msgs) => {
823                                                 mem::drop(channel_state);
824                                                 let mut pending_events = self.pending_events.lock().unwrap();
825                                                 pending_events.push(events::Event::SendFailHTLC {
826                                                         node_id,
827                                                         msg: msgs.0,
828                                                         commitment_msg: msgs.1,
829                                                 });
830                                         },
831                                         None => {},
832                                 }
833
834                                 true
835                         },
836                 }
837         }
838
839         /// Provides a payment preimage in response to a PaymentReceived event, returning true and
840         /// generating message events for the net layer to claim the payment, if possible. Thus, you
841         /// should probably kick the net layer to go send messages if this returns true!
842         /// May panic if called except in response to a PaymentReceived event.
843         pub fn claim_funds(&self, payment_preimage: [u8; 32]) -> bool {
844                 self.claim_funds_internal(payment_preimage, true)
845         }
846         pub fn claim_funds_internal(&self, payment_preimage: [u8; 32], from_user: bool) -> bool {
847                 let mut sha = Sha256::new();
848                 sha.input(&payment_preimage);
849                 let mut payment_hash = [0; 32];
850                 sha.result(&mut payment_hash);
851
852                 let mut channel_state = self.channel_state.lock().unwrap();
853                 let mut pending_htlc = {
854                         match channel_state.claimable_htlcs.remove(&payment_hash) {
855                                 Some(pending_htlc) => pending_htlc,
856                                 None => return false,
857                         }
858                 };
859
860                 match pending_htlc {
861                         PendingOutboundHTLC::CycledRoute { source_short_channel_id, incoming_packet_shared_secret, route } => {
862                                 if from_user { // This was the end hop back to us
863                                         pending_htlc = PendingOutboundHTLC::IntermediaryHopData { source_short_channel_id, incoming_packet_shared_secret };
864                                         channel_state.claimable_htlcs.insert(payment_hash, PendingOutboundHTLC::OutboundRoute { route });
865                                 } else { // This came from the first upstream node
866                                         // Bank error in our favor! Maybe we should tell the user this somehow???
867                                         pending_htlc = PendingOutboundHTLC::OutboundRoute { route };
868                                         channel_state.claimable_htlcs.insert(payment_hash, PendingOutboundHTLC::IntermediaryHopData { source_short_channel_id, incoming_packet_shared_secret });
869                                 }
870                         },
871                         _ => {},
872                 }
873
874                 match pending_htlc {
875                         PendingOutboundHTLC::CycledRoute { .. } => { panic!("WAT"); },
876                         PendingOutboundHTLC::OutboundRoute { .. } => {
877                                 if from_user {
878                                         panic!("Called claim_funds with a preimage for an outgoing payment. There is nothing we can do with this, and something is seriously wrong if you knew this...");
879                                 }
880                                 mem::drop(channel_state);
881                                 let mut pending_events = self.pending_events.lock().unwrap();
882                                 pending_events.push(events::Event::PaymentSent {
883                                         payment_preimage
884                                 });
885                                 false
886                         },
887                         PendingOutboundHTLC::IntermediaryHopData { source_short_channel_id, .. } => {
888                                 let (node_id, fulfill_msgs, monitor) = {
889                                         let chan_id = match channel_state.short_to_id.get(&source_short_channel_id) {
890                                                 Some(chan_id) => chan_id.clone(),
891                                                 None => return false
892                                         };
893
894                                         let chan = channel_state.by_id.get_mut(&chan_id).unwrap();
895                                         match chan.get_update_fulfill_htlc_and_commit(payment_preimage) {
896                                                 Ok(msg) => (chan.get_their_node_id(), msg, if from_user { Some(chan.channel_monitor()) } else { None }),
897                                                 Err(_e) => {
898                                                         //TODO: Do something with e?
899                                                         return false;
900                                                 },
901                                         }
902                                 };
903
904                                 mem::drop(channel_state);
905                                 match fulfill_msgs {
906                                         Some(msgs) => {
907                                                 let mut pending_events = self.pending_events.lock().unwrap();
908                                                 pending_events.push(events::Event::SendFulfillHTLC {
909                                                         node_id: node_id,
910                                                         msg: msgs.0,
911                                                         commitment_msg: msgs.1,
912                                                 });
913                                         },
914                                         None => {},
915                                 }
916
917                                 //TODO: It may not be possible to handle add_update_monitor fails gracefully, maybe
918                                 //it should return no Err? Sadly, panic!()s instead doesn't help much :(
919                                 if from_user {
920                                         match self.monitor.add_update_monitor(monitor.as_ref().unwrap().get_funding_txo().unwrap(), monitor.unwrap()) {
921                                                 Ok(()) => true,
922                                                 Err(_) => true,
923                                         }
924                                 } else { true }
925                         },
926                 }
927         }
928
929         /// Gets the node_id held by this ChannelManager
930         pub fn get_our_node_id(&self) -> PublicKey {
931                 PublicKey::from_secret_key(&self.secp_ctx, &self.our_network_key).unwrap()
932         }
933 }
934
935 impl events::EventsProvider for ChannelManager {
936         fn get_and_clear_pending_events(&self) -> Vec<events::Event> {
937                 let mut pending_events = self.pending_events.lock().unwrap();
938                 let mut ret = Vec::new();
939                 mem::swap(&mut ret, &mut *pending_events);
940                 ret
941         }
942 }
943
944 impl ChainListener for ChannelManager {
945         fn block_connected(&self, header: &BlockHeader, height: u32, txn_matched: &[&Transaction], indexes_of_txn_matched: &[u32]) {
946                 let mut new_funding_locked_messages = Vec::new();
947                 {
948                         let mut channel_state = self.channel_state.lock().unwrap();
949                         let mut short_to_ids_to_insert = Vec::new();
950                         for channel in channel_state.by_id.values_mut() {
951                                 match channel.block_connected(header, height, txn_matched, indexes_of_txn_matched) {
952                                         Some(funding_locked) => {
953                                                 let announcement_sigs = match self.get_announcement_sigs(channel) {
954                                                         Ok(res) => res,
955                                                         Err(_e) => {
956                                                                 //TODO: push e on events and blow up the channel (it has bad keys)
957                                                                 continue;
958                                                         }
959                                                 };
960                                                 new_funding_locked_messages.push(events::Event::SendFundingLocked {
961                                                         node_id: channel.get_their_node_id(),
962                                                         msg: funding_locked,
963                                                         announcement_sigs: announcement_sigs
964                                                 });
965                                                 short_to_ids_to_insert.push((channel.get_short_channel_id().unwrap(), channel.channel_id()));
966                                         },
967                                         None => {}
968                                 }
969                                 //TODO: Check if channel was closed (or disabled) here
970                         }
971                         for to_insert in short_to_ids_to_insert {
972                                 channel_state.short_to_id.insert(to_insert.0, to_insert.1);
973                         }
974                 }
975                 let mut pending_events = self.pending_events.lock().unwrap();
976                 for funding_locked in new_funding_locked_messages.drain(..) {
977                         pending_events.push(funding_locked);
978                 }
979         }
980
981         fn block_disconnected(&self, header: &BlockHeader) {
982                 let mut channel_state = self.channel_state.lock().unwrap();
983                 for channel in channel_state.by_id.values_mut() {
984                         if channel.block_disconnected(header) {
985                                 //TODO Close channel here
986                         }
987                 }
988         }
989 }
990
991 impl ChannelMessageHandler for ChannelManager {
992         //TODO: Handle errors and close channel (or so)
993         fn handle_open_channel(&self, their_node_id: &PublicKey, msg: &msgs::OpenChannel) -> Result<msgs::AcceptChannel, HandleError> {
994                 if msg.chain_hash != self.genesis_hash {
995                         return Err(HandleError{err: "Unknown genesis block hash", msg: None});
996                 }
997                 let mut channel_state = self.channel_state.lock().unwrap();
998                 if channel_state.by_id.contains_key(&msg.temporary_channel_id) {
999                         return Err(HandleError{err: "temporary_channel_id collision!", msg: None});
1000                 }
1001
1002                 let chan_keys = if cfg!(feature = "fuzztarget") {
1003                         ChannelKeys {
1004                                 funding_key:               SecretKey::from_slice(&self.secp_ctx, &[0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0]).unwrap(),
1005                                 revocation_base_key:       SecretKey::from_slice(&self.secp_ctx, &[0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0]).unwrap(),
1006                                 payment_base_key:          SecretKey::from_slice(&self.secp_ctx, &[0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0]).unwrap(),
1007                                 delayed_payment_base_key:  SecretKey::from_slice(&self.secp_ctx, &[0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0]).unwrap(),
1008                                 htlc_base_key:             SecretKey::from_slice(&self.secp_ctx, &[0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0]).unwrap(),
1009                                 channel_close_key:         SecretKey::from_slice(&self.secp_ctx, &[0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0]).unwrap(),
1010                                 channel_monitor_claim_key: SecretKey::from_slice(&self.secp_ctx, &[0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0]).unwrap(),
1011                                 commitment_seed: [0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0],
1012                         }
1013                 } else {
1014                         let mut key_seed = [0u8; 32];
1015                         rng::fill_bytes(&mut key_seed);
1016                         match ChannelKeys::new_from_seed(&key_seed) {
1017                                 Ok(key) => key,
1018                                 Err(_) => panic!("RNG is busted!")
1019                         }
1020                 };
1021
1022                 let channel = Channel::new_from_req(&*self.fee_estimator, chan_keys, their_node_id.clone(), msg, 0, self.announce_channels_publicly)?;
1023                 let accept_msg = channel.get_accept_channel()?;
1024                 channel_state.by_id.insert(channel.channel_id(), channel);
1025                 Ok(accept_msg)
1026         }
1027
1028         fn handle_accept_channel(&self, their_node_id: &PublicKey, msg: &msgs::AcceptChannel) -> Result<(), HandleError> {
1029                 let (value, output_script, user_id) = {
1030                         let mut channel_state = self.channel_state.lock().unwrap();
1031                         match channel_state.by_id.get_mut(&msg.temporary_channel_id) {
1032                                 Some(chan) => {
1033                                         if chan.get_their_node_id() != *their_node_id {
1034                                                 return Err(HandleError{err: "Got a message for a channel from the wrong node!", msg: None})
1035                                         }
1036                                         chan.accept_channel(&msg)?;
1037                                         (chan.get_value_satoshis(), chan.get_funding_redeemscript().to_v0_p2wsh(), chan.get_user_id())
1038                                 },
1039                                 None => return Err(HandleError{err: "Failed to find corresponding channel", msg: None})
1040                         }
1041                 };
1042                 let mut pending_events = self.pending_events.lock().unwrap();
1043                 pending_events.push(events::Event::FundingGenerationReady {
1044                         temporary_channel_id: msg.temporary_channel_id,
1045                         channel_value_satoshis: value,
1046                         output_script: output_script,
1047                         user_channel_id: user_id,
1048                 });
1049                 Ok(())
1050         }
1051
1052         fn handle_funding_created(&self, their_node_id: &PublicKey, msg: &msgs::FundingCreated) -> Result<msgs::FundingSigned, HandleError> {
1053                 //TODO: broke this - a node shouldn't be able to get their channel removed by sending a
1054                 //funding_created a second time, or long after the first, or whatever (note this also
1055                 //leaves the short_to_id map in a busted state.
1056                 let chan = {
1057                         let mut channel_state = self.channel_state.lock().unwrap();
1058                         match channel_state.by_id.remove(&msg.temporary_channel_id) {
1059                                 Some(mut chan) => {
1060                                         if chan.get_their_node_id() != *their_node_id {
1061                                                 return Err(HandleError{err: "Got a message for a channel from the wrong node!", msg: None})
1062                                         }
1063                                         match chan.funding_created(msg) {
1064                                                 Ok(funding_msg) => {
1065                                                         (chan, funding_msg)
1066                                                 },
1067                                                 Err(e) => {
1068                                                         return Err(e);
1069                                                 }
1070                                         }
1071                                 },
1072                                 None => return Err(HandleError{err: "Failed to find corresponding channel", msg: None})
1073                         }
1074                 }; // Release channel lock for install_watch_outpoint call,
1075                    // note that this means if the remote end is misbehaving and sends a message for the same
1076                    // channel back-to-back with funding_created, we'll end up thinking they sent a message
1077                    // for a bogus channel.
1078                 let chan_monitor = chan.0.channel_monitor();
1079                 self.monitor.add_update_monitor(chan_monitor.get_funding_txo().unwrap(), chan_monitor)?;
1080                 let mut channel_state = self.channel_state.lock().unwrap();
1081                 channel_state.by_id.insert(chan.1.channel_id, chan.0);
1082                 Ok(chan.1)
1083         }
1084
1085         fn handle_funding_signed(&self, their_node_id: &PublicKey, msg: &msgs::FundingSigned) -> Result<(), HandleError> {
1086                 let (funding_txo, user_id) = {
1087                         let mut channel_state = self.channel_state.lock().unwrap();
1088                         match channel_state.by_id.get_mut(&msg.channel_id) {
1089                                 Some(chan) => {
1090                                         if chan.get_their_node_id() != *their_node_id {
1091                                                 return Err(HandleError{err: "Got a message for a channel from the wrong node!", msg: None})
1092                                         }
1093                                         chan.funding_signed(&msg)?;
1094                                         (chan.get_funding_txo().unwrap(), chan.get_user_id())
1095                                 },
1096                                 None => return Err(HandleError{err: "Failed to find corresponding channel", msg: None})
1097                         }
1098                 };
1099                 let mut pending_events = self.pending_events.lock().unwrap();
1100                 pending_events.push(events::Event::FundingBroadcastSafe {
1101                         funding_txo: funding_txo,
1102                         user_channel_id: user_id,
1103                 });
1104                 Ok(())
1105         }
1106
1107         fn handle_funding_locked(&self, their_node_id: &PublicKey, msg: &msgs::FundingLocked) -> Result<Option<msgs::AnnouncementSignatures>, HandleError> {
1108                 let mut channel_state = self.channel_state.lock().unwrap();
1109                 match channel_state.by_id.get_mut(&msg.channel_id) {
1110                         Some(chan) => {
1111                                 if chan.get_their_node_id() != *their_node_id {
1112                                         return Err(HandleError{err: "Got a message for a channel from the wrong node!", msg: None})
1113                                 }
1114                                 chan.funding_locked(&msg)?;
1115                                 return Ok(self.get_announcement_sigs(chan)?);
1116                         },
1117                         None => return Err(HandleError{err: "Failed to find corresponding channel", msg: None})
1118                 };
1119         }
1120
1121         fn handle_shutdown(&self, their_node_id: &PublicKey, msg: &msgs::Shutdown) -> Result<(Option<msgs::Shutdown>, Option<msgs::ClosingSigned>), HandleError> {
1122                 let res = {
1123                         let mut channel_state = self.channel_state.lock().unwrap();
1124
1125                         match channel_state.by_id.entry(msg.channel_id.clone()) {
1126                                 hash_map::Entry::Occupied(mut chan_entry) => {
1127                                         if chan_entry.get().get_their_node_id() != *their_node_id {
1128                                                 return Err(HandleError{err: "Got a message for a channel from the wrong node!", msg: None})
1129                                         }
1130                                         let res = chan_entry.get_mut().shutdown(&*self.fee_estimator, &msg)?;
1131                                         if chan_entry.get().is_shutdown() {
1132                                                 chan_entry.remove_entry();
1133                                         }
1134                                         res
1135                                 },
1136                                 hash_map::Entry::Vacant(_) => return Err(HandleError{err: "Failed to find corresponding channel", msg: None})
1137                         }
1138                 };
1139                 for payment_hash in res.2 {
1140                         // unknown_next_peer...I dunno who that is anymore....
1141                         self.fail_htlc_backwards_internal(self.channel_state.lock().unwrap(), &payment_hash, HTLCFailReason::Reason { failure_code: 0x4000 | 10, data: Vec::new() });
1142                 }
1143                 Ok((res.0, res.1))
1144         }
1145
1146         fn handle_closing_signed(&self, their_node_id: &PublicKey, msg: &msgs::ClosingSigned) -> Result<Option<msgs::ClosingSigned>, HandleError> {
1147                 let res = {
1148                         let mut channel_state = self.channel_state.lock().unwrap();
1149                         match channel_state.by_id.entry(msg.channel_id.clone()) {
1150                                 hash_map::Entry::Occupied(mut chan_entry) => {
1151                                         if chan_entry.get().get_their_node_id() != *their_node_id {
1152                                                 return Err(HandleError{err: "Got a message for a channel from the wrong node!", msg: None})
1153                                         }
1154                                         let res = chan_entry.get_mut().closing_signed(&*self.fee_estimator, &msg)?;
1155                                         if res.1.is_some() {
1156                                                 // We're done with this channel, we've got a signed closing transaction and
1157                                                 // will send the closing_signed back to the remote peer upon return. This
1158                                                 // also implies there are no pending HTLCs left on the channel, so we can
1159                                                 // fully delete it from tracking (the channel monitor is still around to
1160                                                 // watch for old state broadcasts)!
1161                                                 chan_entry.remove_entry();
1162                                         }
1163                                         res
1164                                 },
1165                                 hash_map::Entry::Vacant(_) => return Err(HandleError{err: "Failed to find corresponding channel", msg: None})
1166                         }
1167                 };
1168                 if let Some(broadcast_tx) = res.1 {
1169                         self.tx_broadcaster.broadcast_transaction(&broadcast_tx);
1170                 }
1171                 Ok(res.0)
1172         }
1173
1174         fn handle_update_add_htlc(&self, their_node_id: &PublicKey, msg: &msgs::UpdateAddHTLC) -> Result<(), msgs::HandleError> {
1175                 //TODO: BOLT 4 points out a specific attack where a peer may re-send an onion packet and
1176                 //determine the state of the payment based on our response/if we forward anything/the time
1177                 //we take to respond. We should take care to avoid allowing such an attack.
1178                 //
1179                 //TODO: There exists a further attack where a node may garble the onion data, forward it to
1180                 //us repeatedly garbled in different ways, and compare our error messages, which are
1181                 //encrypted with the same key. Its not immediately obvious how to usefully exploit that,
1182                 //but we should prevent it anyway.
1183
1184                 let shared_secret = SharedSecret::new(&self.secp_ctx, &msg.onion_routing_packet.public_key, &self.our_network_key);
1185                 let (rho, mu) = ChannelManager::gen_rho_mu_from_shared_secret(&shared_secret);
1186
1187                 let associated_data = Vec::new(); //TODO: What to put here?
1188
1189                 macro_rules! get_onion_hash {
1190                         () => {
1191                                 {
1192                                         let mut sha = Sha256::new();
1193                                         sha.input(&msg.onion_routing_packet.hop_data);
1194                                         let mut onion_hash = [0; 32];
1195                                         sha.result(&mut onion_hash);
1196                                         onion_hash
1197                                 }
1198                         }
1199                 }
1200
1201                 macro_rules! return_err {
1202                         ($msg: expr, $err_code: expr, $data: expr) => {
1203                                 return Err(msgs::HandleError {
1204                                         err: $msg,
1205                                         msg: Some(msgs::ErrorAction::UpdateFailHTLC {
1206                                                 msg: msgs::UpdateFailHTLC {
1207                                                         channel_id: msg.channel_id,
1208                                                         htlc_id: msg.htlc_id,
1209                                                         reason: ChannelManager::build_first_hop_failure_packet(&shared_secret, $err_code, $data),
1210                                                 }
1211                                         }),
1212                                 });
1213                         }
1214                 }
1215
1216                 if msg.onion_routing_packet.version != 0 {
1217                         //TODO: Spec doesn't indicate if we should only hash hop_data here (and in other
1218                         //sha256_of_onion error data packets), or the entire onion_routing_packet. Either way,
1219                         //the hash doesn't really serve any purpuse - in the case of hashing all data, the
1220                         //receiving node would have to brute force to figure out which version was put in the
1221                         //packet by the node that send us the message, in the case of hashing the hop_data, the
1222                         //node knows the HMAC matched, so they already know what is there...
1223                         return_err!("Unknown onion packet version", 0x8000 | 0x4000 | 4, &get_onion_hash!());
1224                 }
1225
1226                 let mut hmac = Hmac::new(Sha256::new(), &mu);
1227                 hmac.input(&msg.onion_routing_packet.hop_data);
1228                 hmac.input(&associated_data[..]);
1229                 if hmac.result() != MacResult::new(&msg.onion_routing_packet.hmac) {
1230                         return_err!("HMAC Check failed", 0x8000 | 0x4000 | 5, &get_onion_hash!());
1231                 }
1232
1233                 let mut chacha = ChaCha20::new(&rho, &[0u8; 8]);
1234                 let next_hop_data = {
1235                         let mut decoded = [0; 65];
1236                         chacha.process(&msg.onion_routing_packet.hop_data[0..65], &mut decoded);
1237                         match msgs::OnionHopData::decode(&decoded[..]) {
1238                                 Err(err) => {
1239                                         let error_code = match err {
1240                                                 msgs::DecodeError::UnknownRealmByte => 0x4000 | 1,
1241                                                 _ => 0x2000 | 2, // Should never happen
1242                                         };
1243                                         return_err!("Unable to decode our hop data", error_code, &[0;0]);
1244                                 },
1245                                 Ok(msg) => msg
1246                         }
1247                 };
1248
1249                 let mut pending_forward_info = if next_hop_data.hmac == [0; 32] {
1250                                 // OUR PAYMENT!
1251                                 if next_hop_data.data.amt_to_forward != msg.amount_msat {
1252                                         return_err!("Upstream node sent less than we were supposed to receive in payment", 19, &byte_utils::be64_to_array(msg.amount_msat));
1253                                 }
1254                                 if next_hop_data.data.outgoing_cltv_value != msg.cltv_expiry {
1255                                         return_err!("Upstream node set CLTV to the wrong value", 18, &byte_utils::be32_to_array(msg.cltv_expiry));
1256                                 }
1257
1258                                 // Note that we could obviously respond immediately with an update_fulfill_htlc
1259                                 // message, however that would leak that we are the recipient of this payment, so
1260                                 // instead we stay symmetric with the forwarding case, only responding (after a
1261                                 // delay) once they've send us a commitment_signed!
1262
1263                                 PendingForwardHTLCInfo {
1264                                         onion_packet: None,
1265                                         payment_hash: msg.payment_hash.clone(),
1266                                         short_channel_id: 0,
1267                                         prev_short_channel_id: 0,
1268                                         amt_to_forward: next_hop_data.data.amt_to_forward,
1269                                         outgoing_cltv_value: next_hop_data.data.outgoing_cltv_value,
1270                                 }
1271                         } else {
1272                                 let mut new_packet_data = [0; 20*65];
1273                                 chacha.process(&msg.onion_routing_packet.hop_data[65..], &mut new_packet_data[0..19*65]);
1274                                 chacha.process(&ChannelManager::ZERO[0..65], &mut new_packet_data[19*65..]);
1275
1276                                 let mut new_pubkey = msg.onion_routing_packet.public_key.clone();
1277
1278                                 let blinding_factor = {
1279                                         let mut sha = Sha256::new();
1280                                         sha.input(&new_pubkey.serialize()[..]);
1281                                         sha.input(&shared_secret[..]);
1282                                         let mut res = [0u8; 32];
1283                                         sha.result(&mut res);
1284                                         match SecretKey::from_slice(&self.secp_ctx, &res) {
1285                                                 Err(_) => {
1286                                                         // Return temporary node failure as its technically our issue, not the
1287                                                         // channel's issue.
1288                                                         return_err!("Blinding factor is an invalid private key", 0x2000 | 2, &[0;0]);
1289                                                 },
1290                                                 Ok(key) => key
1291                                         }
1292                                 };
1293
1294                                 match new_pubkey.mul_assign(&self.secp_ctx, &blinding_factor) {
1295                                         Err(_) => {
1296                                                 // Return temporary node failure as its technically our issue, not the
1297                                                 // channel's issue.
1298                                                 return_err!("New blinding factor is an invalid private key", 0x2000 | 2, &[0;0]);
1299                                         },
1300                                         Ok(_) => {}
1301                                 };
1302
1303                                 let outgoing_packet = msgs::OnionPacket {
1304                                         version: 0,
1305                                         public_key: new_pubkey,
1306                                         hop_data: new_packet_data,
1307                                         hmac: next_hop_data.hmac.clone(),
1308                                 };
1309
1310                                 //TODO: Check amt_to_forward and outgoing_cltv_value are within acceptable ranges!
1311
1312                                 PendingForwardHTLCInfo {
1313                                         onion_packet: Some(outgoing_packet),
1314                                         payment_hash: msg.payment_hash.clone(),
1315                                         short_channel_id: next_hop_data.data.short_channel_id,
1316                                         prev_short_channel_id: 0,
1317                                         amt_to_forward: next_hop_data.data.amt_to_forward,
1318                                         outgoing_cltv_value: next_hop_data.data.outgoing_cltv_value,
1319                                 }
1320                         };
1321
1322                 let mut channel_state_lock = self.channel_state.lock().unwrap();
1323                 let channel_state = channel_state_lock.borrow_parts();
1324
1325                 if pending_forward_info.onion_packet.is_some() { // If short_channel_id is 0 here, we'll reject them in the body here
1326                         let forwarding_id = match channel_state.short_to_id.get(&pending_forward_info.short_channel_id) {
1327                                 None => {
1328                                         return_err!("Don't have available channel for forwarding as requested.", 0x4000 | 10, &[0;0]);
1329                                 },
1330                                 Some(id) => id.clone(),
1331                         };
1332                         let chan = channel_state.by_id.get_mut(&forwarding_id).unwrap();
1333                         if !chan.is_live() {
1334                                 let chan_update = self.get_channel_update(chan).unwrap();
1335                                 return_err!("Forwarding channel is not in a ready state.", 0x4000 | 10, &chan_update.encode()[..]);
1336                         }
1337                 }
1338
1339                 let claimable_htlcs_entry = channel_state.claimable_htlcs.entry(msg.payment_hash.clone());
1340
1341                 // We dont correctly handle payments that route through us twice on their way to their
1342                 // destination. That's OK since those nodes are probably busted or trying to do network
1343                 // mapping through repeated loops. In either case, we want them to stop talking to us, so
1344                 // we send permanent_node_failure.
1345                 match &claimable_htlcs_entry {
1346                         &hash_map::Entry::Occupied(ref e) => {
1347                                 let mut acceptable_cycle = false;
1348                                 match e.get() {
1349                                         &PendingOutboundHTLC::OutboundRoute { .. } => {
1350                                                 acceptable_cycle = pending_forward_info.short_channel_id == 0;
1351                                         },
1352                                         _ => {},
1353                                 }
1354                                 if !acceptable_cycle {
1355                                         return_err!("Payment looped through us twice", 0x4000 | 0x2000 | 2, &[0;0]);
1356                                 }
1357                         },
1358                         _ => {},
1359                 }
1360
1361                 let (source_short_channel_id, res) = match channel_state.by_id.get_mut(&msg.channel_id) {
1362                         Some(chan) => {
1363                                 if chan.get_their_node_id() != *their_node_id {
1364                                         return Err(HandleError{err: "Got a message for a channel from the wrong node!", msg: None})
1365                                 }
1366                                 if !chan.is_usable() {
1367                                         return Err(HandleError{err: "Channel not yet available for receiving HTLCs", msg: None});
1368                                 }
1369                                 let short_channel_id = chan.get_short_channel_id().unwrap();
1370                                 pending_forward_info.prev_short_channel_id = short_channel_id;
1371                                 (short_channel_id, chan.update_add_htlc(&msg, pending_forward_info)?)
1372                         },
1373                         None => return Err(HandleError{err: "Failed to find corresponding channel", msg: None}), //TODO: panic?
1374                 };
1375
1376                 match claimable_htlcs_entry {
1377                         hash_map::Entry::Occupied(mut e) => {
1378                                 let outbound_route = e.get_mut();
1379                                 let route = match outbound_route {
1380                                         &mut PendingOutboundHTLC::OutboundRoute { ref route } => {
1381                                                 route.clone()
1382                                         },
1383                                         _ => { panic!("WAT") },
1384                                 };
1385                                 *outbound_route = PendingOutboundHTLC::CycledRoute {
1386                                         source_short_channel_id,
1387                                         incoming_packet_shared_secret: shared_secret,
1388                                         route
1389                                 };
1390                         },
1391                         hash_map::Entry::Vacant(e) => {
1392                                 e.insert(PendingOutboundHTLC::IntermediaryHopData {
1393                                         source_short_channel_id,
1394                                         incoming_packet_shared_secret: shared_secret,
1395                                 });
1396                         }
1397                 }
1398
1399                 Ok(res)
1400         }
1401
1402         fn handle_update_fulfill_htlc(&self, their_node_id: &PublicKey, msg: &msgs::UpdateFulfillHTLC) -> Result<(), HandleError> {
1403                 //TODO: Delay the claimed_funds relaying just like we do outbound relay!
1404                 // Claim funds first, cause we don't really care if the channel we received the message on
1405                 // is broken, we may have enough info to get our own money!
1406                 self.claim_funds_internal(msg.payment_preimage.clone(), false);
1407
1408                 let monitor = {
1409                         let mut channel_state = self.channel_state.lock().unwrap();
1410                         match channel_state.by_id.get_mut(&msg.channel_id) {
1411                                 Some(chan) => {
1412                                         if chan.get_their_node_id() != *their_node_id {
1413                                                 return Err(HandleError{err: "Got a message for a channel from the wrong node!", msg: None})
1414                                         }
1415                                         chan.update_fulfill_htlc(&msg)?;
1416                                         chan.channel_monitor()
1417                                 },
1418                                 None => return Err(HandleError{err: "Failed to find corresponding channel", msg: None})
1419                         }
1420                 };
1421                 self.monitor.add_update_monitor(monitor.get_funding_txo().unwrap(), monitor)?;
1422                 Ok(())
1423         }
1424
1425         fn handle_update_fail_htlc(&self, their_node_id: &PublicKey, msg: &msgs::UpdateFailHTLC) -> Result<(), HandleError> {
1426                 let mut channel_state = self.channel_state.lock().unwrap();
1427                 match channel_state.by_id.get_mut(&msg.channel_id) {
1428                         Some(chan) => {
1429                                 if chan.get_their_node_id() != *their_node_id {
1430                                         return Err(HandleError{err: "Got a message for a channel from the wrong node!", msg: None})
1431                                 }
1432                                 chan.update_fail_htlc(&msg, HTLCFailReason::ErrorPacket { err: msg.reason.clone() })
1433                         },
1434                         None => return Err(HandleError{err: "Failed to find corresponding channel", msg: None})
1435                 }
1436         }
1437
1438         fn handle_update_fail_malformed_htlc(&self, their_node_id: &PublicKey, msg: &msgs::UpdateFailMalformedHTLC) -> Result<(), HandleError> {
1439                 let mut channel_state = self.channel_state.lock().unwrap();
1440                 match channel_state.by_id.get_mut(&msg.channel_id) {
1441                         Some(chan) => {
1442                                 if chan.get_their_node_id() != *their_node_id {
1443                                         return Err(HandleError{err: "Got a message for a channel from the wrong node!", msg: None})
1444                                 }
1445                                 chan.update_fail_malformed_htlc(&msg, HTLCFailReason::Reason { failure_code: msg.failure_code, data: Vec::new() })
1446                         },
1447                         None => return Err(HandleError{err: "Failed to find corresponding channel", msg: None})
1448                 }
1449         }
1450
1451         fn handle_commitment_signed(&self, their_node_id: &PublicKey, msg: &msgs::CommitmentSigned) -> Result<(msgs::RevokeAndACK, Option<msgs::CommitmentSigned>), HandleError> {
1452                 let (res, monitor) = {
1453                         let mut channel_state = self.channel_state.lock().unwrap();
1454                         match channel_state.by_id.get_mut(&msg.channel_id) {
1455                                 Some(chan) => {
1456                                         if chan.get_their_node_id() != *their_node_id {
1457                                                 return Err(HandleError{err: "Got a message for a channel from the wrong node!", msg: None})
1458                                         }
1459                                         (chan.commitment_signed(&msg)?, chan.channel_monitor())
1460                                 },
1461                                 None => return Err(HandleError{err: "Failed to find corresponding channel", msg: None})
1462                         }
1463                 };
1464                 //TODO: Only if we store HTLC sigs
1465                 self.monitor.add_update_monitor(monitor.get_funding_txo().unwrap(), monitor)?;
1466
1467                 Ok(res)
1468         }
1469
1470         fn handle_revoke_and_ack(&self, their_node_id: &PublicKey, msg: &msgs::RevokeAndACK) -> Result<Option<msgs::CommitmentUpdate>, HandleError> {
1471                 let ((res, mut pending_forwards, mut pending_failures), monitor) = {
1472                         let mut channel_state = self.channel_state.lock().unwrap();
1473                         match channel_state.by_id.get_mut(&msg.channel_id) {
1474                                 Some(chan) => {
1475                                         if chan.get_their_node_id() != *their_node_id {
1476                                                 return Err(HandleError{err: "Got a message for a channel from the wrong node!", msg: None})
1477                                         }
1478                                         (chan.revoke_and_ack(&msg)?, chan.channel_monitor())
1479                                 },
1480                                 None => return Err(HandleError{err: "Failed to find corresponding channel", msg: None})
1481                         }
1482                 };
1483                 self.monitor.add_update_monitor(monitor.get_funding_txo().unwrap(), monitor)?;
1484                 for failure in pending_failures.drain(..) {
1485                         self.fail_htlc_backwards_internal(self.channel_state.lock().unwrap(), &failure.0, failure.1);
1486                 }
1487
1488                 let mut forward_event = None;
1489                 if !pending_forwards.is_empty() {
1490                         let mut channel_state = self.channel_state.lock().unwrap();
1491                         if channel_state.forward_htlcs.is_empty() {
1492                                 forward_event = Some(Instant::now() + Duration::from_millis(((rng::rand_f32() * 4.0 + 1.0) * MIN_HTLC_RELAY_HOLDING_CELL_MILLIS as f32) as u64));
1493                                 channel_state.next_forward = forward_event.unwrap();
1494                         }
1495                         for forward_info in pending_forwards.drain(..) {
1496                                 match channel_state.forward_htlcs.entry(forward_info.short_channel_id) {
1497                                         hash_map::Entry::Occupied(mut entry) => {
1498                                                 entry.get_mut().push(forward_info);
1499                                         },
1500                                         hash_map::Entry::Vacant(entry) => {
1501                                                 entry.insert(vec!(forward_info));
1502                                         }
1503                                 }
1504                         }
1505                 }
1506                 match forward_event {
1507                         Some(time) => {
1508                                 let mut pending_events = self.pending_events.lock().unwrap();
1509                                 pending_events.push(events::Event::PendingHTLCsForwardable {
1510                                         time_forwardable: time
1511                                 });
1512                         }
1513                         None => {},
1514                 }
1515
1516                 Ok(res)
1517         }
1518
1519         fn handle_update_fee(&self, their_node_id: &PublicKey, msg: &msgs::UpdateFee) -> Result<(), HandleError> {
1520                 let mut channel_state = self.channel_state.lock().unwrap();
1521                 match channel_state.by_id.get_mut(&msg.channel_id) {
1522                         Some(chan) => {
1523                                 if chan.get_their_node_id() != *their_node_id {
1524                                         return Err(HandleError{err: "Got a message for a channel from the wrong node!", msg: None})
1525                                 }
1526                                 chan.update_fee(&*self.fee_estimator, &msg)
1527                         },
1528                         None => return Err(HandleError{err: "Failed to find corresponding channel", msg: None})
1529                 }
1530         }
1531
1532         fn handle_announcement_signatures(&self, their_node_id: &PublicKey, msg: &msgs::AnnouncementSignatures) -> Result<(), HandleError> {
1533                 let (chan_announcement, chan_update) = {
1534                         let mut channel_state = self.channel_state.lock().unwrap();
1535                         match channel_state.by_id.get_mut(&msg.channel_id) {
1536                                 Some(chan) => {
1537                                         if chan.get_their_node_id() != *their_node_id {
1538                                                 return Err(HandleError{err: "Got a message for a channel from the wrong node!", msg: None})
1539                                         }
1540                                         if !chan.is_usable() {
1541                                                 return Err(HandleError{err: "Got an announcement_signatures before we were ready for it", msg: None });
1542                                         }
1543
1544                                         let our_node_id = self.get_our_node_id();
1545                                         let (announcement, our_bitcoin_sig) = chan.get_channel_announcement(our_node_id.clone(), self.genesis_hash.clone())?;
1546
1547                                         let were_node_one = announcement.node_id_1 == our_node_id;
1548                                         let msghash = Message::from_slice(&Sha256dHash::from_data(&announcement.encode()[..])[..]).unwrap();
1549                                         secp_call!(self.secp_ctx.verify(&msghash, &msg.node_signature, if were_node_one { &announcement.node_id_2 } else { &announcement.node_id_1 }));
1550                                         secp_call!(self.secp_ctx.verify(&msghash, &msg.bitcoin_signature, if were_node_one { &announcement.bitcoin_key_2 } else { &announcement.bitcoin_key_1 }));
1551
1552                                         let our_node_sig = secp_call!(self.secp_ctx.sign(&msghash, &self.our_network_key));
1553
1554                                         (msgs::ChannelAnnouncement {
1555                                                 node_signature_1: if were_node_one { our_node_sig } else { msg.node_signature },
1556                                                 node_signature_2: if were_node_one { msg.node_signature } else { our_node_sig },
1557                                                 bitcoin_signature_1: if were_node_one { our_bitcoin_sig } else { msg.bitcoin_signature },
1558                                                 bitcoin_signature_2: if were_node_one { msg.bitcoin_signature } else { our_bitcoin_sig },
1559                                                 contents: announcement,
1560                                         }, self.get_channel_update(chan).unwrap()) // can only fail if we're not in a ready state
1561                                 },
1562                                 None => return Err(HandleError{err: "Failed to find corresponding channel", msg: None})
1563                         }
1564                 };
1565                 let mut pending_events = self.pending_events.lock().unwrap();
1566                 pending_events.push(events::Event::BroadcastChannelAnnouncement { msg: chan_announcement, update_msg: chan_update });
1567                 Ok(())
1568         }
1569
1570         fn peer_disconnected(&self, their_node_id: &PublicKey, no_connection_possible: bool) {
1571                 let mut channel_state_lock = self.channel_state.lock().unwrap();
1572                 let channel_state = channel_state_lock.borrow_parts();
1573                 let short_to_id = channel_state.short_to_id;
1574                 if no_connection_possible {
1575                         channel_state.by_id.retain(move |_, chan| {
1576                                 if chan.get_their_node_id() == *their_node_id {
1577                                         match chan.get_short_channel_id() {
1578                                                 Some(short_id) => {
1579                                                         short_to_id.remove(&short_id);
1580                                                 },
1581                                                 None => {},
1582                                         }
1583                                         //TODO: get the latest commitment tx, any HTLC txn built on top of it, etc out
1584                                         //of the channel and throw those into the announcement blackhole.
1585                                         false
1586                                 } else {
1587                                         true
1588                                 }
1589                         });
1590                 } else {
1591                         for chan in channel_state.by_id {
1592                                 if chan.1.get_their_node_id() == *their_node_id {
1593                                         //TODO: mark channel disabled (and maybe announce such after a timeout). Also
1594                                         //fail and wipe any uncommitted outbound HTLCs as those are considered after
1595                                         //reconnect.
1596                                 }
1597                         }
1598                 }
1599         }
1600 }
1601
1602 #[cfg(test)]
1603 mod tests {
1604         use chain::chaininterface;
1605         use ln::channelmanager::{ChannelManager,OnionKeys};
1606         use ln::router::{Route, RouteHop, Router};
1607         use ln::msgs;
1608         use ln::msgs::{MsgEncodable,ChannelMessageHandler,RoutingMessageHandler};
1609         use util::test_utils;
1610         use util::events::{Event, EventsProvider};
1611
1612         use bitcoin::util::misc::hex_bytes;
1613         use bitcoin::util::hash::Sha256dHash;
1614         use bitcoin::util::uint::Uint256;
1615         use bitcoin::blockdata::block::BlockHeader;
1616         use bitcoin::blockdata::transaction::{Transaction, TxOut};
1617         use bitcoin::network::constants::Network;
1618         use bitcoin::network::serialize::serialize;
1619         use bitcoin::network::serialize::BitcoinHash;
1620
1621         use secp256k1::Secp256k1;
1622         use secp256k1::key::{PublicKey,SecretKey};
1623
1624         use crypto::sha2::Sha256;
1625         use crypto::digest::Digest;
1626
1627         use rand::{thread_rng,Rng};
1628
1629         use std::collections::HashMap;
1630         use std::default::Default;
1631         use std::sync::{Arc, Mutex};
1632         use std::time::Instant;
1633
1634         fn build_test_onion_keys() -> Vec<OnionKeys> {
1635                 // Keys from BOLT 4, used in both test vector tests
1636                 let secp_ctx = Secp256k1::new();
1637
1638                 let route = Route {
1639                         hops: vec!(
1640                                         RouteHop {
1641                                                 pubkey: PublicKey::from_slice(&secp_ctx, &hex_bytes("02eec7245d6b7d2ccb30380bfbe2a3648cd7a942653f5aa340edcea1f283686619").unwrap()[..]).unwrap(),
1642                                                 short_channel_id: 0, fee_msat: 0, cltv_expiry_delta: 0 // Test vectors are garbage and not generateble from a RouteHop, we fill in payloads manually
1643                                         },
1644                                         RouteHop {
1645                                                 pubkey: PublicKey::from_slice(&secp_ctx, &hex_bytes("0324653eac434488002cc06bbfb7f10fe18991e35f9fe4302dbea6d2353dc0ab1c").unwrap()[..]).unwrap(),
1646                                                 short_channel_id: 0, fee_msat: 0, cltv_expiry_delta: 0 // Test vectors are garbage and not generateble from a RouteHop, we fill in payloads manually
1647                                         },
1648                                         RouteHop {
1649                                                 pubkey: PublicKey::from_slice(&secp_ctx, &hex_bytes("027f31ebc5462c1fdce1b737ecff52d37d75dea43ce11c74d25aa297165faa2007").unwrap()[..]).unwrap(),
1650                                                 short_channel_id: 0, fee_msat: 0, cltv_expiry_delta: 0 // Test vectors are garbage and not generateble from a RouteHop, we fill in payloads manually
1651                                         },
1652                                         RouteHop {
1653                                                 pubkey: PublicKey::from_slice(&secp_ctx, &hex_bytes("032c0b7cf95324a07d05398b240174dc0c2be444d96b159aa6c7f7b1e668680991").unwrap()[..]).unwrap(),
1654                                                 short_channel_id: 0, fee_msat: 0, cltv_expiry_delta: 0 // Test vectors are garbage and not generateble from a RouteHop, we fill in payloads manually
1655                                         },
1656                                         RouteHop {
1657                                                 pubkey: PublicKey::from_slice(&secp_ctx, &hex_bytes("02edabbd16b41c8371b92ef2f04c1185b4f03b6dcd52ba9b78d9d7c89c8f221145").unwrap()[..]).unwrap(),
1658                                                 short_channel_id: 0, fee_msat: 0, cltv_expiry_delta: 0 // Test vectors are garbage and not generateble from a RouteHop, we fill in payloads manually
1659                                         },
1660                         ),
1661                 };
1662
1663                 let session_priv = SecretKey::from_slice(&secp_ctx, &hex_bytes("4141414141414141414141414141414141414141414141414141414141414141").unwrap()[..]).unwrap();
1664
1665                 let onion_keys = ChannelManager::construct_onion_keys(&secp_ctx, &route, &session_priv).unwrap();
1666                 assert_eq!(onion_keys.len(), route.hops.len());
1667                 onion_keys
1668         }
1669
1670         #[test]
1671         fn onion_vectors() {
1672                 // Packet creation test vectors from BOLT 4
1673                 let onion_keys = build_test_onion_keys();
1674
1675                 assert_eq!(onion_keys[0].shared_secret[..], hex_bytes("53eb63ea8a3fec3b3cd433b85cd62a4b145e1dda09391b348c4e1cd36a03ea66").unwrap()[..]);
1676                 assert_eq!(onion_keys[0].blinding_factor[..], hex_bytes("2ec2e5da605776054187180343287683aa6a51b4b1c04d6dd49c45d8cffb3c36").unwrap()[..]);
1677                 assert_eq!(onion_keys[0].ephemeral_pubkey.serialize()[..], hex_bytes("02eec7245d6b7d2ccb30380bfbe2a3648cd7a942653f5aa340edcea1f283686619").unwrap()[..]);
1678                 assert_eq!(onion_keys[0].rho, hex_bytes("ce496ec94def95aadd4bec15cdb41a740c9f2b62347c4917325fcc6fb0453986").unwrap()[..]);
1679                 assert_eq!(onion_keys[0].mu, hex_bytes("b57061dc6d0a2b9f261ac410c8b26d64ac5506cbba30267a649c28c179400eba").unwrap()[..]);
1680
1681                 assert_eq!(onion_keys[1].shared_secret[..], hex_bytes("a6519e98832a0b179f62123b3567c106db99ee37bef036e783263602f3488fae").unwrap()[..]);
1682                 assert_eq!(onion_keys[1].blinding_factor[..], hex_bytes("bf66c28bc22e598cfd574a1931a2bafbca09163df2261e6d0056b2610dab938f").unwrap()[..]);
1683                 assert_eq!(onion_keys[1].ephemeral_pubkey.serialize()[..], hex_bytes("028f9438bfbf7feac2e108d677e3a82da596be706cc1cf342b75c7b7e22bf4e6e2").unwrap()[..]);
1684                 assert_eq!(onion_keys[1].rho, hex_bytes("450ffcabc6449094918ebe13d4f03e433d20a3d28a768203337bc40b6e4b2c59").unwrap()[..]);
1685                 assert_eq!(onion_keys[1].mu, hex_bytes("05ed2b4a3fb023c2ff5dd6ed4b9b6ea7383f5cfe9d59c11d121ec2c81ca2eea9").unwrap()[..]);
1686
1687                 assert_eq!(onion_keys[2].shared_secret[..], hex_bytes("3a6b412548762f0dbccce5c7ae7bb8147d1caf9b5471c34120b30bc9c04891cc").unwrap()[..]);
1688                 assert_eq!(onion_keys[2].blinding_factor[..], hex_bytes("a1f2dadd184eb1627049673f18c6325814384facdee5bfd935d9cb031a1698a5").unwrap()[..]);
1689                 assert_eq!(onion_keys[2].ephemeral_pubkey.serialize()[..], hex_bytes("03bfd8225241ea71cd0843db7709f4c222f62ff2d4516fd38b39914ab6b83e0da0").unwrap()[..]);
1690                 assert_eq!(onion_keys[2].rho, hex_bytes("11bf5c4f960239cb37833936aa3d02cea82c0f39fd35f566109c41f9eac8deea").unwrap()[..]);
1691                 assert_eq!(onion_keys[2].mu, hex_bytes("caafe2820fa00eb2eeb78695ae452eba38f5a53ed6d53518c5c6edf76f3f5b78").unwrap()[..]);
1692
1693                 assert_eq!(onion_keys[3].shared_secret[..], hex_bytes("21e13c2d7cfe7e18836df50872466117a295783ab8aab0e7ecc8c725503ad02d").unwrap()[..]);
1694                 assert_eq!(onion_keys[3].blinding_factor[..], hex_bytes("7cfe0b699f35525029ae0fa437c69d0f20f7ed4e3916133f9cacbb13c82ff262").unwrap()[..]);
1695                 assert_eq!(onion_keys[3].ephemeral_pubkey.serialize()[..], hex_bytes("031dde6926381289671300239ea8e57ffaf9bebd05b9a5b95beaf07af05cd43595").unwrap()[..]);
1696                 assert_eq!(onion_keys[3].rho, hex_bytes("cbe784ab745c13ff5cffc2fbe3e84424aa0fd669b8ead4ee562901a4a4e89e9e").unwrap()[..]);
1697                 assert_eq!(onion_keys[3].mu, hex_bytes("5052aa1b3d9f0655a0932e50d42f0c9ba0705142c25d225515c45f47c0036ee9").unwrap()[..]);
1698
1699                 assert_eq!(onion_keys[4].shared_secret[..], hex_bytes("b5756b9b542727dbafc6765a49488b023a725d631af688fc031217e90770c328").unwrap()[..]);
1700                 assert_eq!(onion_keys[4].blinding_factor[..], hex_bytes("c96e00dddaf57e7edcd4fb5954be5b65b09f17cb6d20651b4e90315be5779205").unwrap()[..]);
1701                 assert_eq!(onion_keys[4].ephemeral_pubkey.serialize()[..], hex_bytes("03a214ebd875aab6ddfd77f22c5e7311d7f77f17a169e599f157bbcdae8bf071f4").unwrap()[..]);
1702                 assert_eq!(onion_keys[4].rho, hex_bytes("034e18b8cc718e8af6339106e706c52d8df89e2b1f7e9142d996acf88df8799b").unwrap()[..]);
1703                 assert_eq!(onion_keys[4].mu, hex_bytes("8e45e5c61c2b24cb6382444db6698727afb063adecd72aada233d4bf273d975a").unwrap()[..]);
1704
1705                 // Test vectors below are flat-out wrong: they claim to set outgoing_cltv_value to non-0 :/
1706                 let payloads = vec!(
1707                         msgs::OnionHopData {
1708                                 realm: 0,
1709                                 data: msgs::OnionRealm0HopData {
1710                                         short_channel_id: 0,
1711                                         amt_to_forward: 0,
1712                                         outgoing_cltv_value: 0,
1713                                 },
1714                                 hmac: [0; 32],
1715                         },
1716                         msgs::OnionHopData {
1717                                 realm: 0,
1718                                 data: msgs::OnionRealm0HopData {
1719                                         short_channel_id: 0x0101010101010101,
1720                                         amt_to_forward: 0x0100000001,
1721                                         outgoing_cltv_value: 0,
1722                                 },
1723                                 hmac: [0; 32],
1724                         },
1725                         msgs::OnionHopData {
1726                                 realm: 0,
1727                                 data: msgs::OnionRealm0HopData {
1728                                         short_channel_id: 0x0202020202020202,
1729                                         amt_to_forward: 0x0200000002,
1730                                         outgoing_cltv_value: 0,
1731                                 },
1732                                 hmac: [0; 32],
1733                         },
1734                         msgs::OnionHopData {
1735                                 realm: 0,
1736                                 data: msgs::OnionRealm0HopData {
1737                                         short_channel_id: 0x0303030303030303,
1738                                         amt_to_forward: 0x0300000003,
1739                                         outgoing_cltv_value: 0,
1740                                 },
1741                                 hmac: [0; 32],
1742                         },
1743                         msgs::OnionHopData {
1744                                 realm: 0,
1745                                 data: msgs::OnionRealm0HopData {
1746                                         short_channel_id: 0x0404040404040404,
1747                                         amt_to_forward: 0x0400000004,
1748                                         outgoing_cltv_value: 0,
1749                                 },
1750                                 hmac: [0; 32],
1751                         },
1752                 );
1753
1754                 let packet = ChannelManager::construct_onion_packet(payloads, onion_keys, hex_bytes("4242424242424242424242424242424242424242424242424242424242424242").unwrap()).unwrap();
1755                 // Just check the final packet encoding, as it includes all the per-hop vectors in it
1756                 // anyway...
1757                 assert_eq!(packet.encode(), hex_bytes("0002eec7245d6b7d2ccb30380bfbe2a3648cd7a942653f5aa340edcea1f283686619e5f14350c2a76fc232b5e46d421e9615471ab9e0bc887beff8c95fdb878f7b3a716a996c7845c93d90e4ecbb9bde4ece2f69425c99e4bc820e44485455f135edc0d10f7d61ab590531cf08000179a333a347f8b4072f216400406bdf3bf038659793d4a1fd7b246979e3150a0a4cb052c9ec69acf0f48c3d39cd55675fe717cb7d80ce721caad69320c3a469a202f1e468c67eaf7a7cd8226d0fd32f7b48084dca885d56047694762b67021713ca673929c163ec36e04e40ca8e1c6d17569419d3039d9a1ec866abe044a9ad635778b961fc0776dc832b3a451bd5d35072d2269cf9b040f6b7a7dad84fb114ed413b1426cb96ceaf83825665ed5a1d002c1687f92465b49ed4c7f0218ff8c6c7dd7221d589c65b3b9aaa71a41484b122846c7c7b57e02e679ea8469b70e14fe4f70fee4d87b910cf144be6fe48eef24da475c0b0bcc6565ae82cd3f4e3b24c76eaa5616c6111343306ab35c1fe5ca4a77c0e314ed7dba39d6f1e0de791719c241a939cc493bea2bae1c1e932679ea94d29084278513c77b899cc98059d06a27d171b0dbdf6bee13ddc4fc17a0c4d2827d488436b57baa167544138ca2e64a11b43ac8a06cd0c2fba2d4d900ed2d9205305e2d7383cc98dacb078133de5f6fb6bed2ef26ba92cea28aafc3b9948dd9ae5559e8bd6920b8cea462aa445ca6a95e0e7ba52961b181c79e73bd581821df2b10173727a810c92b83b5ba4a0403eb710d2ca10689a35bec6c3a708e9e92f7d78ff3c5d9989574b00c6736f84c199256e76e19e78f0c98a9d580b4a658c84fc8f2096c2fbea8f5f8c59d0fdacb3be2802ef802abbecb3aba4acaac69a0e965abd8981e9896b1f6ef9d60f7a164b371af869fd0e48073742825e9434fc54da837e120266d53302954843538ea7c6c3dbfb4ff3b2fdbe244437f2a153ccf7bdb4c92aa08102d4f3cff2ae5ef86fab4653595e6a5837fa2f3e29f27a9cde5966843fb847a4a61f1e76c281fe8bb2b0a181d096100db5a1a5ce7a910238251a43ca556712eaadea167fb4d7d75825e440f3ecd782036d7574df8bceacb397abefc5f5254d2722215c53ff54af8299aaaad642c6d72a14d27882d9bbd539e1cc7a527526ba89b8c037ad09120e98ab042d3e8652b31ae0e478516bfaf88efca9f3676ffe99d2819dcaeb7610a626695f53117665d267d3f7abebd6bbd6733f645c72c389f03855bdf1e4b8075b516569b118233a0f0971d24b83113c0b096f5216a207ca99a7cddc81c130923fe3d91e7508c9ac5f2e914ff5dccab9e558566fa14efb34ac98d878580814b94b73acbfde9072f30b881f7f0fff42d4045d1ace6322d86a97d164aa84d93a60498065cc7c20e636f5862dc81531a88c60305a2e59a985be327a6902e4bed986dbf4a0b50c217af0ea7fdf9ab37f9ea1a1aaa72f54cf40154ea9b269f1a7c09f9f43245109431a175d50e2db0132337baa0ef97eed0fcf20489da36b79a1172faccc2f7ded7c60e00694282d93359c4682135642bc81f433574aa8ef0c97b4ade7ca372c5ffc23c7eddd839bab4e0f14d6df15c9dbeab176bec8b5701cf054eb3072f6dadc98f88819042bf10c407516ee58bce33fbe3b3d86a54255e577db4598e30a135361528c101683a5fcde7e8ba53f3456254be8f45fe3a56120ae96ea3773631fcb3873aa3abd91bcff00bd38bd43697a2e789e00da6077482e7b1b1a677b5afae4c54e6cbdf7377b694eb7d7a5b913476a5be923322d3de06060fd5e819635232a2cf4f0731da13b8546d1d6d4f8d75b9fce6c2341a71b0ea6f780df54bfdb0dd5cd9855179f602f9172307c7268724c3618e6817abd793adc214a0dc0bc616816632f27ea336fb56dfd").unwrap());
1758         }
1759
1760         #[test]
1761         fn test_failure_packet_onion() {
1762                 // Returning Errors test vectors from BOLT 4
1763
1764                 let onion_keys = build_test_onion_keys();
1765                 let onion_error = ChannelManager::build_failure_packet(&onion_keys[4].shared_secret, 0x2002, &[0; 0]);
1766                 assert_eq!(onion_error.encode(), hex_bytes("4c2fc8bc08510334b6833ad9c3e79cd1b52ae59dfe5c2a4b23ead50f09f7ee0b0002200200fe0000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000").unwrap());
1767
1768                 let onion_packet_1 = ChannelManager::encrypt_failure_packet(&onion_keys[4].shared_secret, &onion_error.encode()[..]);
1769                 assert_eq!(onion_packet_1.data, hex_bytes("a5e6bd0c74cb347f10cce367f949098f2457d14c046fd8a22cb96efb30b0fdcda8cb9168b50f2fd45edd73c1b0c8b33002df376801ff58aaa94000bf8a86f92620f343baef38a580102395ae3abf9128d1047a0736ff9b83d456740ebbb4aeb3aa9737f18fb4afb4aa074fb26c4d702f42968888550a3bded8c05247e045b866baef0499f079fdaeef6538f31d44deafffdfd3afa2fb4ca9082b8f1c465371a9894dd8c243fb4847e004f5256b3e90e2edde4c9fb3082ddfe4d1e734cacd96ef0706bf63c9984e22dc98851bcccd1c3494351feb458c9c6af41c0044bea3c47552b1d992ae542b17a2d0bba1a096c78d169034ecb55b6e3a7263c26017f033031228833c1daefc0dedb8cf7c3e37c9c37ebfe42f3225c326e8bcfd338804c145b16e34e4").unwrap());
1770
1771                 let onion_packet_2 = ChannelManager::encrypt_failure_packet(&onion_keys[3].shared_secret, &onion_packet_1.data[..]);
1772                 assert_eq!(onion_packet_2.data, hex_bytes("c49a1ce81680f78f5f2000cda36268de34a3f0a0662f55b4e837c83a8773c22aa081bab1616a0011585323930fa5b9fae0c85770a2279ff59ec427ad1bbff9001c0cd1497004bd2a0f68b50704cf6d6a4bf3c8b6a0833399a24b3456961ba00736785112594f65b6b2d44d9f5ea4e49b5e1ec2af978cbe31c67114440ac51a62081df0ed46d4a3df295da0b0fe25c0115019f03f15ec86fabb4c852f83449e812f141a9395b3f70b766ebbd4ec2fae2b6955bd8f32684c15abfe8fd3a6261e52650e8807a92158d9f1463261a925e4bfba44bd20b166d532f0017185c3a6ac7957adefe45559e3072c8dc35abeba835a8cb01a71a15c736911126f27d46a36168ca5ef7dccd4e2886212602b181463e0dd30185c96348f9743a02aca8ec27c0b90dca270").unwrap());
1773
1774                 let onion_packet_3 = ChannelManager::encrypt_failure_packet(&onion_keys[2].shared_secret, &onion_packet_2.data[..]);
1775                 assert_eq!(onion_packet_3.data, hex_bytes("a5d3e8634cfe78b2307d87c6d90be6fe7855b4f2cc9b1dfb19e92e4b79103f61ff9ac25f412ddfb7466e74f81b3e545563cdd8f5524dae873de61d7bdfccd496af2584930d2b566b4f8d3881f8c043df92224f38cf094cfc09d92655989531524593ec6d6caec1863bdfaa79229b5020acc034cd6deeea1021c50586947b9b8e6faa83b81fbfa6133c0af5d6b07c017f7158fa94f0d206baf12dda6b68f785b773b360fd0497e16cc402d779c8d48d0fa6315536ef0660f3f4e1865f5b38ea49c7da4fd959de4e83ff3ab686f059a45c65ba2af4a6a79166aa0f496bf04d06987b6d2ea205bdb0d347718b9aeff5b61dfff344993a275b79717cd815b6ad4c0beb568c4ac9c36ff1c315ec1119a1993c4b61e6eaa0375e0aaf738ac691abd3263bf937e3").unwrap());
1776
1777                 let onion_packet_4 = ChannelManager::encrypt_failure_packet(&onion_keys[1].shared_secret, &onion_packet_3.data[..]);
1778                 assert_eq!(onion_packet_4.data, hex_bytes("aac3200c4968f56b21f53e5e374e3a2383ad2b1b6501bbcc45abc31e59b26881b7dfadbb56ec8dae8857add94e6702fb4c3a4de22e2e669e1ed926b04447fc73034bb730f4932acd62727b75348a648a1128744657ca6a4e713b9b646c3ca66cac02cdab44dd3439890ef3aaf61708714f7375349b8da541b2548d452d84de7084bb95b3ac2345201d624d31f4d52078aa0fa05a88b4e20202bd2b86ac5b52919ea305a8949de95e935eed0319cf3cf19ebea61d76ba92532497fcdc9411d06bcd4275094d0a4a3c5d3a945e43305a5a9256e333e1f64dbca5fcd4e03a39b9012d197506e06f29339dfee3331995b21615337ae060233d39befea925cc262873e0530408e6990f1cbd233a150ef7b004ff6166c70c68d9f8c853c1abca640b8660db2921").unwrap());
1779
1780                 let onion_packet_5 = ChannelManager::encrypt_failure_packet(&onion_keys[0].shared_secret, &onion_packet_4.data[..]);
1781                 assert_eq!(onion_packet_5.data, hex_bytes("9c5add3963fc7f6ed7f148623c84134b5647e1306419dbe2174e523fa9e2fbed3a06a19f899145610741c83ad40b7712aefaddec8c6baf7325d92ea4ca4d1df8bce517f7e54554608bf2bd8071a4f52a7a2f7ffbb1413edad81eeea5785aa9d990f2865dc23b4bc3c301a94eec4eabebca66be5cf638f693ec256aec514620cc28ee4a94bd9565bc4d4962b9d3641d4278fb319ed2b84de5b665f307a2db0f7fbb757366067d88c50f7e829138fde4f78d39b5b5802f1b92a8a820865af5cc79f9f30bc3f461c66af95d13e5e1f0381c184572a91dee1c849048a647a1158cf884064deddbf1b0b88dfe2f791428d0ba0f6fb2f04e14081f69165ae66d9297c118f0907705c9c4954a199bae0bb96fad763d690e7daa6cfda59ba7f2c8d11448b604d12d").unwrap());
1782         }
1783
1784         fn confirm_transaction(chain: &chaininterface::ChainWatchInterfaceUtil, tx: &Transaction, chan_id: u32) {
1785                 let mut header = BlockHeader { version: 0x20000000, prev_blockhash: Default::default(), merkle_root: Default::default(), time: 42, bits: 42, nonce: 42 };
1786                 chain.block_connected_checked(&header, 1, &[tx; 1], &[chan_id; 1]);
1787                 for i in 2..100 {
1788                         header = BlockHeader { version: 0x20000000, prev_blockhash: header.bitcoin_hash(), merkle_root: Default::default(), time: 42, bits: 42, nonce: 42 };
1789                         chain.block_connected_checked(&header, i, &[tx; 0], &[0; 0]);
1790                 }
1791         }
1792
1793         struct Node {
1794                 feeest: Arc<test_utils::TestFeeEstimator>,
1795                 chain_monitor: Arc<chaininterface::ChainWatchInterfaceUtil>,
1796                 tx_broadcaster: Arc<test_utils::TestBroadcaster>,
1797                 chan_monitor: Arc<test_utils::TestChannelMonitor>,
1798                 node_id: SecretKey,
1799                 node: Arc<ChannelManager>,
1800                 router: Router,
1801         }
1802
1803         static mut CHAN_COUNT: u32 = 0;
1804         fn create_chan_between_nodes(node_a: &Node, node_b: &Node) -> (msgs::ChannelAnnouncement, msgs::ChannelUpdate, msgs::ChannelUpdate, Uint256, Transaction) {
1805                 let open_chan = node_a.node.create_channel(node_b.node.get_our_node_id(), 100000, 42).unwrap();
1806                 let accept_chan = node_b.node.handle_open_channel(&node_a.node.get_our_node_id(), &open_chan).unwrap();
1807                 node_a.node.handle_accept_channel(&node_b.node.get_our_node_id(), &accept_chan).unwrap();
1808
1809                 let chan_id = unsafe { CHAN_COUNT };
1810                 let tx;
1811                 let funding_output;
1812
1813                 let events_1 = node_a.node.get_and_clear_pending_events();
1814                 assert_eq!(events_1.len(), 1);
1815                 match events_1[0] {
1816                         Event::FundingGenerationReady { ref temporary_channel_id, ref channel_value_satoshis, ref output_script, user_channel_id } => {
1817                                 assert_eq!(*channel_value_satoshis, 100000);
1818                                 assert_eq!(user_channel_id, 42);
1819
1820                                 tx = Transaction { version: chan_id as u32, lock_time: 0, input: Vec::new(), output: vec![TxOut {
1821                                         value: *channel_value_satoshis, script_pubkey: output_script.clone(),
1822                                 }]};
1823                                 funding_output = (Sha256dHash::from_data(&serialize(&tx).unwrap()[..]), 0);
1824
1825                                 node_a.node.funding_transaction_generated(&temporary_channel_id, funding_output.clone());
1826                                 let mut added_monitors = node_a.chan_monitor.added_monitors.lock().unwrap();
1827                                 assert_eq!(added_monitors.len(), 1);
1828                                 assert_eq!(added_monitors[0].0, funding_output);
1829                                 added_monitors.clear();
1830                         },
1831                         _ => panic!("Unexpected event"),
1832                 }
1833
1834                 let events_2 = node_a.node.get_and_clear_pending_events();
1835                 assert_eq!(events_2.len(), 1);
1836                 let funding_signed = match events_2[0] {
1837                         Event::SendFundingCreated { ref node_id, ref msg } => {
1838                                 assert_eq!(*node_id, node_b.node.get_our_node_id());
1839                                 let res = node_b.node.handle_funding_created(&node_a.node.get_our_node_id(), msg).unwrap();
1840                                 let mut added_monitors = node_b.chan_monitor.added_monitors.lock().unwrap();
1841                                 assert_eq!(added_monitors.len(), 1);
1842                                 assert_eq!(added_monitors[0].0, funding_output);
1843                                 added_monitors.clear();
1844                                 res
1845                         },
1846                         _ => panic!("Unexpected event"),
1847                 };
1848
1849                 node_a.node.handle_funding_signed(&node_b.node.get_our_node_id(), &funding_signed).unwrap();
1850
1851                 let events_3 = node_a.node.get_and_clear_pending_events();
1852                 assert_eq!(events_3.len(), 1);
1853                 match events_3[0] {
1854                         Event::FundingBroadcastSafe { ref funding_txo, user_channel_id } => {
1855                                 assert_eq!(user_channel_id, 42);
1856                                 assert_eq!(*funding_txo, funding_output);
1857                         },
1858                         _ => panic!("Unexpected event"),
1859                 };
1860
1861                 confirm_transaction(&node_a.chain_monitor, &tx, chan_id);
1862                 let events_4 = node_a.node.get_and_clear_pending_events();
1863                 assert_eq!(events_4.len(), 1);
1864                 match events_4[0] {
1865                         Event::SendFundingLocked { ref node_id, ref msg, ref announcement_sigs } => {
1866                                 assert_eq!(*node_id, node_b.node.get_our_node_id());
1867                                 assert!(announcement_sigs.is_none());
1868                                 node_b.node.handle_funding_locked(&node_a.node.get_our_node_id(), msg).unwrap()
1869                         },
1870                         _ => panic!("Unexpected event"),
1871                 };
1872
1873                 let channel_id;
1874
1875                 confirm_transaction(&node_b.chain_monitor, &tx, chan_id);
1876                 let events_5 = node_b.node.get_and_clear_pending_events();
1877                 assert_eq!(events_5.len(), 1);
1878                 let as_announcement_sigs = match events_5[0] {
1879                         Event::SendFundingLocked { ref node_id, ref msg, ref announcement_sigs } => {
1880                                 assert_eq!(*node_id, node_a.node.get_our_node_id());
1881                                 channel_id = msg.channel_id.clone();
1882                                 let as_announcement_sigs = node_a.node.handle_funding_locked(&node_b.node.get_our_node_id(), msg).unwrap().unwrap();
1883                                 node_a.node.handle_announcement_signatures(&node_b.node.get_our_node_id(), &(*announcement_sigs).clone().unwrap()).unwrap();
1884                                 as_announcement_sigs
1885                         },
1886                         _ => panic!("Unexpected event"),
1887                 };
1888
1889                 let events_6 = node_a.node.get_and_clear_pending_events();
1890                 assert_eq!(events_6.len(), 1);
1891                 let (announcement, as_update) = match events_6[0] {
1892                         Event::BroadcastChannelAnnouncement { ref msg, ref update_msg } => {
1893                                 (msg, update_msg)
1894                         },
1895                         _ => panic!("Unexpected event"),
1896                 };
1897
1898                 node_b.node.handle_announcement_signatures(&node_a.node.get_our_node_id(), &as_announcement_sigs).unwrap();
1899                 let events_7 = node_b.node.get_and_clear_pending_events();
1900                 assert_eq!(events_7.len(), 1);
1901                 let bs_update = match events_7[0] {
1902                         Event::BroadcastChannelAnnouncement { ref msg, ref update_msg } => {
1903                                 assert!(*announcement == *msg);
1904                                 update_msg
1905                         },
1906                         _ => panic!("Unexpected event"),
1907                 };
1908
1909                 unsafe {
1910                         CHAN_COUNT += 1;
1911                 }
1912
1913                 ((*announcement).clone(), (*as_update).clone(), (*bs_update).clone(), channel_id, tx)
1914         }
1915
1916         fn create_announced_chan_between_nodes(nodes: &Vec<Node>, a: usize, b: usize) -> (msgs::ChannelUpdate, msgs::ChannelUpdate, Uint256, Transaction) {
1917                 let chan_announcement = create_chan_between_nodes(&nodes[a], &nodes[b]);
1918                 for node in nodes {
1919                         assert!(node.router.handle_channel_announcement(&chan_announcement.0).unwrap());
1920                         node.router.handle_channel_update(&chan_announcement.1).unwrap();
1921                         node.router.handle_channel_update(&chan_announcement.2).unwrap();
1922                 }
1923                 (chan_announcement.1, chan_announcement.2, chan_announcement.3, chan_announcement.4)
1924         }
1925
1926         fn close_channel(outbound_node: &Node, inbound_node: &Node, channel_id: &Uint256, funding_tx: Transaction, close_inbound_first: bool) {
1927                 let (node_a, broadcaster_a) = if close_inbound_first { (&inbound_node.node, &inbound_node.tx_broadcaster) } else { (&outbound_node.node, &outbound_node.tx_broadcaster) };
1928                 let (node_b, broadcaster_b) = if close_inbound_first { (&outbound_node.node, &outbound_node.tx_broadcaster) } else { (&inbound_node.node, &inbound_node.tx_broadcaster) };
1929                 let (tx_a, tx_b);
1930
1931                 let shutdown_a = node_a.close_channel(channel_id).unwrap();
1932                 let (shutdown_b, mut closing_signed_b) = node_b.handle_shutdown(&node_a.get_our_node_id(), &shutdown_a).unwrap();
1933                 if !close_inbound_first {
1934                         assert!(closing_signed_b.is_none());
1935                 }
1936                 let (empty_a, mut closing_signed_a) = node_a.handle_shutdown(&node_b.get_our_node_id(), &shutdown_b.unwrap()).unwrap();
1937                 assert!(empty_a.is_none());
1938                 if close_inbound_first {
1939                         assert!(closing_signed_a.is_none());
1940                         closing_signed_a = node_a.handle_closing_signed(&node_b.get_our_node_id(), &closing_signed_b.unwrap()).unwrap();
1941                         assert_eq!(broadcaster_a.txn_broadcasted.lock().unwrap().len(), 1);
1942                         tx_a = broadcaster_a.txn_broadcasted.lock().unwrap().remove(0);
1943
1944                         let empty_b = node_b.handle_closing_signed(&node_a.get_our_node_id(), &closing_signed_a.unwrap()).unwrap();
1945                         assert!(empty_b.is_none());
1946                         assert_eq!(broadcaster_b.txn_broadcasted.lock().unwrap().len(), 1);
1947                         tx_b = broadcaster_b.txn_broadcasted.lock().unwrap().remove(0);
1948                 } else {
1949                         closing_signed_b = node_b.handle_closing_signed(&node_a.get_our_node_id(), &closing_signed_a.unwrap()).unwrap();
1950                         assert_eq!(broadcaster_b.txn_broadcasted.lock().unwrap().len(), 1);
1951                         tx_b = broadcaster_b.txn_broadcasted.lock().unwrap().remove(0);
1952
1953                         let empty_a2 = node_a.handle_closing_signed(&node_b.get_our_node_id(), &closing_signed_b.unwrap()).unwrap();
1954                         assert!(empty_a2.is_none());
1955                         assert_eq!(broadcaster_a.txn_broadcasted.lock().unwrap().len(), 1);
1956                         tx_a = broadcaster_a.txn_broadcasted.lock().unwrap().remove(0);
1957                 }
1958                 assert_eq!(tx_a, tx_b);
1959                 let mut funding_tx_map = HashMap::new();
1960                 funding_tx_map.insert(funding_tx.txid(), funding_tx);
1961                 tx_a.verify(&funding_tx_map).unwrap();
1962         }
1963
1964         struct SendEvent {
1965                 node_id: PublicKey,
1966                 msgs: Vec<msgs::UpdateAddHTLC>,
1967                 commitment_msg: msgs::CommitmentSigned,
1968         }
1969         impl SendEvent {
1970                 fn from_event(event: Event) -> SendEvent {
1971                         match event {
1972                                 Event::SendHTLCs { node_id, msgs, commitment_msg } => {
1973                                         SendEvent { node_id: node_id, msgs: msgs, commitment_msg: commitment_msg }
1974                                 },
1975                                 _ => panic!("Unexpected event type!"),
1976                         }
1977                 }
1978         }
1979
1980         static mut PAYMENT_COUNT: u8 = 0;
1981         fn send_along_route(origin_node: &Node, route: Route, expected_route: &[&Node], recv_value: u64) -> ([u8; 32], [u8; 32]) {
1982                 let our_payment_preimage = unsafe { [PAYMENT_COUNT; 32] };
1983                 unsafe { PAYMENT_COUNT += 1 };
1984                 let our_payment_hash = {
1985                         let mut sha = Sha256::new();
1986                         sha.input(&our_payment_preimage[..]);
1987                         let mut ret = [0; 32];
1988                         sha.result(&mut ret);
1989                         ret
1990                 };
1991
1992                 let mut payment_event = {
1993                         let msgs = origin_node.node.send_payment(route, our_payment_hash).unwrap().unwrap();
1994                         SendEvent {
1995                                 node_id: expected_route[0].node.get_our_node_id(),
1996                                 msgs: vec!(msgs.0),
1997                                 commitment_msg: msgs.1,
1998                         }
1999                 };
2000                 let mut prev_node = origin_node;
2001
2002                 for (idx, &node) in expected_route.iter().enumerate() {
2003                         assert_eq!(node.node.get_our_node_id(), payment_event.node_id);
2004
2005                         node.node.handle_update_add_htlc(&prev_node.node.get_our_node_id(), &payment_event.msgs[0]).unwrap();
2006                         {
2007                                 let added_monitors = node.chan_monitor.added_monitors.lock().unwrap();
2008                                 assert_eq!(added_monitors.len(), 0);
2009                         }
2010
2011                         let revoke_and_ack = node.node.handle_commitment_signed(&prev_node.node.get_our_node_id(), &payment_event.commitment_msg).unwrap();
2012                         {
2013                                 let mut added_monitors = node.chan_monitor.added_monitors.lock().unwrap();
2014                                 assert_eq!(added_monitors.len(), 1);
2015                                 added_monitors.clear();
2016                         }
2017                         assert!(prev_node.node.handle_revoke_and_ack(&node.node.get_our_node_id(), &revoke_and_ack.0).unwrap().is_none());
2018                         let prev_revoke_and_ack = prev_node.node.handle_commitment_signed(&node.node.get_our_node_id(), &revoke_and_ack.1.unwrap()).unwrap();
2019                         {
2020                                 let mut added_monitors = prev_node.chan_monitor.added_monitors.lock().unwrap();
2021                                 assert_eq!(added_monitors.len(), 2);
2022                                 added_monitors.clear();
2023                         }
2024                         assert!(node.node.handle_revoke_and_ack(&prev_node.node.get_our_node_id(), &prev_revoke_and_ack.0).unwrap().is_none());
2025                         assert!(prev_revoke_and_ack.1.is_none());
2026                         {
2027                                 let mut added_monitors = node.chan_monitor.added_monitors.lock().unwrap();
2028                                 assert_eq!(added_monitors.len(), 1);
2029                                 added_monitors.clear();
2030                         }
2031
2032                         let events_1 = node.node.get_and_clear_pending_events();
2033                         assert_eq!(events_1.len(), 1);
2034                         match events_1[0] {
2035                                 Event::PendingHTLCsForwardable { .. } => { },
2036                                 _ => panic!("Unexpected event"),
2037                         };
2038
2039                         node.node.channel_state.lock().unwrap().next_forward = Instant::now();
2040                         node.node.process_pending_htlc_forward();
2041
2042                         let mut events_2 = node.node.get_and_clear_pending_events();
2043                         assert_eq!(events_2.len(), 1);
2044                         if idx == expected_route.len() - 1 {
2045                                 match events_2[0] {
2046                                         Event::PaymentReceived { ref payment_hash, amt } => {
2047                                                 assert_eq!(our_payment_hash, *payment_hash);
2048                                                 assert_eq!(amt, recv_value);
2049                                         },
2050                                         _ => panic!("Unexpected event"),
2051                                 }
2052                         } else {
2053                                 for event in events_2.drain(..) {
2054                                         payment_event = SendEvent::from_event(event);
2055                                 }
2056                                 assert_eq!(payment_event.msgs.len(), 1);
2057                         }
2058
2059                         prev_node = node;
2060                 }
2061
2062                 (our_payment_preimage, our_payment_hash)
2063         }
2064
2065         fn claim_payment(origin_node: &Node, expected_route: &[&Node], our_payment_preimage: [u8; 32]) {
2066                 assert!(expected_route.last().unwrap().node.claim_funds(our_payment_preimage));
2067                 {
2068                         let mut added_monitors = expected_route.last().unwrap().chan_monitor.added_monitors.lock().unwrap();
2069                         assert_eq!(added_monitors.len(), 1);
2070                         added_monitors.clear();
2071                 }
2072
2073                 let mut next_msgs: Option<(msgs::UpdateFulfillHTLC, msgs::CommitmentSigned)> = None;
2074                 macro_rules! update_fulfill_dance {
2075                         ($node: expr, $prev_node: expr) => {
2076                                 {
2077                                         $node.node.handle_update_fulfill_htlc(&$prev_node.node.get_our_node_id(), &next_msgs.as_ref().unwrap().0).unwrap();
2078                                         let revoke_and_commit = $node.node.handle_commitment_signed(&$prev_node.node.get_our_node_id(), &next_msgs.as_ref().unwrap().1).unwrap();
2079                                         {
2080                                                 let mut added_monitors = $node.chan_monitor.added_monitors.lock().unwrap();
2081                                                 assert_eq!(added_monitors.len(), 2);
2082                                                 added_monitors.clear();
2083                                         }
2084                                         assert!($prev_node.node.handle_revoke_and_ack(&$node.node.get_our_node_id(), &revoke_and_commit.0).unwrap().is_none());
2085                                         let revoke_and_ack = $prev_node.node.handle_commitment_signed(&$node.node.get_our_node_id(), &revoke_and_commit.1.unwrap()).unwrap();
2086                                         assert!(revoke_and_ack.1.is_none());
2087                                         {
2088                                                 let mut added_monitors = $prev_node.chan_monitor.added_monitors.lock().unwrap();
2089                                                 assert_eq!(added_monitors.len(), 2);
2090                                                 added_monitors.clear();
2091                                         }
2092                                         assert!($node.node.handle_revoke_and_ack(&$prev_node.node.get_our_node_id(), &revoke_and_ack.0).unwrap().is_none());
2093                                         {
2094                                                 let mut added_monitors = $node.chan_monitor.added_monitors.lock().unwrap();
2095                                                 assert_eq!(added_monitors.len(), 1);
2096                                                 added_monitors.clear();
2097                                         }
2098                                 }
2099                         }
2100                 }
2101
2102                 let mut expected_next_node = expected_route.last().unwrap().node.get_our_node_id();
2103                 let mut prev_node = expected_route.last().unwrap();
2104                 for node in expected_route.iter().rev() {
2105                         assert_eq!(expected_next_node, node.node.get_our_node_id());
2106                         if next_msgs.is_some() {
2107                                 update_fulfill_dance!(node, prev_node);
2108                         }
2109
2110                         let events = node.node.get_and_clear_pending_events();
2111                         assert_eq!(events.len(), 1);
2112                         match events[0] {
2113                                 Event::SendFulfillHTLC { ref node_id, ref msg, ref commitment_msg } => {
2114                                         expected_next_node = node_id.clone();
2115                                         next_msgs = Some((msg.clone(), commitment_msg.clone()));
2116                                 },
2117                                 _ => panic!("Unexpected event"),
2118                         };
2119
2120                         prev_node = node;
2121                 }
2122
2123                 assert_eq!(expected_next_node, origin_node.node.get_our_node_id());
2124                 update_fulfill_dance!(origin_node, expected_route.first().unwrap());
2125
2126                 let events = origin_node.node.get_and_clear_pending_events();
2127                 assert_eq!(events.len(), 1);
2128                 match events[0] {
2129                         Event::PaymentSent { payment_preimage } => {
2130                                 assert_eq!(payment_preimage, our_payment_preimage);
2131                         },
2132                         _ => panic!("Unexpected event"),
2133                 }
2134         }
2135
2136         fn route_payment(origin_node: &Node, expected_route: &[&Node], recv_value: u64) -> ([u8; 32], [u8; 32]) {
2137                 let route = origin_node.router.get_route(&expected_route.last().unwrap().node.get_our_node_id(), &Vec::new(), recv_value, 142).unwrap();
2138                 assert_eq!(route.hops.len(), expected_route.len());
2139                 for (node, hop) in expected_route.iter().zip(route.hops.iter()) {
2140                         assert_eq!(hop.pubkey, node.node.get_our_node_id());
2141                 }
2142
2143                 send_along_route(origin_node, route, expected_route, recv_value)
2144         }
2145
2146         fn route_over_limit(origin_node: &Node, expected_route: &[&Node], recv_value: u64) {
2147                 let route = origin_node.router.get_route(&expected_route.last().unwrap().node.get_our_node_id(), &Vec::new(), recv_value, 142).unwrap();
2148                 assert_eq!(route.hops.len(), expected_route.len());
2149                 for (node, hop) in expected_route.iter().zip(route.hops.iter()) {
2150                         assert_eq!(hop.pubkey, node.node.get_our_node_id());
2151                 }
2152
2153                 let our_payment_preimage = unsafe { [PAYMENT_COUNT; 32] };
2154                 unsafe { PAYMENT_COUNT += 1 };
2155                 let our_payment_hash = {
2156                         let mut sha = Sha256::new();
2157                         sha.input(&our_payment_preimage[..]);
2158                         let mut ret = [0; 32];
2159                         sha.result(&mut ret);
2160                         ret
2161                 };
2162
2163                 let err = origin_node.node.send_payment(route, our_payment_hash).err().unwrap();
2164                 assert_eq!(err.err, "Cannot send value that would put us over our max HTLC value in flight");
2165         }
2166
2167         fn send_payment(origin: &Node, expected_route: &[&Node], recv_value: u64) {
2168                 let our_payment_preimage = route_payment(&origin, expected_route, recv_value).0;
2169                 claim_payment(&origin, expected_route, our_payment_preimage);
2170         }
2171
2172         fn send_failed_payment(origin_node: &Node, expected_route: &[&Node]) {
2173                 let route = origin_node.router.get_route(&expected_route.last().unwrap().node.get_our_node_id(), &Vec::new(), 1000000, 142).unwrap();
2174                 assert_eq!(route.hops.len(), expected_route.len());
2175                 for (node, hop) in expected_route.iter().zip(route.hops.iter()) {
2176                         assert_eq!(hop.pubkey, node.node.get_our_node_id());
2177                 }
2178                 let our_payment_hash = send_along_route(origin_node, route, expected_route, 1000000).1;
2179
2180                 assert!(expected_route.last().unwrap().node.fail_htlc_backwards(&our_payment_hash));
2181
2182                 let mut next_msgs: Option<(msgs::UpdateFailHTLC, msgs::CommitmentSigned)> = None;
2183                 macro_rules! update_fail_dance {
2184                         ($node: expr, $prev_node: expr) => {
2185                                 {
2186                                         $node.node.handle_update_fail_htlc(&$prev_node.node.get_our_node_id(), &next_msgs.as_ref().unwrap().0).unwrap();
2187                                         let revoke_and_commit = $node.node.handle_commitment_signed(&$prev_node.node.get_our_node_id(), &next_msgs.as_ref().unwrap().1).unwrap();
2188                                         {
2189                                                 let mut added_monitors = $node.chan_monitor.added_monitors.lock().unwrap();
2190                                                 assert_eq!(added_monitors.len(), 1);
2191                                                 added_monitors.clear();
2192                                         }
2193                                         assert!($prev_node.node.handle_revoke_and_ack(&$node.node.get_our_node_id(), &revoke_and_commit.0).unwrap().is_none());
2194                                         let revoke_and_ack = $prev_node.node.handle_commitment_signed(&$node.node.get_our_node_id(), &revoke_and_commit.1.unwrap()).unwrap();
2195                                         assert!(revoke_and_ack.1.is_none());
2196                                         {
2197                                                 let mut added_monitors = $prev_node.chan_monitor.added_monitors.lock().unwrap();
2198                                                 assert_eq!(added_monitors.len(), 2);
2199                                                 added_monitors.clear();
2200                                         }
2201                                         assert!($node.node.handle_revoke_and_ack(&$prev_node.node.get_our_node_id(), &revoke_and_ack.0).unwrap().is_none());
2202                                         {
2203                                                 let mut added_monitors = $node.chan_monitor.added_monitors.lock().unwrap();
2204                                                 assert_eq!(added_monitors.len(), 1);
2205                                                 added_monitors.clear();
2206                                         }
2207                                 }
2208                         }
2209                 }
2210
2211                 let mut expected_next_node = expected_route.last().unwrap().node.get_our_node_id();
2212                 let mut prev_node = expected_route.last().unwrap();
2213                 for node in expected_route.iter().rev() {
2214                         assert_eq!(expected_next_node, node.node.get_our_node_id());
2215                         if next_msgs.is_some() {
2216                                 update_fail_dance!(node, prev_node);
2217                         }
2218
2219                         let events = node.node.get_and_clear_pending_events();
2220                         assert_eq!(events.len(), 1);
2221                         match events[0] {
2222                                 Event::SendFailHTLC { ref node_id, ref msg, ref commitment_msg } => {
2223                                         expected_next_node = node_id.clone();
2224                                         next_msgs = Some((msg.clone(), commitment_msg.clone()));
2225                                 },
2226                                 _ => panic!("Unexpected event"),
2227                         };
2228
2229                         prev_node = node;
2230                 }
2231
2232                 assert_eq!(expected_next_node, origin_node.node.get_our_node_id());
2233                 update_fail_dance!(origin_node, expected_route.first().unwrap());
2234
2235                 let events = origin_node.node.get_and_clear_pending_events();
2236                 assert_eq!(events.len(), 1);
2237                 match events[0] {
2238                         Event::PaymentFailed { payment_hash } => {
2239                                 assert_eq!(payment_hash, our_payment_hash);
2240                         },
2241                         _ => panic!("Unexpected event"),
2242                 }
2243         }
2244
2245         fn create_network(node_count: usize) -> Vec<Node> {
2246                 let mut nodes = Vec::new();
2247                 let mut rng = thread_rng();
2248                 let secp_ctx = Secp256k1::new();
2249
2250                 for _ in 0..node_count {
2251                         let feeest = Arc::new(test_utils::TestFeeEstimator { sat_per_vbyte: 1 });
2252                         let chain_monitor = Arc::new(chaininterface::ChainWatchInterfaceUtil::new());
2253                         let tx_broadcaster = Arc::new(test_utils::TestBroadcaster{txn_broadcasted: Mutex::new(Vec::new())});
2254                         let chan_monitor = Arc::new(test_utils::TestChannelMonitor::new(chain_monitor.clone(), tx_broadcaster.clone()));
2255                         let node_id = {
2256                                 let mut key_slice = [0; 32];
2257                                 rng.fill_bytes(&mut key_slice);
2258                                 SecretKey::from_slice(&secp_ctx, &key_slice).unwrap()
2259                         };
2260                         let node = ChannelManager::new(node_id.clone(), 0, true, Network::Testnet, feeest.clone(), chan_monitor.clone(), chain_monitor.clone(), tx_broadcaster.clone()).unwrap();
2261                         let router = Router::new(PublicKey::from_secret_key(&secp_ctx, &node_id).unwrap());
2262                         nodes.push(Node { feeest, chain_monitor, tx_broadcaster, chan_monitor, node_id, node, router });
2263                 }
2264
2265                 nodes
2266         }
2267
2268         #[test]
2269         fn fake_network_test() {
2270                 // Simple test which builds a network of ChannelManagers, connects them to each other, and
2271                 // tests that payments get routed and transactions broadcast in semi-reasonable ways.
2272                 let nodes = create_network(4);
2273
2274                 // Create some initial channels
2275                 let chan_1 = create_announced_chan_between_nodes(&nodes, 0, 1);
2276                 let chan_2 = create_announced_chan_between_nodes(&nodes, 1, 2);
2277                 let chan_3 = create_announced_chan_between_nodes(&nodes, 2, 3);
2278
2279                 // Rebalance the network a bit by relaying one payment through all the channels...
2280                 send_payment(&nodes[0], &vec!(&nodes[1], &nodes[2], &nodes[3])[..], 8000000);
2281                 send_payment(&nodes[0], &vec!(&nodes[1], &nodes[2], &nodes[3])[..], 8000000);
2282                 send_payment(&nodes[0], &vec!(&nodes[1], &nodes[2], &nodes[3])[..], 8000000);
2283                 send_payment(&nodes[0], &vec!(&nodes[1], &nodes[2], &nodes[3])[..], 8000000);
2284
2285                 // Send some more payments
2286                 send_payment(&nodes[1], &vec!(&nodes[2], &nodes[3])[..], 1000000);
2287                 send_payment(&nodes[3], &vec!(&nodes[2], &nodes[1], &nodes[0])[..], 1000000);
2288                 send_payment(&nodes[3], &vec!(&nodes[2], &nodes[1])[..], 1000000);
2289
2290                 // Test failure packets
2291                 send_failed_payment(&nodes[0], &vec!(&nodes[1], &nodes[2], &nodes[3])[..]);
2292
2293                 // Add a new channel that skips 3
2294                 let chan_4 = create_announced_chan_between_nodes(&nodes, 1, 3);
2295
2296                 send_payment(&nodes[0], &vec!(&nodes[1], &nodes[3])[..], 1000000);
2297                 send_payment(&nodes[2], &vec!(&nodes[3])[..], 1000000);
2298                 send_payment(&nodes[1], &vec!(&nodes[3])[..], 8000000);
2299                 send_payment(&nodes[1], &vec!(&nodes[3])[..], 8000000);
2300                 send_payment(&nodes[1], &vec!(&nodes[3])[..], 8000000);
2301                 send_payment(&nodes[1], &vec!(&nodes[3])[..], 8000000);
2302                 send_payment(&nodes[1], &vec!(&nodes[3])[..], 8000000);
2303
2304                 // Do some rebalance loop payments, simultaneously
2305                 let mut hops = Vec::with_capacity(3);
2306                 hops.push(RouteHop {
2307                         pubkey: nodes[2].node.get_our_node_id(),
2308                         short_channel_id: chan_2.0.contents.short_channel_id,
2309                         fee_msat: 0,
2310                         cltv_expiry_delta: chan_3.0.contents.cltv_expiry_delta as u32
2311                 });
2312                 hops.push(RouteHop {
2313                         pubkey: nodes[3].node.get_our_node_id(),
2314                         short_channel_id: chan_3.0.contents.short_channel_id,
2315                         fee_msat: 0,
2316                         cltv_expiry_delta: chan_4.1.contents.cltv_expiry_delta as u32
2317                 });
2318                 hops.push(RouteHop {
2319                         pubkey: nodes[1].node.get_our_node_id(),
2320                         short_channel_id: chan_4.0.contents.short_channel_id,
2321                         fee_msat: 1000000,
2322                         cltv_expiry_delta: 142,
2323                 });
2324                 hops[1].fee_msat = chan_4.1.contents.fee_base_msat as u64 + chan_4.1.contents.fee_proportional_millionths as u64 * hops[2].fee_msat as u64 / 1000000;
2325                 hops[0].fee_msat = chan_3.0.contents.fee_base_msat as u64 + chan_3.0.contents.fee_proportional_millionths as u64 * hops[1].fee_msat as u64 / 1000000;
2326                 let payment_preimage_1 = send_along_route(&nodes[1], Route { hops }, &vec!(&nodes[2], &nodes[3], &nodes[1])[..], 1000000).0;
2327
2328                 let mut hops = Vec::with_capacity(3);
2329                 hops.push(RouteHop {
2330                         pubkey: nodes[3].node.get_our_node_id(),
2331                         short_channel_id: chan_4.0.contents.short_channel_id,
2332                         fee_msat: 0,
2333                         cltv_expiry_delta: chan_3.1.contents.cltv_expiry_delta as u32
2334                 });
2335                 hops.push(RouteHop {
2336                         pubkey: nodes[2].node.get_our_node_id(),
2337                         short_channel_id: chan_3.0.contents.short_channel_id,
2338                         fee_msat: 0,
2339                         cltv_expiry_delta: chan_2.1.contents.cltv_expiry_delta as u32
2340                 });
2341                 hops.push(RouteHop {
2342                         pubkey: nodes[1].node.get_our_node_id(),
2343                         short_channel_id: chan_2.0.contents.short_channel_id,
2344                         fee_msat: 1000000,
2345                         cltv_expiry_delta: 142,
2346                 });
2347                 hops[1].fee_msat = chan_2.1.contents.fee_base_msat as u64 + chan_2.1.contents.fee_proportional_millionths as u64 * hops[2].fee_msat as u64 / 1000000;
2348                 hops[0].fee_msat = chan_3.1.contents.fee_base_msat as u64 + chan_3.1.contents.fee_proportional_millionths as u64 * hops[1].fee_msat as u64 / 1000000;
2349                 let payment_preimage_2 = send_along_route(&nodes[1], Route { hops }, &vec!(&nodes[3], &nodes[2], &nodes[1])[..], 1000000).0;
2350
2351                 // Claim the rebalances...
2352                 claim_payment(&nodes[1], &vec!(&nodes[3], &nodes[2], &nodes[1])[..], payment_preimage_2);
2353                 claim_payment(&nodes[1], &vec!(&nodes[2], &nodes[3], &nodes[1])[..], payment_preimage_1);
2354
2355                 // Add a duplicate new channel from 2 to 4
2356                 let chan_5 = create_announced_chan_between_nodes(&nodes, 1, 3);
2357
2358                 // Send some payments across both channels
2359                 let payment_preimage_3 = route_payment(&nodes[0], &vec!(&nodes[1], &nodes[3])[..], 3000000).0;
2360                 let payment_preimage_4 = route_payment(&nodes[0], &vec!(&nodes[1], &nodes[3])[..], 3000000).0;
2361                 let payment_preimage_5 = route_payment(&nodes[0], &vec!(&nodes[1], &nodes[3])[..], 3000000).0;
2362
2363                 route_over_limit(&nodes[0], &vec!(&nodes[1], &nodes[3])[..], 3000000);
2364
2365                 //TODO: Test that routes work again here as we've been notified that the channel is full
2366
2367                 claim_payment(&nodes[0], &vec!(&nodes[1], &nodes[3])[..], payment_preimage_3);
2368                 claim_payment(&nodes[0], &vec!(&nodes[1], &nodes[3])[..], payment_preimage_4);
2369                 claim_payment(&nodes[0], &vec!(&nodes[1], &nodes[3])[..], payment_preimage_5);
2370
2371                 // Close down the channels...
2372                 close_channel(&nodes[0], &nodes[1], &chan_1.2, chan_1.3, true);
2373                 close_channel(&nodes[1], &nodes[2], &chan_2.2, chan_2.3, false);
2374                 close_channel(&nodes[2], &nodes[3], &chan_3.2, chan_3.3, true);
2375                 close_channel(&nodes[1], &nodes[3], &chan_4.2, chan_4.3, false);
2376                 close_channel(&nodes[1], &nodes[3], &chan_5.2, chan_5.3, false);
2377
2378                 // Check that we processed all pending events
2379                 for node in nodes {
2380                         assert_eq!(node.node.get_and_clear_pending_events().len(), 0);
2381                         assert_eq!(node.chan_monitor.added_monitors.lock().unwrap().len(), 0);
2382                 }
2383         }
2384 }