Merge pull request #19 from TheBlueMatt/2018-04-error-handling-framework
[rust-lightning] / src / ln / peer_channel_encryptor.rs
1 use ln::msgs::HandleError;
2 use ln::msgs;
3
4 use secp256k1::Secp256k1;
5 use secp256k1::key::{PublicKey,SecretKey};
6 use secp256k1::ecdh::SharedSecret;
7
8 use crypto::digest::Digest;
9 use crypto::hkdf::{hkdf_extract,hkdf_expand};
10
11 use crypto::aead::{AeadEncryptor, AeadDecryptor};
12
13 use util::chacha20poly1305rfc::ChaCha20Poly1305RFC;
14 use util::{byte_utils,rng};
15 use util::sha2::Sha256;
16
17 // Sha256("Noise_XK_secp256k1_ChaChaPoly_SHA256")
18 const NOISE_CK: [u8; 32] = [0x26, 0x40, 0xf5, 0x2e, 0xeb, 0xcd, 0x9e, 0x88, 0x29, 0x58, 0x95, 0x1c, 0x79, 0x42, 0x50, 0xee, 0xdb, 0x28, 0x00, 0x2c, 0x05, 0xd7, 0xdc, 0x2e, 0xa0, 0xf1, 0x95, 0x40, 0x60, 0x42, 0xca, 0xf1];
19 // Sha256(NOISE_CK || "lightning")
20 const NOISE_H: [u8; 32] = [0xd1, 0xfb, 0xf6, 0xde, 0xe4, 0xf6, 0x86, 0xf1, 0x32, 0xfd, 0x70, 0x2c, 0x4a, 0xbf, 0x8f, 0xba, 0x4b, 0xb4, 0x20, 0xd8, 0x9d, 0x2a, 0x04, 0x8a, 0x3c, 0x4f, 0x4c, 0x09, 0x2e, 0x37, 0xb6, 0x76];
21
22 pub enum NextNoiseStep {
23         ActOne,
24         ActTwo,
25         ActThree,
26         NoiseComplete,
27 }
28
29 #[derive(PartialEq)]
30 enum NoiseStep {
31         PreActOne,
32         PostActOne,
33         PostActTwo,
34         // When done swap noise_state for NoiseState::Finished
35 }
36
37 struct BidirectionalNoiseState {
38         h: [u8; 32],
39         ck: [u8; 32],
40 }
41 enum DirectionalNoiseState {
42         Outbound {
43                 ie: SecretKey,
44         },
45         Inbound {
46                 ie: Option<PublicKey>, // filled in if state >= PostActOne
47                 re: Option<SecretKey>, // filled in if state >= PostActTwo
48                 temp_k2: Option<[u8; 32]>, // filled in if state >= PostActTwo
49         }
50 }
51 enum NoiseState {
52         InProgress {
53                 state: NoiseStep,
54                 directional_state: DirectionalNoiseState,
55                 bidirectional_state: BidirectionalNoiseState,
56         },
57         Finished {
58                 sk: [u8; 32],
59                 sn: u64,
60                 sck: [u8; 32],
61                 rk: [u8; 32],
62                 rn: u64,
63                 rck: [u8; 32],
64         }
65 }
66
67 pub struct PeerChannelEncryptor {
68         secp_ctx: Secp256k1,
69         their_node_id: Option<PublicKey>, // filled in for outbound, or inbound after noise_state is Finished
70
71         noise_state: NoiseState,
72 }
73
74 impl PeerChannelEncryptor {
75         pub fn new_outbound(their_node_id: PublicKey) -> PeerChannelEncryptor {
76                 let mut key = [0u8; 32];
77                 rng::fill_bytes(&mut key);
78
79                 let secp_ctx = Secp256k1::new();
80                 let sec_key = SecretKey::from_slice(&secp_ctx, &key).unwrap(); //TODO: nicer rng-is-bad error message
81
82                 let mut sha = Sha256::new();
83                 sha.input(&NOISE_H);
84                 sha.input(&their_node_id.serialize()[..]);
85                 let mut h = [0; 32];
86                 sha.result(&mut h);
87
88                 PeerChannelEncryptor {
89                         their_node_id: Some(their_node_id),
90                         secp_ctx: secp_ctx,
91                         noise_state: NoiseState::InProgress {
92                                 state: NoiseStep::PreActOne,
93                                 directional_state: DirectionalNoiseState::Outbound {
94                                         ie: sec_key,
95                                 },
96                                 bidirectional_state: BidirectionalNoiseState {
97                                         h: h,
98                                         ck: NOISE_CK,
99                                 },
100                         }
101                 }
102         }
103
104         pub fn new_inbound(our_node_secret: &SecretKey) -> PeerChannelEncryptor {
105                 let secp_ctx = Secp256k1::new();
106
107                 let mut sha = Sha256::new();
108                 sha.input(&NOISE_H);
109                 let our_node_id = PublicKey::from_secret_key(&secp_ctx, our_node_secret).unwrap(); //TODO: nicer bad-node_secret error message
110                 sha.input(&our_node_id.serialize()[..]);
111                 let mut h = [0; 32];
112                 sha.result(&mut h);
113
114                 PeerChannelEncryptor {
115                         their_node_id: None,
116                         secp_ctx: secp_ctx,
117                         noise_state: NoiseState::InProgress {
118                                 state: NoiseStep::PreActOne,
119                                 directional_state: DirectionalNoiseState::Inbound {
120                                         ie: None,
121                                         re: None,
122                                         temp_k2: None,
123                                 },
124                                 bidirectional_state: BidirectionalNoiseState {
125                                         h: h,
126                                         ck: NOISE_CK,
127                                 },
128                         }
129                 }
130         }
131
132         #[inline]
133         fn encrypt_with_ad(res: &mut[u8], n: u64, key: &[u8; 32], h: &[u8], plaintext: &[u8]) {
134                 let mut nonce = [0; 12];
135                 nonce[4..].copy_from_slice(&byte_utils::le64_to_array(n));
136
137                 let mut chacha = ChaCha20Poly1305RFC::new(key, &nonce, h);
138                 let mut tag = [0; 16];
139                 chacha.encrypt(plaintext, &mut res[0..plaintext.len()], &mut tag);
140                 res[plaintext.len()..].copy_from_slice(&tag);
141         }
142
143         #[inline]
144         fn decrypt_with_ad(res: &mut[u8], n: u64, key: &[u8; 32], h: &[u8], cyphertext: &[u8]) -> Result<(), HandleError> {
145                 let mut nonce = [0; 12];
146                 nonce[4..].copy_from_slice(&byte_utils::le64_to_array(n));
147
148                 let mut chacha = ChaCha20Poly1305RFC::new(key, &nonce, h);
149                 if !chacha.decrypt(&cyphertext[0..cyphertext.len() - 16], res, &cyphertext[cyphertext.len() - 16..]) {
150                         return Err(HandleError{err: "Bad MAC", msg: Some(msgs::ErrorAction::DisconnectPeer{})});
151                 }
152                 Ok(())
153         }
154
155         #[inline]
156         fn hkdf(state: &mut BidirectionalNoiseState, ss: SharedSecret) -> [u8; 32] {
157                 let mut hkdf = [0; 64];
158                 {
159                         let mut prk = [0; 32];
160                         hkdf_extract(Sha256::new(), &state.ck, &ss[..], &mut prk);
161                         hkdf_expand(Sha256::new(), &prk, &[0;0], &mut hkdf);
162                 }
163                 state.ck.copy_from_slice(&hkdf[0..32]);
164                 let mut res = [0; 32];
165                 res.copy_from_slice(&hkdf[32..]);
166                 res
167         }
168
169         #[inline]
170         fn outbound_noise_act(secp_ctx: &Secp256k1, state: &mut BidirectionalNoiseState, our_key: &SecretKey, their_key: &PublicKey) -> ([u8; 50], [u8; 32]) {
171                 let our_pub = PublicKey::from_secret_key(secp_ctx, &our_key).unwrap(); //TODO: nicer rng-is-bad error message
172
173                 let mut sha = Sha256::new();
174                 sha.input(&state.h);
175                 sha.input(&our_pub.serialize()[..]);
176                 sha.result(&mut state.h);
177
178                 let ss = SharedSecret::new(secp_ctx, &their_key, &our_key);
179                 let temp_k = PeerChannelEncryptor::hkdf(state, ss);
180
181                 let mut res = [0; 50];
182                 res[1..34].copy_from_slice(&our_pub.serialize()[..]);
183                 PeerChannelEncryptor::encrypt_with_ad(&mut res[34..], 0, &temp_k, &state.h, &[0; 0]);
184
185                 sha.reset();
186                 sha.input(&state.h);
187                 sha.input(&res[34..]);
188                 sha.result(&mut state.h);
189
190                 (res, temp_k)
191         }
192
193         #[inline]
194         fn inbound_noise_act(secp_ctx: &Secp256k1, state: &mut BidirectionalNoiseState, act: &[u8], our_key: &SecretKey) -> Result<(PublicKey, [u8; 32]), HandleError> {
195                 assert_eq!(act.len(), 50);
196
197                 if act[0] != 0 {
198                         return Err(HandleError{err: "Unknown handshake version number", msg: Some(msgs::ErrorAction::DisconnectPeer{})});
199                 }
200
201                 let their_pub = match PublicKey::from_slice(secp_ctx, &act[1..34]) {
202                         Err(_) => return Err(HandleError{err: "Invalid public key", msg: Some(msgs::ErrorAction::DisconnectPeer{})}),
203                         Ok(key) => key,
204                 };
205
206                 let mut sha = Sha256::new();
207                 sha.input(&state.h);
208                 sha.input(&their_pub.serialize()[..]);
209                 sha.result(&mut state.h);
210
211                 let ss = SharedSecret::new(secp_ctx, &their_pub, &our_key);
212                 let temp_k = PeerChannelEncryptor::hkdf(state, ss);
213
214                 let mut dec = [0; 0];
215                 PeerChannelEncryptor::decrypt_with_ad(&mut dec, 0, &temp_k, &state.h, &act[34..])?;
216
217                 sha.reset();
218                 sha.input(&state.h);
219                 sha.input(&act[34..]);
220                 sha.result(&mut state.h);
221
222                 Ok((their_pub, temp_k))
223         }
224
225         pub fn get_act_one(&mut self) -> [u8; 50] {
226                 match self.noise_state {
227                         NoiseState::InProgress { ref mut state, ref directional_state, ref mut bidirectional_state } =>
228                                 match directional_state {
229                                         &DirectionalNoiseState::Outbound { ref ie } => {
230                                                 if *state != NoiseStep::PreActOne {
231                                                         panic!("Requested act at wrong step");
232                                                 }
233
234                                                 let (res, _) = PeerChannelEncryptor::outbound_noise_act(&self.secp_ctx, bidirectional_state, &ie, &self.their_node_id.unwrap());
235                                                 *state = NoiseStep::PostActOne;
236                                                 res
237                                         },
238                                         _ => panic!("Wrong direction for act"),
239                                 },
240                         _ => panic!("Cannot get act one after noise handshake completes"),
241                 }
242         }
243
244         // Separated for testing:
245         fn process_act_one_with_ephemeral_key(&mut self, act_one: &[u8], our_node_secret: &SecretKey, our_ephemeral: SecretKey) -> Result<[u8; 50], HandleError> {
246                 assert_eq!(act_one.len(), 50);
247
248                 match self.noise_state {
249                         NoiseState::InProgress { ref mut state, ref mut directional_state, ref mut bidirectional_state } =>
250                                 match directional_state {
251                                         &mut DirectionalNoiseState::Inbound { ref mut ie, ref mut re, ref mut temp_k2 } => {
252                                                 if *state != NoiseStep::PreActOne {
253                                                         panic!("Requested act at wrong step");
254                                                 }
255
256                                                 let (their_pub, _) = PeerChannelEncryptor::inbound_noise_act(&self.secp_ctx, bidirectional_state, act_one, &our_node_secret)?;
257                                                 ie.get_or_insert(their_pub);
258
259                                                 re.get_or_insert(our_ephemeral);
260
261                                                 let (res, temp_k) = PeerChannelEncryptor::outbound_noise_act(&self.secp_ctx, bidirectional_state, &re.unwrap(), &ie.unwrap());
262                                                 *temp_k2 = Some(temp_k);
263                                                 *state = NoiseStep::PostActTwo;
264                                                 Ok(res)
265                                         },
266                                         _ => panic!("Wrong direction for act"),
267                                 },
268                         _ => panic!("Cannot get act one after noise handshake completes"),
269                 }
270         }
271
272         pub fn process_act_one_with_key(&mut self, act_one: &[u8], our_node_secret: &SecretKey) -> Result<[u8; 50], HandleError> {
273                 assert_eq!(act_one.len(), 50);
274
275                 let mut key = [0u8; 32];
276                 rng::fill_bytes(&mut key);
277                 let our_ephemeral_key = SecretKey::from_slice(&self.secp_ctx, &key).unwrap(); //TODO: nicer rng-is-bad error message
278                 self.process_act_one_with_ephemeral_key(act_one, our_node_secret, our_ephemeral_key)
279         }
280
281         pub fn process_act_two(&mut self, act_two: &[u8], our_node_secret: &SecretKey) -> Result<[u8; 66], HandleError> {
282                 assert_eq!(act_two.len(), 50);
283
284                 let mut final_hkdf = [0; 64];
285                 let ck;
286                 let res: [u8; 66] = match self.noise_state {
287                         NoiseState::InProgress { ref state, ref directional_state, ref mut bidirectional_state } =>
288                                 match directional_state {
289                                         &DirectionalNoiseState::Outbound { ref ie } => {
290                                                 if *state != NoiseStep::PostActOne {
291                                                         panic!("Requested act at wrong step");
292                                                 }
293
294                                                 let (re, temp_k2) = PeerChannelEncryptor::inbound_noise_act(&self.secp_ctx, bidirectional_state, act_two, &ie)?;
295
296                                                 let mut res = [0; 66];
297                                                 let our_node_id = PublicKey::from_secret_key(&self.secp_ctx, &our_node_secret).unwrap(); //TODO: nicer rng-is-bad error message
298
299                                                 PeerChannelEncryptor::encrypt_with_ad(&mut res[1..50], 1, &temp_k2, &bidirectional_state.h, &our_node_id.serialize()[..]);
300
301                                                 let mut sha = Sha256::new();
302                                                 sha.input(&bidirectional_state.h);
303                                                 sha.input(&res[1..50]);
304                                                 sha.result(&mut bidirectional_state.h);
305
306                                                 let ss = SharedSecret::new(&self.secp_ctx, &re, our_node_secret);
307                                                 let temp_k = PeerChannelEncryptor::hkdf(bidirectional_state, ss);
308
309                                                 PeerChannelEncryptor::encrypt_with_ad(&mut res[50..], 0, &temp_k, &bidirectional_state.h, &[0; 0]);
310
311                                                 let mut prk = [0; 32];
312                                                 hkdf_extract(Sha256::new(), &bidirectional_state.ck, &[0; 0], &mut prk);
313                                                 hkdf_expand(Sha256::new(), &prk, &[0;0], &mut final_hkdf);
314                                                 ck = bidirectional_state.ck.clone();
315                                                 res
316                                         },
317                                         _ => panic!("Wrong direction for act"),
318                                 },
319                         _ => panic!("Cannot get act one after noise handshake completes"),
320                 };
321
322                 let mut sk = [0; 32];
323                 let mut rk = [0; 32];
324                 sk.copy_from_slice(&final_hkdf[0..32]);
325                 rk.copy_from_slice(&final_hkdf[32..]);
326
327                 self.noise_state = NoiseState::Finished {
328                         sk: sk,
329                         sn: 0,
330                         sck: ck.clone(),
331                         rk: rk,
332                         rn: 0,
333                         rck: ck,
334                 };
335
336                 Ok(res)
337         }
338
339         pub fn process_act_three(&mut self, act_three: &[u8]) -> Result<PublicKey, HandleError> {
340                 assert_eq!(act_three.len(), 66);
341
342                 let mut final_hkdf = [0; 64];
343                 let ck;
344                 match self.noise_state {
345                         NoiseState::InProgress { ref state, ref directional_state, ref mut bidirectional_state } =>
346                                 match directional_state {
347                                         &DirectionalNoiseState::Inbound { ie: _, ref re, ref temp_k2 } => {
348                                                 if *state != NoiseStep::PostActTwo {
349                                                         panic!("Requested act at wrong step");
350                                                 }
351                                                 if act_three[0] != 0 {
352                                                         return Err(HandleError{err: "Unknown handshake version number", msg: Some(msgs::ErrorAction::DisconnectPeer{})});
353                                                 }
354
355                                                 let mut their_node_id = [0; 33];
356                                                 PeerChannelEncryptor::decrypt_with_ad(&mut their_node_id, 1, &temp_k2.unwrap(), &bidirectional_state.h, &act_three[1..50])?;
357                                                 self.their_node_id = Some(match PublicKey::from_slice(&self.secp_ctx, &their_node_id) {
358                                                         Ok(key) => key,
359                                                         Err(_) => return Err(HandleError{err: "Bad node_id from peer", msg: Some(msgs::ErrorAction::DisconnectPeer{})}),
360                                                 });
361
362                                                 let mut sha = Sha256::new();
363                                                 sha.input(&bidirectional_state.h);
364                                                 sha.input(&act_three[1..50]);
365                                                 sha.result(&mut bidirectional_state.h);
366
367                                                 let ss = SharedSecret::new(&self.secp_ctx, &self.their_node_id.unwrap(), &re.unwrap());
368                                                 let temp_k = PeerChannelEncryptor::hkdf(bidirectional_state, ss);
369
370                                                 PeerChannelEncryptor::decrypt_with_ad(&mut [0; 0], 0, &temp_k, &bidirectional_state.h, &act_three[50..])?;
371
372                                                 let mut prk = [0; 32];
373                                                 hkdf_extract(Sha256::new(), &bidirectional_state.ck, &[0; 0], &mut prk);
374                                                 hkdf_expand(Sha256::new(), &prk, &[0;0], &mut final_hkdf);
375                                                 ck = bidirectional_state.ck.clone();
376                                         },
377                                         _ => panic!("Wrong direction for act"),
378                                 },
379                         _ => panic!("Cannot get act one after noise handshake completes"),
380                 }
381
382                 let mut rk = [0; 32];
383                 let mut sk = [0; 32];
384                 rk.copy_from_slice(&final_hkdf[0..32]);
385                 sk.copy_from_slice(&final_hkdf[32..]);
386
387                 self.noise_state = NoiseState::Finished {
388                         sk: sk,
389                         sn: 0,
390                         sck: ck.clone(),
391                         rk: rk,
392                         rn: 0,
393                         rck: ck,
394                 };
395
396                 Ok(self.their_node_id.unwrap().clone())
397         }
398
399         /// Encrypts the given message, returning the encrypted version
400         /// panics if msg.len() > 65535 or Noise handshake has not finished.
401         pub fn encrypt_message(&mut self, msg: &[u8]) -> Vec<u8> {
402                 if msg.len() > 65535 {
403                         panic!("Attempted to encrypt message longer than 65535 bytes!");
404                 }
405
406                 let mut res = Vec::with_capacity(msg.len() + 16*2 + 2);
407                 res.resize(msg.len() + 16*2 + 2, 0);
408
409                 match self.noise_state {
410                         NoiseState::Finished { ref mut sk, ref mut sn, ref mut sck, rk: _, rn: _, rck: _ } => {
411                                 if *sn >= 1000 {
412                                         let mut prk = [0; 32];
413                                         hkdf_extract(Sha256::new(), sck, sk, &mut prk);
414                                         let mut hkdf = [0; 64];
415                                         hkdf_expand(Sha256::new(), &prk, &[0;0], &mut hkdf);
416
417                                         sck[..].copy_from_slice(&hkdf[0..32]);
418                                         sk[..].copy_from_slice(&hkdf[32..]);
419                                         *sn = 0;
420                                 }
421
422                                 Self::encrypt_with_ad(&mut res[0..16+2], *sn, sk, &[0; 0], &byte_utils::be16_to_array(msg.len() as u16));
423                                 *sn += 1;
424
425                                 Self::encrypt_with_ad(&mut res[16+2..], *sn, sk, &[0; 0], msg);
426                                 *sn += 1;
427                         },
428                         _ => panic!("Tried to encrypt a message prior to noise handshake completion"),
429                 }
430
431                 res
432         }
433
434         /// Decrypts a message length header from the remote peer.
435         /// panics if noise handshake has not yet finished or msg.len() != 18
436         pub fn decrypt_length_header(&mut self, msg: &[u8]) -> Result<u16, HandleError> {
437                 assert_eq!(msg.len(), 16+2);
438
439                 match self.noise_state {
440                         NoiseState::Finished { sk: _, sn: _, sck: _, ref mut rk, ref mut rn, ref mut rck } => {
441                                 if *rn >= 1000 {
442                                         let mut prk = [0; 32];
443                                         hkdf_extract(Sha256::new(), rck, rk, &mut prk);
444                                         let mut hkdf = [0; 64];
445                                         hkdf_expand(Sha256::new(), &prk, &[0;0], &mut hkdf);
446
447                                         rck[..].copy_from_slice(&hkdf[0..32]);
448                                         rk[..].copy_from_slice(&hkdf[32..]);
449                                         *rn = 0;
450                                 }
451
452                                 let mut res = [0; 2];
453                                 Self::decrypt_with_ad(&mut res, *rn, rk, &[0; 0], msg)?;
454                                 *rn += 1;
455                                 Ok(byte_utils::slice_to_be16(&res))
456                         },
457                         _ => panic!("Tried to encrypt a message prior to noise handshake completion"),
458                 }
459         }
460
461         /// Decrypts the given message.
462         /// panics if msg.len() > 65535 + 16
463         pub fn decrypt_message(&mut self, msg: &[u8]) -> Result<Vec<u8>, HandleError> {
464                 if msg.len() > 65535 + 16 {
465                         panic!("Attempted to encrypt message longer than 65535 bytes!");
466                 }
467
468                 match self.noise_state {
469                         NoiseState::Finished { sk: _, sn: _, sck: _, ref rk, ref mut rn, rck: _ } => {
470                                 let mut res = Vec::with_capacity(msg.len() - 16);
471                                 res.resize(msg.len() - 16, 0);
472                                 Self::decrypt_with_ad(&mut res[..], *rn, rk, &[0; 0], msg)?;
473                                 *rn += 1;
474
475                                 Ok(res)
476                         },
477                         _ => panic!("Tried to encrypt a message prior to noise handshake completion"),
478                 }
479         }
480
481         pub fn get_noise_step(&self) -> NextNoiseStep {
482                 match self.noise_state {
483                         NoiseState::InProgress {ref state, ..} => {
484                                 match state {
485                                         &NoiseStep::PreActOne => NextNoiseStep::ActOne,
486                                         &NoiseStep::PostActOne => NextNoiseStep::ActTwo,
487                                         &NoiseStep::PostActTwo => NextNoiseStep::ActThree,
488                                 }
489                         },
490                         NoiseState::Finished {..} => NextNoiseStep::NoiseComplete,
491                 }
492         }
493
494         pub fn is_ready_for_encryption(&self) -> bool {
495                 match self.noise_state {
496                         NoiseState::InProgress {..} => { false },
497                         NoiseState::Finished {..} => { true }
498                 }
499         }
500 }
501
502 #[cfg(test)]
503 mod tests {
504         use secp256k1::Secp256k1;
505         use secp256k1::key::{PublicKey,SecretKey};
506
507         use bitcoin::util::misc::hex_bytes;
508
509         use ln::peer_channel_encryptor::{PeerChannelEncryptor,NoiseState,DirectionalNoiseState};
510
511         fn get_outbound_peer_for_initiator_test_vectors() -> PeerChannelEncryptor {
512                 let secp_ctx = Secp256k1::new();
513                 let their_node_id = PublicKey::from_slice(&secp_ctx, &hex_bytes("028d7500dd4c12685d1f568b4c2b5048e8534b873319f3a8daa612b469132ec7f7").unwrap()[..]).unwrap();
514
515                 let mut outbound_peer = PeerChannelEncryptor::new_outbound(their_node_id);
516                 match outbound_peer.noise_state {
517                         NoiseState::InProgress { state: _, ref mut directional_state, bidirectional_state: _ } => {
518                                 *directional_state = DirectionalNoiseState::Outbound { // overwrite ie...
519                                         ie: SecretKey::from_slice(&secp_ctx, &hex_bytes("1212121212121212121212121212121212121212121212121212121212121212").unwrap()[..]).unwrap(),
520                                 };
521                         },
522                         _ => panic!()
523                 }
524
525                 assert_eq!(outbound_peer.get_act_one()[..], hex_bytes("00036360e856310ce5d294e8be33fc807077dc56ac80d95d9cd4ddbd21325eff73f70df6086551151f58b8afe6c195782c6a").unwrap()[..]);
526                 outbound_peer
527         }
528
529         #[test]
530         fn noise_initiator_test_vectors() {
531                 let secp_ctx = Secp256k1::new();
532                 let our_node_id = SecretKey::from_slice(&secp_ctx, &hex_bytes("1111111111111111111111111111111111111111111111111111111111111111").unwrap()[..]).unwrap();
533
534                 {
535                         // transport-initiator successful handshake
536                         let mut outbound_peer = get_outbound_peer_for_initiator_test_vectors();
537
538                         let act_two = hex_bytes("0002466d7fcae563e5cb09a0d1870bb580344804617879a14949cf22285f1bae3f276e2470b93aac583c9ef6eafca3f730ae").unwrap().to_vec();
539                         assert_eq!(outbound_peer.process_act_two(&act_two[..], &our_node_id).unwrap()[..], hex_bytes("00b9e3a702e93e3a9948c2ed6e5fd7590a6e1c3a0344cfc9d5b57357049aa22355361aa02e55a8fc28fef5bd6d71ad0c38228dc68b1c466263b47fdf31e560e139ba").unwrap()[..]);
540
541                         match outbound_peer.noise_state {
542                                 NoiseState::Finished { sk, sn, sck, rk, rn, rck } => {
543                                         assert_eq!(sk, hex_bytes("969ab31b4d288cedf6218839b27a3e2140827047f2c0f01bf5c04435d43511a9").unwrap()[..]);
544                                         assert_eq!(sn, 0);
545                                         assert_eq!(sck, hex_bytes("919219dbb2920afa8db80f9a51787a840bcf111ed8d588caf9ab4be716e42b01").unwrap()[..]);
546                                         assert_eq!(rk, hex_bytes("bb9020b8965f4df047e07f955f3c4b88418984aadc5cdb35096b9ea8fa5c3442").unwrap()[..]);
547                                         assert_eq!(rn, 0);
548                                         assert_eq!(rck, hex_bytes("919219dbb2920afa8db80f9a51787a840bcf111ed8d588caf9ab4be716e42b01").unwrap()[..]);
549                                 },
550                                 _ => panic!()
551                         }
552                 }
553                 {
554                         // transport-initiator act2 short read test
555                         // Can't actually test this cause process_act_two requires you pass the right length!
556                 }
557                 {
558                         // transport-initiator act2 bad version test
559                         let mut outbound_peer = get_outbound_peer_for_initiator_test_vectors();
560
561                         let act_two = hex_bytes("0102466d7fcae563e5cb09a0d1870bb580344804617879a14949cf22285f1bae3f276e2470b93aac583c9ef6eafca3f730ae").unwrap().to_vec();
562                         assert!(outbound_peer.process_act_two(&act_two[..], &our_node_id).is_err());
563                 }
564
565                 {
566                         // transport-initiator act2 bad key serialization test
567                         let mut outbound_peer = get_outbound_peer_for_initiator_test_vectors();
568
569                         let act_two = hex_bytes("0004466d7fcae563e5cb09a0d1870bb580344804617879a14949cf22285f1bae3f276e2470b93aac583c9ef6eafca3f730ae").unwrap().to_vec();
570                         assert!(outbound_peer.process_act_two(&act_two[..], &our_node_id).is_err());
571                 }
572
573                 {
574                         // transport-initiator act2 bad MAC test
575                         let mut outbound_peer = get_outbound_peer_for_initiator_test_vectors();
576
577                         let act_two = hex_bytes("0002466d7fcae563e5cb09a0d1870bb580344804617879a14949cf22285f1bae3f276e2470b93aac583c9ef6eafca3f730af").unwrap().to_vec();
578                         assert!(outbound_peer.process_act_two(&act_two[..], &our_node_id).is_err());
579                 }
580         }
581
582         #[test]
583         fn noise_responder_test_vectors() {
584                 let secp_ctx = Secp256k1::new();
585                 let our_node_id = SecretKey::from_slice(&secp_ctx, &hex_bytes("2121212121212121212121212121212121212121212121212121212121212121").unwrap()[..]).unwrap();
586                 let our_ephemeral = SecretKey::from_slice(&secp_ctx, &hex_bytes("2222222222222222222222222222222222222222222222222222222222222222").unwrap()[..]).unwrap();
587
588                 {
589                         // transport-responder successful handshake
590                         let mut inbound_peer = PeerChannelEncryptor::new_inbound(&our_node_id);
591
592                         let act_one = hex_bytes("00036360e856310ce5d294e8be33fc807077dc56ac80d95d9cd4ddbd21325eff73f70df6086551151f58b8afe6c195782c6a").unwrap().to_vec();
593                         assert_eq!(inbound_peer.process_act_one_with_ephemeral_key(&act_one[..], &our_node_id, our_ephemeral.clone()).unwrap()[..], hex_bytes("0002466d7fcae563e5cb09a0d1870bb580344804617879a14949cf22285f1bae3f276e2470b93aac583c9ef6eafca3f730ae").unwrap()[..]);
594
595                         let act_three = hex_bytes("00b9e3a702e93e3a9948c2ed6e5fd7590a6e1c3a0344cfc9d5b57357049aa22355361aa02e55a8fc28fef5bd6d71ad0c38228dc68b1c466263b47fdf31e560e139ba").unwrap().to_vec();
596                         // test vector doesn't specify the initiator static key, but its the same as the one
597                         // from trasport-initiator successful handshake
598                         assert_eq!(inbound_peer.process_act_three(&act_three[..]).unwrap().serialize()[..], hex_bytes("034f355bdcb7cc0af728ef3cceb9615d90684bb5b2ca5f859ab0f0b704075871aa").unwrap()[..]);
599
600                         match inbound_peer.noise_state {
601                                 NoiseState::Finished { sk, sn, sck, rk, rn, rck } => {
602                                         assert_eq!(sk, hex_bytes("bb9020b8965f4df047e07f955f3c4b88418984aadc5cdb35096b9ea8fa5c3442").unwrap()[..]);
603                                         assert_eq!(sn, 0);
604                                         assert_eq!(sck, hex_bytes("919219dbb2920afa8db80f9a51787a840bcf111ed8d588caf9ab4be716e42b01").unwrap()[..]);
605                                         assert_eq!(rk, hex_bytes("969ab31b4d288cedf6218839b27a3e2140827047f2c0f01bf5c04435d43511a9").unwrap()[..]);
606                                         assert_eq!(rn, 0);
607                                         assert_eq!(rck, hex_bytes("919219dbb2920afa8db80f9a51787a840bcf111ed8d588caf9ab4be716e42b01").unwrap()[..]);
608                                 },
609                                 _ => panic!()
610                         }
611                 }
612                 {
613                         // transport-responder act1 short read test
614                         // Can't actually test this cause process_act_one requires you pass the right length!
615                 }
616                 {
617                         // transport-responder act1 bad version test
618                         let mut inbound_peer = PeerChannelEncryptor::new_inbound(&our_node_id);
619
620                         let act_one = hex_bytes("01036360e856310ce5d294e8be33fc807077dc56ac80d95d9cd4ddbd21325eff73f70df6086551151f58b8afe6c195782c6a").unwrap().to_vec();
621                         assert!(inbound_peer.process_act_one_with_ephemeral_key(&act_one[..], &our_node_id, our_ephemeral.clone()).is_err());
622                 }
623                 {
624                         // transport-responder act1 bad key serialization test
625                         let mut inbound_peer = PeerChannelEncryptor::new_inbound(&our_node_id);
626
627                         let act_one =hex_bytes("00046360e856310ce5d294e8be33fc807077dc56ac80d95d9cd4ddbd21325eff73f70df6086551151f58b8afe6c195782c6a").unwrap().to_vec();
628                         assert!(inbound_peer.process_act_one_with_ephemeral_key(&act_one[..], &our_node_id, our_ephemeral.clone()).is_err());
629                 }
630                 {
631                         // transport-responder act1 bad MAC test
632                         let mut inbound_peer = PeerChannelEncryptor::new_inbound(&our_node_id);
633
634                         let act_one = hex_bytes("00036360e856310ce5d294e8be33fc807077dc56ac80d95d9cd4ddbd21325eff73f70df6086551151f58b8afe6c195782c6b").unwrap().to_vec();
635                         assert!(inbound_peer.process_act_one_with_ephemeral_key(&act_one[..], &our_node_id, our_ephemeral.clone()).is_err());
636                 }
637                 {
638                         // transport-responder act3 bad version test
639                         let mut inbound_peer = PeerChannelEncryptor::new_inbound(&our_node_id);
640
641                         let act_one = hex_bytes("00036360e856310ce5d294e8be33fc807077dc56ac80d95d9cd4ddbd21325eff73f70df6086551151f58b8afe6c195782c6a").unwrap().to_vec();
642                         assert_eq!(inbound_peer.process_act_one_with_ephemeral_key(&act_one[..], &our_node_id, our_ephemeral.clone()).unwrap()[..], hex_bytes("0002466d7fcae563e5cb09a0d1870bb580344804617879a14949cf22285f1bae3f276e2470b93aac583c9ef6eafca3f730ae").unwrap()[..]);
643
644                         let act_three = hex_bytes("01b9e3a702e93e3a9948c2ed6e5fd7590a6e1c3a0344cfc9d5b57357049aa22355361aa02e55a8fc28fef5bd6d71ad0c38228dc68b1c466263b47fdf31e560e139ba").unwrap().to_vec();
645                         assert!(inbound_peer.process_act_three(&act_three[..]).is_err());
646                 }
647                 {
648                         // transport-responder act3 short read test
649                         // Can't actually test this cause process_act_three requires you pass the right length!
650                 }
651                 {
652                         // transport-responder act3 bad MAC for ciphertext test
653                         let mut inbound_peer = PeerChannelEncryptor::new_inbound(&our_node_id);
654
655                         let act_one = hex_bytes("00036360e856310ce5d294e8be33fc807077dc56ac80d95d9cd4ddbd21325eff73f70df6086551151f58b8afe6c195782c6a").unwrap().to_vec();
656                         assert_eq!(inbound_peer.process_act_one_with_ephemeral_key(&act_one[..], &our_node_id, our_ephemeral.clone()).unwrap()[..], hex_bytes("0002466d7fcae563e5cb09a0d1870bb580344804617879a14949cf22285f1bae3f276e2470b93aac583c9ef6eafca3f730ae").unwrap()[..]);
657
658                         let act_three = hex_bytes("00c9e3a702e93e3a9948c2ed6e5fd7590a6e1c3a0344cfc9d5b57357049aa22355361aa02e55a8fc28fef5bd6d71ad0c38228dc68b1c466263b47fdf31e560e139ba").unwrap().to_vec();
659                         assert!(inbound_peer.process_act_three(&act_three[..]).is_err());
660                 }
661                 {
662                         // transport-responder act3 bad rs test
663                         let mut inbound_peer = PeerChannelEncryptor::new_inbound(&our_node_id);
664
665                         let act_one = hex_bytes("00036360e856310ce5d294e8be33fc807077dc56ac80d95d9cd4ddbd21325eff73f70df6086551151f58b8afe6c195782c6a").unwrap().to_vec();
666                         assert_eq!(inbound_peer.process_act_one_with_ephemeral_key(&act_one[..], &our_node_id, our_ephemeral.clone()).unwrap()[..], hex_bytes("0002466d7fcae563e5cb09a0d1870bb580344804617879a14949cf22285f1bae3f276e2470b93aac583c9ef6eafca3f730ae").unwrap()[..]);
667
668                         let act_three = hex_bytes("00bfe3a702e93e3a9948c2ed6e5fd7590a6e1c3a0344cfc9d5b57357049aa2235536ad09a8ee351870c2bb7f78b754a26c6cef79a98d25139c856d7efd252c2ae73c").unwrap().to_vec();
669                         assert!(inbound_peer.process_act_three(&act_three[..]).is_err());
670                 }
671                 {
672                         // transport-responder act3 bad MAC test
673                         let mut inbound_peer = PeerChannelEncryptor::new_inbound(&our_node_id);
674
675                         let act_one = hex_bytes("00036360e856310ce5d294e8be33fc807077dc56ac80d95d9cd4ddbd21325eff73f70df6086551151f58b8afe6c195782c6a").unwrap().to_vec();
676                         assert_eq!(inbound_peer.process_act_one_with_ephemeral_key(&act_one[..], &our_node_id, our_ephemeral.clone()).unwrap()[..], hex_bytes("0002466d7fcae563e5cb09a0d1870bb580344804617879a14949cf22285f1bae3f276e2470b93aac583c9ef6eafca3f730ae").unwrap()[..]);
677
678                         let act_three = hex_bytes("00b9e3a702e93e3a9948c2ed6e5fd7590a6e1c3a0344cfc9d5b57357049aa22355361aa02e55a8fc28fef5bd6d71ad0c38228dc68b1c466263b47fdf31e560e139bb").unwrap().to_vec();
679                         assert!(inbound_peer.process_act_three(&act_three[..]).is_err());
680                 }
681         }
682
683
684         #[test]
685         fn message_encryption_decryption_test_vectors() {
686                 let secp_ctx = Secp256k1::new();
687
688                 // We use the same keys as the initiator and responder test vectors, so we copy those tests
689                 // here and use them to encrypt.
690                 let mut outbound_peer = get_outbound_peer_for_initiator_test_vectors();
691
692                 {
693                         let our_node_id = SecretKey::from_slice(&secp_ctx, &hex_bytes("1111111111111111111111111111111111111111111111111111111111111111").unwrap()[..]).unwrap();
694
695                         let act_two = hex_bytes("0002466d7fcae563e5cb09a0d1870bb580344804617879a14949cf22285f1bae3f276e2470b93aac583c9ef6eafca3f730ae").unwrap().to_vec();
696                         assert_eq!(outbound_peer.process_act_two(&act_two[..], &our_node_id).unwrap()[..], hex_bytes("00b9e3a702e93e3a9948c2ed6e5fd7590a6e1c3a0344cfc9d5b57357049aa22355361aa02e55a8fc28fef5bd6d71ad0c38228dc68b1c466263b47fdf31e560e139ba").unwrap()[..]);
697
698                         match outbound_peer.noise_state {
699                                 NoiseState::Finished { sk, sn, sck, rk, rn, rck } => {
700                                         assert_eq!(sk, hex_bytes("969ab31b4d288cedf6218839b27a3e2140827047f2c0f01bf5c04435d43511a9").unwrap()[..]);
701                                         assert_eq!(sn, 0);
702                                         assert_eq!(sck, hex_bytes("919219dbb2920afa8db80f9a51787a840bcf111ed8d588caf9ab4be716e42b01").unwrap()[..]);
703                                         assert_eq!(rk, hex_bytes("bb9020b8965f4df047e07f955f3c4b88418984aadc5cdb35096b9ea8fa5c3442").unwrap()[..]);
704                                         assert_eq!(rn, 0);
705                                         assert_eq!(rck, hex_bytes("919219dbb2920afa8db80f9a51787a840bcf111ed8d588caf9ab4be716e42b01").unwrap()[..]);
706                                 },
707                                 _ => panic!()
708                         }
709                 }
710
711                 let mut inbound_peer;
712
713                 {
714                         // transport-responder successful handshake
715                         let our_node_id = SecretKey::from_slice(&secp_ctx, &hex_bytes("2121212121212121212121212121212121212121212121212121212121212121").unwrap()[..]).unwrap();
716                         let our_ephemeral = SecretKey::from_slice(&secp_ctx, &hex_bytes("2222222222222222222222222222222222222222222222222222222222222222").unwrap()[..]).unwrap();
717
718                         inbound_peer = PeerChannelEncryptor::new_inbound(&our_node_id);
719
720                         let act_one = hex_bytes("00036360e856310ce5d294e8be33fc807077dc56ac80d95d9cd4ddbd21325eff73f70df6086551151f58b8afe6c195782c6a").unwrap().to_vec();
721                         assert_eq!(inbound_peer.process_act_one_with_ephemeral_key(&act_one[..], &our_node_id, our_ephemeral.clone()).unwrap()[..], hex_bytes("0002466d7fcae563e5cb09a0d1870bb580344804617879a14949cf22285f1bae3f276e2470b93aac583c9ef6eafca3f730ae").unwrap()[..]);
722
723                         let act_three = hex_bytes("00b9e3a702e93e3a9948c2ed6e5fd7590a6e1c3a0344cfc9d5b57357049aa22355361aa02e55a8fc28fef5bd6d71ad0c38228dc68b1c466263b47fdf31e560e139ba").unwrap().to_vec();
724                         // test vector doesn't specify the initiator static key, but its the same as the one
725                         // from trasport-initiator successful handshake
726                         assert_eq!(inbound_peer.process_act_three(&act_three[..]).unwrap().serialize()[..], hex_bytes("034f355bdcb7cc0af728ef3cceb9615d90684bb5b2ca5f859ab0f0b704075871aa").unwrap()[..]);
727
728                         match inbound_peer.noise_state {
729                                 NoiseState::Finished { sk, sn, sck, rk, rn, rck } => {
730                                         assert_eq!(sk, hex_bytes("bb9020b8965f4df047e07f955f3c4b88418984aadc5cdb35096b9ea8fa5c3442").unwrap()[..]);
731                                         assert_eq!(sn, 0);
732                                         assert_eq!(sck, hex_bytes("919219dbb2920afa8db80f9a51787a840bcf111ed8d588caf9ab4be716e42b01").unwrap()[..]);
733                                         assert_eq!(rk, hex_bytes("969ab31b4d288cedf6218839b27a3e2140827047f2c0f01bf5c04435d43511a9").unwrap()[..]);
734                                         assert_eq!(rn, 0);
735                                         assert_eq!(rck, hex_bytes("919219dbb2920afa8db80f9a51787a840bcf111ed8d588caf9ab4be716e42b01").unwrap()[..]);
736                                 },
737                                 _ => panic!()
738                         }
739                 }
740
741                 for i in 0..1005 {
742                         let msg = [0x68, 0x65, 0x6c, 0x6c, 0x6f];
743                         let res = outbound_peer.encrypt_message(&msg);
744                         assert_eq!(res.len(), 5 + 2*16 + 2);
745
746                         let len_header = res[0..2+16].to_vec();
747                         assert_eq!(inbound_peer.decrypt_length_header(&len_header[..]).unwrap() as usize, msg.len());
748                         assert_eq!(inbound_peer.decrypt_message(&res[2+16..]).unwrap()[..], msg[..]);
749
750                         if i == 0 {
751                                 assert_eq!(res, hex_bytes("cf2b30ddf0cf3f80e7c35a6e6730b59fe802473180f396d88a8fb0db8cbcf25d2f214cf9ea1d95").unwrap());
752                         } else if i == 1 {
753                                 assert_eq!(res, hex_bytes("72887022101f0b6753e0c7de21657d35a4cb2a1f5cde2650528bbc8f837d0f0d7ad833b1a256a1").unwrap());
754                         } else if i == 500 {
755                                 assert_eq!(res, hex_bytes("178cb9d7387190fa34db9c2d50027d21793c9bc2d40b1e14dcf30ebeeeb220f48364f7a4c68bf8").unwrap());
756                         } else if i == 501 {
757                                 assert_eq!(res, hex_bytes("1b186c57d44eb6de4c057c49940d79bb838a145cb528d6e8fd26dbe50a60ca2c104b56b60e45bd").unwrap());
758                         } else if i == 1000 {
759                                 assert_eq!(res, hex_bytes("4a2f3cc3b5e78ddb83dcb426d9863d9d9a723b0337c89dd0b005d89f8d3c05c52b76b29b740f09").unwrap());
760                         } else if i == 1001 {
761                                 assert_eq!(res, hex_bytes("2ecd8c8a5629d0d02ab457a0fdd0f7b90a192cd46be5ecb6ca570bfc5e268338b1a16cf4ef2d36").unwrap());
762                         }
763                 }
764         }
765 }