Stop freeing holding cell in updates, fix freeing in revoke
[rust-lightning] / src / ln / msgs.rs
1 use secp256k1::key::PublicKey;
2 use secp256k1::{Secp256k1, Signature};
3 use bitcoin::util::uint::Uint256;
4 use bitcoin::util::hash::Sha256dHash;
5 use bitcoin::network::serialize::deserialize;
6 use bitcoin::blockdata::script::Script;
7
8 use std::error::Error;
9 use std::fmt;
10 use std::result::Result;
11
12 use util::{byte_utils, internal_traits, events};
13
14 pub trait MsgEncodable {
15         fn encode(&self) -> Vec<u8>;
16         #[inline]
17         fn encoded_len(&self) -> usize { self.encode().len() }
18 }
19 #[derive(Debug)]
20 pub enum DecodeError {
21         /// Unknown realm byte in an OnionHopData packet
22         UnknownRealmByte,
23         /// Failed to decode a public key (ie it's invalid)
24         BadPublicKey,
25         /// Failed to decode a signature (ie it's invalid)
26         BadSignature,
27         /// Buffer not of right length (either too short or too long)
28         WrongLength,
29         /// node_announcement included more than one address of a given type!
30         ExtraAddressesPerType,
31 }
32 pub trait MsgDecodable: Sized {
33         fn decode(v: &[u8]) -> Result<Self, DecodeError>;
34 }
35
36 /// Tracks localfeatures which are only in init messages
37 #[derive(Clone, PartialEq)]
38 pub struct LocalFeatures {
39         flags: Vec<u8>,
40 }
41
42 impl LocalFeatures {
43         pub fn new() -> LocalFeatures {
44                 LocalFeatures {
45                         flags: Vec::new(),
46                 }
47         }
48
49         pub fn supports_data_loss_protect(&self) -> bool {
50                 self.flags.len() > 0 && (self.flags[0] & 3) != 0
51         }
52         pub fn requires_data_loss_protect(&self) -> bool {
53                 self.flags.len() > 0 && (self.flags[0] & 1) != 0
54         }
55
56         pub fn supports_initial_routing_sync(&self) -> bool {
57                 self.flags.len() > 0 && (self.flags[0] & (1 << 3)) != 0
58         }
59
60         pub fn supports_upfront_shutdown_script(&self) -> bool {
61                 self.flags.len() > 0 && (self.flags[0] & (3 << 4)) != 0
62         }
63         pub fn requires_upfront_shutdown_script(&self) -> bool {
64                 self.flags.len() > 0 && (self.flags[0] & (1 << 4)) != 0
65         }
66
67         pub fn requires_unknown_bits(&self) -> bool {
68                 for (idx, &byte) in self.flags.iter().enumerate() {
69                         if idx != 0 && (byte & 0x55) != 0 {
70                                 return true;
71                         } else if idx == 0 && (byte & 0x14) != 0 {
72                                 return true;
73                         }
74                 }
75                 return false;
76         }
77
78         pub fn supports_unknown_bits(&self) -> bool {
79                 for (idx, &byte) in self.flags.iter().enumerate() {
80                         if idx != 0 && byte != 0 {
81                                 return true;
82                         } else if idx == 0 && (byte & 0xc4) != 0 {
83                                 return true;
84                         }
85                 }
86                 return false;
87         }
88 }
89
90 /// Tracks globalfeatures which are in init messages and routing announcements
91 #[derive(Clone, PartialEq)]
92 pub struct GlobalFeatures {
93         flags: Vec<u8>,
94 }
95
96 impl GlobalFeatures {
97         pub fn new() -> GlobalFeatures {
98                 GlobalFeatures {
99                         flags: Vec::new(),
100                 }
101         }
102
103         pub fn requires_unknown_bits(&self) -> bool {
104                 for &byte in self.flags.iter() {
105                         if (byte & 0x55) != 0 {
106                                 return true;
107                         }
108                 }
109                 return false;
110         }
111
112         pub fn supports_unknown_bits(&self) -> bool {
113                 for &byte in self.flags.iter() {
114                         if byte != 0 {
115                                 return true;
116                         }
117                 }
118                 return false;
119         }
120 }
121
122 pub struct Init {
123         pub global_features: GlobalFeatures,
124         pub local_features: LocalFeatures,
125 }
126
127 pub struct OpenChannel {
128         pub chain_hash: Sha256dHash,
129         pub temporary_channel_id: Uint256,
130         pub funding_satoshis: u64,
131         pub push_msat: u64,
132         pub dust_limit_satoshis: u64,
133         pub max_htlc_value_in_flight_msat: u64,
134         pub channel_reserve_satoshis: u64,
135         pub htlc_minimum_msat: u64,
136         pub feerate_per_kw: u32,
137         pub to_self_delay: u16,
138         pub max_accepted_htlcs: u16,
139         pub funding_pubkey: PublicKey,
140         pub revocation_basepoint: PublicKey,
141         pub payment_basepoint: PublicKey,
142         pub delayed_payment_basepoint: PublicKey,
143         pub htlc_basepoint: PublicKey,
144         pub first_per_commitment_point: PublicKey,
145         pub channel_flags: u8,
146         pub shutdown_scriptpubkey: Option<Script>,
147 }
148
149 pub struct AcceptChannel {
150         pub temporary_channel_id: Uint256,
151         pub dust_limit_satoshis: u64,
152         pub max_htlc_value_in_flight_msat: u64,
153         pub channel_reserve_satoshis: u64,
154         pub htlc_minimum_msat: u64,
155         pub minimum_depth: u32,
156         pub to_self_delay: u16,
157         pub max_accepted_htlcs: u16,
158         pub funding_pubkey: PublicKey,
159         pub revocation_basepoint: PublicKey,
160         pub payment_basepoint: PublicKey,
161         pub delayed_payment_basepoint: PublicKey,
162         pub htlc_basepoint: PublicKey,
163         pub first_per_commitment_point: PublicKey,
164         pub shutdown_scriptpubkey: Option<Script>,
165 }
166
167 pub struct FundingCreated {
168         pub temporary_channel_id: Uint256,
169         pub funding_txid: Sha256dHash,
170         pub funding_output_index: u16,
171         pub signature: Signature,
172 }
173
174 pub struct FundingSigned {
175         pub channel_id: Uint256,
176         pub signature: Signature,
177 }
178
179 pub struct FundingLocked {
180         pub channel_id: Uint256,
181         pub next_per_commitment_point: PublicKey,
182 }
183
184 pub struct Shutdown {
185         pub channel_id: Uint256,
186         pub scriptpubkey: Script,
187 }
188
189 pub struct ClosingSigned {
190         pub channel_id: Uint256,
191         pub fee_satoshis: u64,
192         pub signature: Signature,
193 }
194
195 #[derive(Clone)]
196 pub struct UpdateAddHTLC {
197         pub channel_id: Uint256,
198         pub htlc_id: u64,
199         pub amount_msat: u64,
200         pub payment_hash: [u8; 32],
201         pub cltv_expiry: u32,
202         pub onion_routing_packet: OnionPacket,
203 }
204
205 #[derive(Clone)]
206 pub struct UpdateFulfillHTLC {
207         pub channel_id: Uint256,
208         pub htlc_id: u64,
209         pub payment_preimage: [u8; 32],
210 }
211
212 #[derive(Clone)]
213 pub struct UpdateFailHTLC {
214         pub channel_id: Uint256,
215         pub htlc_id: u64,
216         pub reason: OnionErrorPacket,
217 }
218
219 #[derive(Clone)]
220 pub struct UpdateFailMalformedHTLC {
221         pub channel_id: Uint256,
222         pub htlc_id: u64,
223         pub sha256_of_onion: [u8; 32],
224         pub failure_code: u16,
225 }
226
227 #[derive(Clone)]
228 pub struct CommitmentSigned {
229         pub channel_id: Uint256,
230         pub signature: Signature,
231         pub htlc_signatures: Vec<Signature>,
232 }
233
234 pub struct RevokeAndACK {
235         pub channel_id: Uint256,
236         pub per_commitment_secret: [u8; 32],
237         pub next_per_commitment_point: PublicKey,
238 }
239
240 pub struct UpdateFee {
241         pub channel_id: Uint256,
242         pub feerate_per_kw: u32,
243 }
244
245 pub struct ChannelReestablish {
246         pub channel_id: Uint256,
247         pub next_local_commitment_number: u64,
248         pub next_remote_commitment_number: u64,
249         pub your_last_per_commitment_secret: Option<[u8; 32]>,
250         pub my_current_per_commitment_point: PublicKey,
251 }
252
253 #[derive(Clone)]
254 pub struct AnnouncementSignatures {
255         pub channel_id: Uint256,
256         pub short_channel_id: u64,
257         pub node_signature: Signature,
258         pub bitcoin_signature: Signature,
259 }
260
261 #[derive(Clone)]
262 pub enum NetAddress {
263         IPv4 {
264                 addr: [u8; 4],
265                 port: u16,
266         },
267         IPv6 {
268                 addr: [u8; 16],
269                 port: u16,
270         },
271         OnionV2 {
272                 addr: [u8; 10],
273                 port: u16,
274         },
275         OnionV3 {
276                 ed25519_pubkey: [u8; 32],
277                 checksum: u16,
278                 version: u8,
279                 port: u16,
280         },
281 }
282 impl NetAddress {
283         fn get_id(&self) -> u8 {
284                 match self {
285                         &NetAddress::IPv4 {..} => { 1 },
286                         &NetAddress::IPv6 {..} => { 2 },
287                         &NetAddress::OnionV2 {..} => { 3 },
288                         &NetAddress::OnionV3 {..} => { 4 },
289                 }
290         }
291 }
292
293 pub struct UnsignedNodeAnnouncement {
294         pub features: GlobalFeatures,
295         pub timestamp: u32,
296         pub node_id: PublicKey,
297         pub rgb: [u8; 3],
298         pub alias: [u8; 32],
299         /// List of addresses on which this node is reachable. Note that you may only have up to one
300         /// address of each type, if you have more, they may be silently discarded or we may panic!
301         pub addresses: Vec<NetAddress>,
302 }
303 pub struct NodeAnnouncement {
304         pub signature: Signature,
305         pub contents: UnsignedNodeAnnouncement,
306 }
307
308 #[derive(PartialEq, Clone)]
309 pub struct UnsignedChannelAnnouncement {
310         pub features: GlobalFeatures,
311         pub chain_hash: Sha256dHash,
312         pub short_channel_id: u64,
313         pub node_id_1: PublicKey,
314         pub node_id_2: PublicKey,
315         pub bitcoin_key_1: PublicKey,
316         pub bitcoin_key_2: PublicKey,
317 }
318 #[derive(PartialEq, Clone)]
319 pub struct ChannelAnnouncement {
320         pub node_signature_1: Signature,
321         pub node_signature_2: Signature,
322         pub bitcoin_signature_1: Signature,
323         pub bitcoin_signature_2: Signature,
324         pub contents: UnsignedChannelAnnouncement,
325 }
326
327 #[derive(PartialEq, Clone)]
328 pub struct UnsignedChannelUpdate {
329         pub chain_hash: Sha256dHash,
330         pub short_channel_id: u64,
331         pub timestamp: u32,
332         pub flags: u16,
333         pub cltv_expiry_delta: u16,
334         pub htlc_minimum_msat: u64,
335         pub fee_base_msat: u32,
336         pub fee_proportional_millionths: u32,
337 }
338 #[derive(PartialEq, Clone)]
339 pub struct ChannelUpdate {
340         pub signature: Signature,
341         pub contents: UnsignedChannelUpdate,
342 }
343
344 /// Used to put an error message in a HandleError
345 pub enum ErrorMessage {
346         UpdateFailHTLC {
347                 msg: UpdateFailHTLC
348         },
349         DisconnectPeer {},
350 }
351
352 pub struct HandleError { //TODO: rename me
353         pub err: &'static str,
354         pub msg: Option<ErrorMessage>, //TODO: Move into an Action enum and require it!
355 }
356
357 /// A trait to describe an object which can receive channel messages. Messages MAY be called in
358 /// paralell when they originate from different their_node_ids, however they MUST NOT be called in
359 /// paralell when the two calls have the same their_node_id.
360 pub trait ChannelMessageHandler : events::EventsProvider {
361         //Channel init:
362         fn handle_open_channel(&self, their_node_id: &PublicKey, msg: &OpenChannel) -> Result<AcceptChannel, HandleError>;
363         fn handle_accept_channel(&self, their_node_id: &PublicKey, msg: &AcceptChannel) -> Result<(), HandleError>;
364         fn handle_funding_created(&self, their_node_id: &PublicKey, msg: &FundingCreated) -> Result<FundingSigned, HandleError>;
365         fn handle_funding_signed(&self, their_node_id: &PublicKey, msg: &FundingSigned) -> Result<(), HandleError>;
366         fn handle_funding_locked(&self, their_node_id: &PublicKey, msg: &FundingLocked) -> Result<Option<AnnouncementSignatures>, HandleError>;
367
368         // Channl close:
369         fn handle_shutdown(&self, their_node_id: &PublicKey, msg: &Shutdown) -> Result<(), HandleError>;
370         fn handle_closing_signed(&self, their_node_id: &PublicKey, msg: &ClosingSigned) -> Result<(), HandleError>;
371
372         // HTLC handling:
373         fn handle_update_add_htlc(&self, their_node_id: &PublicKey, msg: &UpdateAddHTLC) -> Result<(), HandleError>;
374         fn handle_update_fulfill_htlc(&self, their_node_id: &PublicKey, msg: &UpdateFulfillHTLC) -> Result<(), HandleError>;
375         fn handle_update_fail_htlc(&self, their_node_id: &PublicKey, msg: &UpdateFailHTLC) -> Result<(), HandleError>;
376         fn handle_update_fail_malformed_htlc(&self, their_node_id: &PublicKey, msg: &UpdateFailMalformedHTLC) -> Result<(), HandleError>;
377         fn handle_commitment_signed(&self, their_node_id: &PublicKey, msg: &CommitmentSigned) -> Result<RevokeAndACK, HandleError>;
378         fn handle_revoke_and_ack(&self, their_node_id: &PublicKey, msg: &RevokeAndACK) -> Result<Option<(Vec<UpdateAddHTLC>, CommitmentSigned)>, HandleError>;
379
380         fn handle_update_fee(&self, their_node_id: &PublicKey, msg: &UpdateFee) -> Result<(), HandleError>;
381
382         // Channel-to-announce:
383         fn handle_announcement_signatures(&self, their_node_id: &PublicKey, msg: &AnnouncementSignatures) -> Result<(), HandleError>;
384 }
385
386 pub trait RoutingMessageHandler {
387         fn handle_node_announcement(&self, msg: &NodeAnnouncement) -> Result<(), HandleError>;
388         /// Handle a channel_announcement message, returning true if it should be forwarded on, false
389         /// or returning an Err otherwise.
390         fn handle_channel_announcement(&self, msg: &ChannelAnnouncement) -> Result<bool, HandleError>;
391         fn handle_channel_update(&self, msg: &ChannelUpdate) -> Result<(), HandleError>;
392 }
393
394 pub struct OnionRealm0HopData {
395         pub short_channel_id: u64,
396         pub amt_to_forward: u64,
397         pub outgoing_cltv_value: u32,
398         // 12 bytes of 0-padding
399 }
400
401 pub struct OnionHopData {
402         pub realm: u8,
403         pub data: OnionRealm0HopData,
404         pub hmac: [u8; 32],
405 }
406 unsafe impl internal_traits::NoDealloc for OnionHopData{}
407
408 #[derive(Clone)]
409 pub struct OnionPacket {
410         pub version: u8,
411         pub public_key: PublicKey,
412         pub hop_data: [u8; 20*65],
413         pub hmac: [u8; 32],
414 }
415
416 pub struct DecodedOnionErrorPacket {
417         pub hmac: [u8; 32],
418         pub failuremsg: Vec<u8>,
419         pub pad: Vec<u8>,
420 }
421
422 #[derive(Clone)]
423 pub struct OnionErrorPacket {
424         // This really should be a constant size slice, but the spec lets these things be up to 128KB?
425         // (TODO) We limit it in decode to much lower...
426         pub data: Vec<u8>,
427 }
428
429 impl Error for DecodeError {
430         fn description(&self) -> &str {
431                 match *self {
432                         DecodeError::UnknownRealmByte => "Unknown realm byte in Onion packet",
433                         DecodeError::BadPublicKey => "Invalid public key in packet",
434                         DecodeError::BadSignature => "Invalid signature in packet",
435                         DecodeError::WrongLength => "Data was wrong length for packet",
436                         DecodeError::ExtraAddressesPerType => "More than one address of a single type",
437                 }
438         }
439 }
440 impl fmt::Display for DecodeError {
441         fn fmt(&self, f: &mut fmt::Formatter) -> fmt::Result {
442                 f.write_str(self.description())
443         }
444 }
445
446 impl fmt::Debug for HandleError {
447         fn fmt(&self, f: &mut fmt::Formatter) -> fmt::Result {
448                 f.write_str(self.err)
449         }
450 }
451
452 macro_rules! secp_pubkey {
453         ( $ctx: expr, $slice: expr ) => {
454                 match PublicKey::from_slice($ctx, $slice) {
455                         Ok(key) => key,
456                         Err(_) => return Err(DecodeError::BadPublicKey)
457                 }
458         };
459 }
460
461 macro_rules! secp_signature {
462         ( $ctx: expr, $slice: expr ) => {
463                 match Signature::from_compact($ctx, $slice) {
464                         Ok(sig) => sig,
465                         Err(_) => return Err(DecodeError::BadSignature)
466                 }
467         };
468 }
469
470 impl MsgDecodable for LocalFeatures {
471         fn decode(v: &[u8]) -> Result<Self, DecodeError> {
472                 if v.len() < 3 { return Err(DecodeError::WrongLength); }
473                 let len = byte_utils::slice_to_be16(&v[0..2]) as usize;
474                 if v.len() < len + 2 { return Err(DecodeError::WrongLength); }
475                 let mut flags = Vec::with_capacity(len);
476                 flags.extend_from_slice(&v[2..]);
477                 Ok(Self {
478                         flags: flags
479                 })
480         }
481 }
482 impl MsgEncodable for LocalFeatures {
483         fn encode(&self) -> Vec<u8> {
484                 let mut res = Vec::with_capacity(self.flags.len() + 2);
485                 res.extend_from_slice(&byte_utils::be16_to_array(self.flags.len() as u16));
486                 res.extend_from_slice(&self.flags[..]);
487                 res
488         }
489         fn encoded_len(&self) -> usize { self.flags.len() + 2 }
490 }
491
492 impl MsgDecodable for GlobalFeatures {
493         fn decode(v: &[u8]) -> Result<Self, DecodeError> {
494                 if v.len() < 3 { return Err(DecodeError::WrongLength); }
495                 let len = byte_utils::slice_to_be16(&v[0..2]) as usize;
496                 if v.len() < len + 2 { return Err(DecodeError::WrongLength); }
497                 let mut flags = Vec::with_capacity(len);
498                 flags.extend_from_slice(&v[2..]);
499                 Ok(Self {
500                         flags: flags
501                 })
502         }
503 }
504 impl MsgEncodable for GlobalFeatures {
505         fn encode(&self) -> Vec<u8> {
506                 let mut res = Vec::with_capacity(self.flags.len() + 2);
507                 res.extend_from_slice(&byte_utils::be16_to_array(self.flags.len() as u16));
508                 res.extend_from_slice(&self.flags[..]);
509                 res
510         }
511         fn encoded_len(&self) -> usize { self.flags.len() + 2 }
512 }
513
514 impl MsgDecodable for Init {
515         fn decode(v: &[u8]) -> Result<Self, DecodeError> {
516                 let global_features = GlobalFeatures::decode(v)?;
517                 if v.len() < global_features.flags.len() + 4 {
518                         return Err(DecodeError::WrongLength);
519                 }
520                 let local_features = LocalFeatures::decode(&v[global_features.flags.len() + 2..])?;
521                 Ok(Self {
522                         global_features: global_features,
523                         local_features: local_features,
524                 })
525         }
526 }
527 impl MsgEncodable for Init {
528         fn encode(&self) -> Vec<u8> {
529                 let mut res = Vec::with_capacity(self.global_features.flags.len() + self.local_features.flags.len());
530                 res.extend_from_slice(&self.global_features.encode()[..]);
531                 res.extend_from_slice(&self.local_features.encode()[..]);
532                 res
533         }
534 }
535
536 impl MsgDecodable for OpenChannel {
537         fn decode(v: &[u8]) -> Result<Self, DecodeError> {
538                 if v.len() < 2*32+6*8+4+2*2+6*33+1 {
539                         return Err(DecodeError::WrongLength);
540                 }
541                 let ctx = Secp256k1::without_caps();
542
543                 let mut shutdown_scriptpubkey = None;
544                 if v.len() >= 321 {
545                         let len = byte_utils::slice_to_be16(&v[319..321]) as usize;
546                         if v.len() < 321+len {
547                                 return Err(DecodeError::WrongLength);
548                         }
549                         shutdown_scriptpubkey = Some(Script::from(v[321..321+len].to_vec()));
550                 } else if v.len() != 2*32+6*8+4+2*2+6*33+1 { // Message cant have 1 extra byte
551                         return Err(DecodeError::WrongLength);
552                 }
553
554                 Ok(OpenChannel {
555                         chain_hash: deserialize(&v[0..32]).unwrap(),
556                         temporary_channel_id: deserialize(&v[32..64]).unwrap(),
557                         funding_satoshis: byte_utils::slice_to_be64(&v[64..72]),
558                         push_msat: byte_utils::slice_to_be64(&v[72..80]),
559                         dust_limit_satoshis: byte_utils::slice_to_be64(&v[80..88]),
560                         max_htlc_value_in_flight_msat: byte_utils::slice_to_be64(&v[88..96]),
561                         channel_reserve_satoshis: byte_utils::slice_to_be64(&v[96..104]),
562                         htlc_minimum_msat: byte_utils::slice_to_be64(&v[104..112]),
563                         feerate_per_kw: byte_utils::slice_to_be32(&v[112..116]),
564                         to_self_delay: byte_utils::slice_to_be16(&v[116..118]),
565                         max_accepted_htlcs: byte_utils::slice_to_be16(&v[118..120]),
566                         funding_pubkey: secp_pubkey!(&ctx, &v[120..153]),
567                         revocation_basepoint: secp_pubkey!(&ctx, &v[153..186]),
568                         payment_basepoint: secp_pubkey!(&ctx, &v[186..219]),
569                         delayed_payment_basepoint: secp_pubkey!(&ctx, &v[219..252]),
570                         htlc_basepoint: secp_pubkey!(&ctx, &v[252..285]),
571                         first_per_commitment_point: secp_pubkey!(&ctx, &v[285..318]),
572                         channel_flags: v[318],
573                         shutdown_scriptpubkey: shutdown_scriptpubkey
574                 })
575         }
576 }
577 impl MsgEncodable for OpenChannel {
578         fn encode(&self) -> Vec<u8> {
579                 unimplemented!();
580         }
581 }
582
583 impl MsgDecodable for AcceptChannel {
584         fn decode(v: &[u8]) -> Result<Self, DecodeError> {
585                 if v.len() < 32+4*8+4+2*2+6*33 {
586                         return Err(DecodeError::WrongLength);
587                 }
588                 let ctx = Secp256k1::without_caps();
589
590                 let mut shutdown_scriptpubkey = None;
591                 if v.len() >= 272 {
592                         let len = byte_utils::slice_to_be16(&v[270..272]) as usize;
593                         if v.len() < 272+len {
594                                 return Err(DecodeError::WrongLength);
595                         }
596                         shutdown_scriptpubkey = Some(Script::from(v[272..272+len].to_vec()));
597                 } else if v.len() != 32+4*8+4+2*2+6*33 { // Message cant have 1 extra byte
598                         return Err(DecodeError::WrongLength);
599                 }
600
601                 Ok(Self {
602                         temporary_channel_id: deserialize(&v[0..32]).unwrap(),
603                         dust_limit_satoshis: byte_utils::slice_to_be64(&v[32..40]),
604                         max_htlc_value_in_flight_msat: byte_utils::slice_to_be64(&v[40..48]),
605                         channel_reserve_satoshis: byte_utils::slice_to_be64(&v[48..56]),
606                         htlc_minimum_msat: byte_utils::slice_to_be64(&v[56..64]),
607                         minimum_depth: byte_utils::slice_to_be32(&v[64..68]),
608                         to_self_delay: byte_utils::slice_to_be16(&v[68..70]),
609                         max_accepted_htlcs: byte_utils::slice_to_be16(&v[70..72]),
610                         funding_pubkey: secp_pubkey!(&ctx, &v[72..105]),
611                         revocation_basepoint: secp_pubkey!(&ctx, &v[105..138]),
612                         payment_basepoint: secp_pubkey!(&ctx, &v[138..171]),
613                         delayed_payment_basepoint: secp_pubkey!(&ctx, &v[171..204]),
614                         htlc_basepoint: secp_pubkey!(&ctx, &v[204..237]),
615                         first_per_commitment_point: secp_pubkey!(&ctx, &v[237..270]),
616                         shutdown_scriptpubkey: shutdown_scriptpubkey
617                 })
618         }
619 }
620 impl MsgEncodable for AcceptChannel {
621         fn encode(&self) -> Vec<u8> {
622                 unimplemented!();
623         }
624 }
625
626 impl MsgDecodable for FundingCreated {
627         fn decode(v: &[u8]) -> Result<Self, DecodeError> {
628                 if v.len() < 32+32+2+64 {
629                         return Err(DecodeError::WrongLength);
630                 }
631                 let ctx = Secp256k1::without_caps();
632                 Ok(Self {
633                         temporary_channel_id: deserialize(&v[0..32]).unwrap(),
634                         funding_txid: deserialize(&v[32..64]).unwrap(),
635                         funding_output_index: byte_utils::slice_to_be16(&v[64..66]),
636                         signature: secp_signature!(&ctx, &v[66..130]),
637                 })
638         }
639 }
640 impl MsgEncodable for FundingCreated {
641         fn encode(&self) -> Vec<u8> {
642                 unimplemented!();
643         }
644 }
645
646 impl MsgDecodable for FundingSigned {
647         fn decode(v: &[u8]) -> Result<Self, DecodeError> {
648                 if v.len() < 32+64 {
649                         return Err(DecodeError::WrongLength);
650                 }
651                 let ctx = Secp256k1::without_caps();
652                 Ok(Self {
653                         channel_id: deserialize(&v[0..32]).unwrap(),
654                         signature: secp_signature!(&ctx, &v[32..96]),
655                 })
656         }
657 }
658 impl MsgEncodable for FundingSigned {
659         fn encode(&self) -> Vec<u8> {
660                 unimplemented!();
661         }
662 }
663
664 impl MsgDecodable for FundingLocked {
665         fn decode(v: &[u8]) -> Result<Self, DecodeError> {
666                 if v.len() < 32+33 {
667                         return Err(DecodeError::WrongLength);
668                 }
669                 let ctx = Secp256k1::without_caps();
670                 Ok(Self {
671                         channel_id: deserialize(&v[0..32]).unwrap(),
672                         next_per_commitment_point: secp_pubkey!(&ctx, &v[32..65]),
673                 })
674         }
675 }
676 impl MsgEncodable for FundingLocked {
677         fn encode(&self) -> Vec<u8> {
678                 unimplemented!();
679         }
680 }
681
682 impl MsgDecodable for Shutdown {
683         fn decode(v: &[u8]) -> Result<Self, DecodeError> {
684                 if v.len() < 32 + 2 {
685                         return Err(DecodeError::WrongLength);
686                 }
687                 let scriptlen = byte_utils::slice_to_be16(&v[32..34]) as usize;
688                 if v.len() < 32 + 2 + scriptlen {
689                         return Err(DecodeError::WrongLength);
690                 }
691                 Ok(Self {
692                         channel_id: deserialize(&v[0..32]).unwrap(),
693                         scriptpubkey: Script::from(v[34..34 + scriptlen].to_vec()),
694                 })
695         }
696 }
697 impl MsgEncodable for Shutdown {
698         fn encode(&self) -> Vec<u8> {
699                 unimplemented!();
700         }
701 }
702
703 impl MsgDecodable for ClosingSigned {
704         fn decode(v: &[u8]) -> Result<Self, DecodeError> {
705                 if v.len() < 32 + 8 + 64 {
706                         return Err(DecodeError::WrongLength);
707                 }
708                 let secp_ctx = Secp256k1::without_caps();
709                 Ok(Self {
710                         channel_id: deserialize(&v[0..32]).unwrap(),
711                         fee_satoshis: byte_utils::slice_to_be64(&v[32..40]),
712                         signature: secp_signature!(&secp_ctx, &v[40..104]),
713                 })
714         }
715 }
716 impl MsgEncodable for ClosingSigned {
717         fn encode(&self) -> Vec<u8> {
718                 unimplemented!();
719         }
720 }
721
722 impl MsgDecodable for UpdateAddHTLC {
723         fn decode(v: &[u8]) -> Result<Self, DecodeError> {
724                 if v.len() < 32+8+8+32+4+1+33+20*65+32 {
725                         return Err(DecodeError::WrongLength);
726                 }
727                 let mut payment_hash = [0; 32];
728                 payment_hash.copy_from_slice(&v[48..80]);
729                 Ok(Self{
730                         channel_id: deserialize(&v[0..32]).unwrap(),
731                         htlc_id: byte_utils::slice_to_be64(&v[32..40]),
732                         amount_msat: byte_utils::slice_to_be64(&v[40..48]),
733                         payment_hash,
734                         cltv_expiry: byte_utils::slice_to_be32(&v[80..84]),
735                         onion_routing_packet: OnionPacket::decode(&v[84..])?,
736                 })
737         }
738 }
739 impl MsgEncodable for UpdateAddHTLC {
740         fn encode(&self) -> Vec<u8> {
741                 unimplemented!();
742         }
743 }
744
745 impl MsgDecodable for UpdateFulfillHTLC {
746         fn decode(v: &[u8]) -> Result<Self, DecodeError> {
747                 if v.len() < 32+8+32 {
748                         return Err(DecodeError::WrongLength);
749                 }
750                 let mut payment_preimage = [0; 32];
751                 payment_preimage.copy_from_slice(&v[40..72]);
752                 Ok(Self{
753                         channel_id: deserialize(&v[0..32]).unwrap(),
754                         htlc_id: byte_utils::slice_to_be64(&v[32..40]),
755                         payment_preimage,
756                 })
757         }
758 }
759 impl MsgEncodable for UpdateFulfillHTLC {
760         fn encode(&self) -> Vec<u8> {
761                 unimplemented!();
762         }
763 }
764
765 impl MsgDecodable for UpdateFailHTLC {
766         fn decode(v: &[u8]) -> Result<Self, DecodeError> {
767                 if v.len() < 32+8 {
768                         return Err(DecodeError::WrongLength);
769                 }
770                 Ok(Self{
771                         channel_id: deserialize(&v[0..32]).unwrap(),
772                         htlc_id: byte_utils::slice_to_be64(&v[32..40]),
773                         reason: OnionErrorPacket::decode(&v[40..])?,
774                 })
775         }
776 }
777 impl MsgEncodable for UpdateFailHTLC {
778         fn encode(&self) -> Vec<u8> {
779                 unimplemented!();
780         }
781 }
782
783 impl MsgDecodable for UpdateFailMalformedHTLC {
784         fn decode(v: &[u8]) -> Result<Self, DecodeError> {
785                 if v.len() < 32+8+32+2 {
786                         return Err(DecodeError::WrongLength);
787                 }
788                 let mut sha256_of_onion = [0; 32];
789                 sha256_of_onion.copy_from_slice(&v[40..72]);
790                 Ok(Self{
791                         channel_id: deserialize(&v[0..32]).unwrap(),
792                         htlc_id: byte_utils::slice_to_be64(&v[32..40]),
793                         sha256_of_onion,
794                         failure_code: byte_utils::slice_to_be16(&v[72..74]),
795                 })
796         }
797 }
798 impl MsgEncodable for UpdateFailMalformedHTLC {
799         fn encode(&self) -> Vec<u8> {
800                 unimplemented!();
801         }
802 }
803
804 impl MsgDecodable for CommitmentSigned {
805         fn decode(v: &[u8]) -> Result<Self, DecodeError> {
806                 if v.len() < 32+64+2 {
807                         return Err(DecodeError::WrongLength);
808                 }
809                 let htlcs = byte_utils::slice_to_be16(&v[96..98]) as usize;
810                 if v.len() < 32+64+2+htlcs*64 {
811                         return Err(DecodeError::WrongLength);
812                 }
813                 let mut htlc_signatures = Vec::with_capacity(htlcs);
814                 let secp_ctx = Secp256k1::without_caps();
815                 for i in 0..htlcs {
816                         htlc_signatures.push(secp_signature!(&secp_ctx, &v[98+i*64..98+(i+1)*64]));
817                 }
818                 Ok(Self {
819                         channel_id: deserialize(&v[0..32]).unwrap(),
820                         signature: secp_signature!(&secp_ctx, &v[32..96]),
821                         htlc_signatures,
822                 })
823         }
824 }
825 impl MsgEncodable for CommitmentSigned {
826         fn encode(&self) -> Vec<u8> {
827                 unimplemented!();
828         }
829 }
830
831 impl MsgDecodable for RevokeAndACK {
832         fn decode(v: &[u8]) -> Result<Self, DecodeError> {
833                 if v.len() < 32+32+33 {
834                         return Err(DecodeError::WrongLength);
835                 }
836                 let mut per_commitment_secret = [0; 32];
837                 per_commitment_secret.copy_from_slice(&v[32..64]);
838                 let secp_ctx = Secp256k1::without_caps();
839                 Ok(Self {
840                         channel_id: deserialize(&v[0..32]).unwrap(),
841                         per_commitment_secret,
842                         next_per_commitment_point: secp_pubkey!(&secp_ctx, &v[64..97]),
843                 })
844         }
845 }
846 impl MsgEncodable for RevokeAndACK {
847         fn encode(&self) -> Vec<u8> {
848                 unimplemented!();
849         }
850 }
851
852 impl MsgDecodable for UpdateFee {
853         fn decode(v: &[u8]) -> Result<Self, DecodeError> {
854                 if v.len() < 32+4 {
855                         return Err(DecodeError::WrongLength);
856                 }
857                 Ok(Self {
858                         channel_id: deserialize(&v[0..32]).unwrap(),
859                         feerate_per_kw: byte_utils::slice_to_be32(&v[32..36]),
860                 })
861         }
862 }
863 impl MsgEncodable for UpdateFee {
864         fn encode(&self) -> Vec<u8> {
865                 unimplemented!();
866         }
867 }
868
869 impl MsgDecodable for ChannelReestablish {
870         fn decode(_v: &[u8]) -> Result<Self, DecodeError> {
871                 unimplemented!();
872         }
873 }
874 impl MsgEncodable for ChannelReestablish {
875         fn encode(&self) -> Vec<u8> {
876                 unimplemented!();
877         }
878 }
879
880 impl MsgDecodable for AnnouncementSignatures {
881         fn decode(v: &[u8]) -> Result<Self, DecodeError> {
882                 if v.len() < 32+8+64*2 {
883                         return Err(DecodeError::WrongLength);
884                 }
885                 let secp_ctx = Secp256k1::without_caps();
886                 Ok(Self {
887                         channel_id: deserialize(&v[0..32]).unwrap(),
888                         short_channel_id: byte_utils::slice_to_be64(&v[32..40]),
889                         node_signature: secp_signature!(&secp_ctx, &v[40..104]),
890                         bitcoin_signature: secp_signature!(&secp_ctx, &v[104..168]),
891                 })
892         }
893 }
894 impl MsgEncodable for AnnouncementSignatures {
895         fn encode(&self) -> Vec<u8> {
896                 unimplemented!();
897         }
898 }
899
900 impl MsgDecodable for UnsignedNodeAnnouncement {
901         fn decode(v: &[u8]) -> Result<Self, DecodeError> {
902                 let features = GlobalFeatures::decode(&v[..])?;
903                 if v.len() < features.encoded_len() + 4 + 33 + 3 + 32 + 2 {
904                         return Err(DecodeError::WrongLength);
905                 }
906                 let start = features.encoded_len();
907
908                 let mut rgb = [0; 3];
909                 rgb.copy_from_slice(&v[start + 37..start + 40]);
910
911                 let mut alias = [0; 32];
912                 alias.copy_from_slice(&v[start + 40..start + 72]);
913
914                 let addrlen = byte_utils::slice_to_be16(&v[start + 72..start + 74]) as usize;
915                 if v.len() < start + 74 + addrlen {
916                         return Err(DecodeError::WrongLength);
917                 }
918
919                 let mut addresses = Vec::with_capacity(4);
920                 let mut read_pos = start + 74;
921                 loop {
922                         if v.len() <= read_pos { break; }
923                         match v[read_pos] {
924                                 0 => { read_pos += 1; },
925                                 1 => {
926                                         if v.len() < read_pos + 1 + 6 {
927                                                 return Err(DecodeError::WrongLength);
928                                         }
929                                         if addresses.len() > 0 {
930                                                 return Err(DecodeError::ExtraAddressesPerType);
931                                         }
932                                         let mut addr = [0; 4];
933                                         addr.copy_from_slice(&v[read_pos + 1..read_pos + 5]);
934                                         addresses.push(NetAddress::IPv4 {
935                                                 addr,
936                                                 port: byte_utils::slice_to_be16(&v[read_pos + 5..read_pos + 7]),
937                                         });
938                                         read_pos += 1 + 6;
939                                 },
940                                 2 => {
941                                         if v.len() < read_pos + 1 + 18 {
942                                                 return Err(DecodeError::WrongLength);
943                                         }
944                                         if addresses.len() > 1 || (addresses.len() == 1 && addresses[0].get_id() != 1) {
945                                                 return Err(DecodeError::ExtraAddressesPerType);
946                                         }
947                                         let mut addr = [0; 16];
948                                         addr.copy_from_slice(&v[read_pos + 1..read_pos + 17]);
949                                         addresses.push(NetAddress::IPv6 {
950                                                 addr,
951                                                 port: byte_utils::slice_to_be16(&v[read_pos + 17..read_pos + 19]),
952                                         });
953                                         read_pos += 1 + 18;
954                                 },
955                                 3 => {
956                                         if v.len() < read_pos + 1 + 12 {
957                                                 return Err(DecodeError::WrongLength);
958                                         }
959                                         if addresses.len() > 2 || (addresses.len() > 0 && addresses.last().unwrap().get_id() > 2) {
960                                                 return Err(DecodeError::ExtraAddressesPerType);
961                                         }
962                                         let mut addr = [0; 10];
963                                         addr.copy_from_slice(&v[read_pos + 1..read_pos + 11]);
964                                         addresses.push(NetAddress::OnionV2 {
965                                                 addr,
966                                                 port: byte_utils::slice_to_be16(&v[read_pos + 11..read_pos + 13]),
967                                         });
968                                         read_pos += 1 + 12;
969                                 },
970                                 4 => {
971                                         if v.len() < read_pos + 1 + 37 {
972                                                 return Err(DecodeError::WrongLength);
973                                         }
974                                         if addresses.len() > 3 || (addresses.len() > 0 && addresses.last().unwrap().get_id() > 3) {
975                                                 return Err(DecodeError::ExtraAddressesPerType);
976                                         }
977                                         let mut ed25519_pubkey = [0; 32];
978                                         ed25519_pubkey.copy_from_slice(&v[read_pos + 1..read_pos + 33]);
979                                         addresses.push(NetAddress::OnionV3 {
980                                                 ed25519_pubkey,
981                                                 checksum: byte_utils::slice_to_be16(&v[read_pos + 33..read_pos + 35]),
982                                                 version: v[read_pos + 35],
983                                                 port: byte_utils::slice_to_be16(&v[read_pos + 36..read_pos + 38]),
984                                         });
985                                         read_pos += 1 + 37;
986                                 },
987                                 _ => { break; } // We've read all we can, we dont understand anything higher (and they're sorted)
988                         }
989                 }
990
991                 let secp_ctx = Secp256k1::without_caps();
992                 Ok(Self {
993                         features,
994                         timestamp: byte_utils::slice_to_be32(&v[start..start + 4]),
995                         node_id: secp_pubkey!(&secp_ctx, &v[start + 4..start + 37]),
996                         rgb,
997                         alias,
998                         addresses,
999                 })
1000         }
1001 }
1002 impl MsgEncodable for UnsignedNodeAnnouncement {
1003         fn encode(&self) -> Vec<u8> {
1004                 let features = self.features.encode();
1005                 let mut res = Vec::with_capacity(74 + features.len() + self.addresses.len());
1006                 res.extend_from_slice(&features[..]);
1007                 res.extend_from_slice(&byte_utils::be32_to_array(self.timestamp));
1008                 res.extend_from_slice(&self.node_id.serialize());
1009                 res.extend_from_slice(&self.rgb);
1010                 res.extend_from_slice(&self.alias);
1011                 let mut addr_slice = Vec::with_capacity(self.addresses.len() * 18);
1012                 let mut addrs_to_encode = self.addresses.clone();
1013                 addrs_to_encode.sort_unstable_by(|a, b| { a.get_id().cmp(&b.get_id()) });
1014                 addrs_to_encode.dedup_by(|a, b| { a.get_id() == b.get_id() });
1015                 for addr in addrs_to_encode.iter() {
1016                         match addr {
1017                                 &NetAddress::IPv4{addr, port} => {
1018                                         addr_slice.push(1);
1019                                         addr_slice.extend_from_slice(&addr);
1020                                         addr_slice.extend_from_slice(&byte_utils::be16_to_array(port));
1021                                 },
1022                                 &NetAddress::IPv6{addr, port} => {
1023                                         addr_slice.push(2);
1024                                         addr_slice.extend_from_slice(&addr);
1025                                         addr_slice.extend_from_slice(&byte_utils::be16_to_array(port));
1026                                 },
1027                                 &NetAddress::OnionV2{addr, port} => {
1028                                         addr_slice.push(3);
1029                                         addr_slice.extend_from_slice(&addr);
1030                                         addr_slice.extend_from_slice(&byte_utils::be16_to_array(port));
1031                                 },
1032                                 &NetAddress::OnionV3{ed25519_pubkey, checksum, version, port} => {
1033                                         addr_slice.push(4);
1034                                         addr_slice.extend_from_slice(&ed25519_pubkey);
1035                                         addr_slice.extend_from_slice(&byte_utils::be16_to_array(checksum));
1036                                         addr_slice.push(version);
1037                                         addr_slice.extend_from_slice(&byte_utils::be16_to_array(port));
1038                                 },
1039                         }
1040                 }
1041                 res.extend_from_slice(&byte_utils::be16_to_array(addr_slice.len() as u16));
1042                 res.extend_from_slice(&addr_slice[..]);
1043                 res
1044         }
1045 }
1046
1047 impl MsgDecodable for NodeAnnouncement {
1048         fn decode(v: &[u8]) -> Result<Self, DecodeError> {
1049                 if v.len() < 64 {
1050                         return Err(DecodeError::WrongLength);
1051                 }
1052                 let secp_ctx = Secp256k1::without_caps();
1053                 Ok(Self {
1054                         signature: secp_signature!(&secp_ctx, &v[0..64]),
1055                         contents: UnsignedNodeAnnouncement::decode(&v[64..])?,
1056                 })
1057         }
1058 }
1059 impl MsgEncodable for NodeAnnouncement {
1060         fn encode(&self) -> Vec<u8> {
1061                 unimplemented!();
1062         }
1063 }
1064
1065 impl MsgDecodable for UnsignedChannelAnnouncement {
1066         fn decode(v: &[u8]) -> Result<Self, DecodeError> {
1067                 let features = GlobalFeatures::decode(&v[..])?;
1068                 if v.len() < features.encoded_len() + 32 + 8 + 33*4 {
1069                         return Err(DecodeError::WrongLength);
1070                 }
1071                 let start = features.encoded_len();
1072                 let secp_ctx = Secp256k1::without_caps();
1073                 Ok(Self {
1074                         features,
1075                         chain_hash: deserialize(&v[start..start + 32]).unwrap(),
1076                         short_channel_id: byte_utils::slice_to_be64(&v[start + 32..start + 40]),
1077                         node_id_1: secp_pubkey!(&secp_ctx, &v[start + 40..start + 73]),
1078                         node_id_2: secp_pubkey!(&secp_ctx, &v[start + 73..start + 106]),
1079                         bitcoin_key_1: secp_pubkey!(&secp_ctx, &v[start + 106..start + 139]),
1080                         bitcoin_key_2: secp_pubkey!(&secp_ctx, &v[start + 139..start + 172]),
1081                 })
1082         }
1083 }
1084 impl MsgEncodable for UnsignedChannelAnnouncement {
1085         fn encode(&self) -> Vec<u8> {
1086                 let features = self.features.encode();
1087                 let mut res = Vec::with_capacity(172 + features.len());
1088                 res.extend_from_slice(&features[..]);
1089                 res.extend_from_slice(&self.chain_hash[..]);
1090                 res.extend_from_slice(&byte_utils::be64_to_array(self.short_channel_id));
1091                 res.extend_from_slice(&self.node_id_1.serialize());
1092                 res.extend_from_slice(&self.node_id_2.serialize());
1093                 res.extend_from_slice(&self.bitcoin_key_1.serialize());
1094                 res.extend_from_slice(&self.bitcoin_key_2.serialize());
1095                 res
1096         }
1097 }
1098
1099 impl MsgDecodable for ChannelAnnouncement {
1100         fn decode(v: &[u8]) -> Result<Self, DecodeError> {
1101                 if v.len() < 64*4 {
1102                         return Err(DecodeError::WrongLength);
1103                 }
1104                 let secp_ctx = Secp256k1::without_caps();
1105                 Ok(Self {
1106                         node_signature_1: secp_signature!(&secp_ctx, &v[0..64]),
1107                         node_signature_2: secp_signature!(&secp_ctx, &v[64..128]),
1108                         bitcoin_signature_1: secp_signature!(&secp_ctx, &v[128..192]),
1109                         bitcoin_signature_2: secp_signature!(&secp_ctx, &v[192..256]),
1110                         contents: UnsignedChannelAnnouncement::decode(&v[256..])?,
1111                 })
1112         }
1113 }
1114 impl MsgEncodable for ChannelAnnouncement {
1115         fn encode(&self) -> Vec<u8> {
1116                 unimplemented!();
1117         }
1118 }
1119
1120 impl MsgDecodable for UnsignedChannelUpdate {
1121         fn decode(v: &[u8]) -> Result<Self, DecodeError> {
1122                 if v.len() < 32+8+4+2+2+8+4+4 {
1123                         return Err(DecodeError::WrongLength);
1124                 }
1125                 Ok(Self {
1126                         chain_hash: deserialize(&v[0..32]).unwrap(),
1127                         short_channel_id: byte_utils::slice_to_be64(&v[32..40]),
1128                         timestamp: byte_utils::slice_to_be32(&v[40..44]),
1129                         flags: byte_utils::slice_to_be16(&v[44..46]),
1130                         cltv_expiry_delta: byte_utils::slice_to_be16(&v[46..48]),
1131                         htlc_minimum_msat: byte_utils::slice_to_be64(&v[48..56]),
1132                         fee_base_msat: byte_utils::slice_to_be32(&v[56..60]),
1133                         fee_proportional_millionths: byte_utils::slice_to_be32(&v[60..64]),
1134                 })
1135         }
1136 }
1137 impl MsgEncodable for UnsignedChannelUpdate {
1138         fn encode(&self) -> Vec<u8> {
1139                 let mut res = Vec::with_capacity(64);
1140                 res.extend_from_slice(&self.chain_hash[..]);
1141                 res.extend_from_slice(&byte_utils::be64_to_array(self.short_channel_id));
1142                 res.extend_from_slice(&byte_utils::be32_to_array(self.timestamp));
1143                 res.extend_from_slice(&byte_utils::be16_to_array(self.flags));
1144                 res.extend_from_slice(&byte_utils::be16_to_array(self.cltv_expiry_delta));
1145                 res.extend_from_slice(&byte_utils::be64_to_array(self.htlc_minimum_msat));
1146                 res.extend_from_slice(&byte_utils::be32_to_array(self.fee_base_msat));
1147                 res.extend_from_slice(&byte_utils::be32_to_array(self.fee_proportional_millionths));
1148                 res
1149         }
1150 }
1151
1152 impl MsgDecodable for ChannelUpdate {
1153         fn decode(v: &[u8]) -> Result<Self, DecodeError> {
1154                 if v.len() < 128 {
1155                         return Err(DecodeError::WrongLength);
1156                 }
1157                 let secp_ctx = Secp256k1::without_caps();
1158                 Ok(Self {
1159                         signature: secp_signature!(&secp_ctx, &v[0..64]),
1160                         contents: UnsignedChannelUpdate::decode(&v[64..])?,
1161                 })
1162         }
1163 }
1164 impl MsgEncodable for ChannelUpdate {
1165         fn encode(&self) -> Vec<u8> {
1166                 let mut res = Vec::with_capacity(128);
1167                 res.extend_from_slice(&self.signature.serialize_compact(&Secp256k1::without_caps())[..]);
1168                 res.extend_from_slice(&self.contents.encode()[..]);
1169                 res
1170         }
1171 }
1172
1173 impl MsgDecodable for OnionRealm0HopData {
1174         fn decode(v: &[u8]) -> Result<Self, DecodeError> {
1175                 if v.len() < 32 {
1176                         return Err(DecodeError::WrongLength);
1177                 }
1178                 Ok(OnionRealm0HopData {
1179                         short_channel_id: byte_utils::slice_to_be64(&v[0..8]),
1180                         amt_to_forward: byte_utils::slice_to_be64(&v[8..16]),
1181                         outgoing_cltv_value: byte_utils::slice_to_be32(&v[16..20]),
1182                 })
1183         }
1184 }
1185 impl MsgEncodable for OnionRealm0HopData {
1186         fn encode(&self) -> Vec<u8> {
1187                 let mut res = Vec::with_capacity(32);
1188                 res.extend_from_slice(&byte_utils::be64_to_array(self.short_channel_id));
1189                 res.extend_from_slice(&byte_utils::be64_to_array(self.amt_to_forward));
1190                 res.extend_from_slice(&byte_utils::be32_to_array(self.outgoing_cltv_value));
1191                 res.resize(32, 0);
1192                 res
1193         }
1194 }
1195
1196 impl MsgDecodable for OnionHopData {
1197         fn decode(v: &[u8]) -> Result<Self, DecodeError> {
1198                 if v.len() < 65 {
1199                         return Err(DecodeError::WrongLength);
1200                 }
1201                 let realm = v[0];
1202                 if realm != 0 {
1203                         return Err(DecodeError::UnknownRealmByte);
1204                 }
1205                 let mut hmac = [0; 32];
1206                 hmac[..].copy_from_slice(&v[33..65]);
1207                 Ok(OnionHopData {
1208                         realm: realm,
1209                         data: OnionRealm0HopData::decode(&v[1..33])?,
1210                         hmac: hmac,
1211                 })
1212         }
1213 }
1214 impl MsgEncodable for OnionHopData {
1215         fn encode(&self) -> Vec<u8> {
1216                 let mut res = Vec::with_capacity(65);
1217                 res.push(self.realm);
1218                 res.extend_from_slice(&self.data.encode()[..]);
1219                 res.extend_from_slice(&self.hmac);
1220                 res
1221         }
1222 }
1223
1224 impl MsgDecodable for OnionPacket {
1225         fn decode(v: &[u8]) -> Result<Self, DecodeError> {
1226                 if v.len() < 1+33+20*65+32 {
1227                         return Err(DecodeError::WrongLength);
1228                 }
1229                 let mut hop_data = [0; 20*65];
1230                 hop_data.copy_from_slice(&v[34..1334]);
1231                 let mut hmac = [0; 32];
1232                 hmac.copy_from_slice(&v[1334..1366]);
1233                 let secp_ctx = Secp256k1::without_caps();
1234                 Ok(Self {
1235                         version: v[0],
1236                         public_key: secp_pubkey!(&secp_ctx, &v[1..34]),
1237                         hop_data,
1238                         hmac,
1239                 })
1240         }
1241 }
1242 impl MsgEncodable for OnionPacket {
1243         fn encode(&self) -> Vec<u8> {
1244                 let mut res = Vec::with_capacity(1 + 33 + 20*65 + 32);
1245                 res.push(self.version);
1246                 res.extend_from_slice(&self.public_key.serialize());
1247                 res.extend_from_slice(&self.hop_data);
1248                 res.extend_from_slice(&self.hmac);
1249                 res
1250         }
1251 }
1252
1253 impl MsgDecodable for DecodedOnionErrorPacket {
1254         fn decode(_v: &[u8]) -> Result<Self, DecodeError> {
1255                 unimplemented!();
1256         }
1257 }
1258 impl MsgEncodable for DecodedOnionErrorPacket {
1259         fn encode(&self) -> Vec<u8> {
1260                 let mut res = Vec::with_capacity(32 + 4 + self.failuremsg.len() + self.pad.len());
1261                 res.extend_from_slice(&self.hmac);
1262                 res.extend_from_slice(&[((self.failuremsg.len() >> 8) & 0xff) as u8, (self.failuremsg.len() & 0xff) as u8]);
1263                 res.extend_from_slice(&self.failuremsg);
1264                 res.extend_from_slice(&[((self.pad.len() >> 8) & 0xff) as u8, (self.pad.len() & 0xff) as u8]);
1265                 res.extend_from_slice(&self.pad);
1266                 res
1267         }
1268 }
1269
1270 impl MsgDecodable for OnionErrorPacket {
1271         fn decode(v: &[u8]) -> Result<Self, DecodeError> {
1272                 if v.len() < 2 {
1273                         return Err(DecodeError::WrongLength);
1274                 }
1275                 let len = byte_utils::slice_to_be16(&v[0..2]) as usize;
1276                 if v.len() < 2 + len {
1277                         return Err(DecodeError::WrongLength);
1278                 }
1279                 Ok(Self {
1280                         data: v[2..len+2].to_vec(),
1281                 })
1282         }
1283 }
1284 impl MsgEncodable for OnionErrorPacket {
1285         fn encode(&self) -> Vec<u8> {
1286                 unimplemented!();
1287         }
1288 }
1289