1 //! A very simple serialization framework which is used to serialize/deserialize messages as well
2 //! as ChannelsManagers and ChannelMonitors.
4 use std::io::{Read, Write};
5 use std::collections::HashMap;
10 use bitcoin::secp256k1::Signature;
11 use bitcoin::secp256k1::key::{PublicKey, SecretKey};
12 use bitcoin::blockdata::script::Script;
13 use bitcoin::blockdata::transaction::{OutPoint, Transaction, TxOut};
14 use bitcoin::consensus;
15 use bitcoin::consensus::Encodable;
16 use bitcoin::hashes::sha256d::Hash as Sha256dHash;
17 use bitcoin::hash_types::{Txid, BlockHash};
18 use std::marker::Sized;
19 use ln::msgs::DecodeError;
20 use ln::channelmanager::{PaymentPreimage, PaymentHash, PaymentSecret};
23 use util::byte_utils::{be64_to_array, be48_to_array, be32_to_array, be16_to_array, slice_to_be16, slice_to_be32, slice_to_be48, slice_to_be64};
25 const MAX_BUF_SIZE: usize = 64 * 1024;
27 /// A trait that is similar to std::io::Write but has one extra function which can be used to size
28 /// buffers being written into.
29 /// An impl is provided for any type that also impls std::io::Write which simply ignores size
32 /// Writes the given buf out. See std::io::Write::write_all for more
33 fn write_all(&mut self, buf: &[u8]) -> Result<(), ::std::io::Error>;
34 /// Hints that data of the given size is about the be written. This may not always be called
35 /// prior to data being written and may be safely ignored.
36 fn size_hint(&mut self, size: usize);
39 impl<W: Write> Writer for W {
41 fn write_all(&mut self, buf: &[u8]) -> Result<(), ::std::io::Error> {
42 <Self as ::std::io::Write>::write_all(self, buf)
45 fn size_hint(&mut self, _size: usize) { }
48 pub(crate) struct WriterWriteAdaptor<'a, W: Writer + 'a>(pub &'a mut W);
49 impl<'a, W: Writer + 'a> Write for WriterWriteAdaptor<'a, W> {
50 fn write_all(&mut self, buf: &[u8]) -> Result<(), ::std::io::Error> {
53 fn write(&mut self, buf: &[u8]) -> Result<usize, ::std::io::Error> {
54 self.0.write_all(buf)?;
57 fn flush(&mut self) -> Result<(), ::std::io::Error> {
62 pub(crate) struct VecWriter(pub Vec<u8>);
63 impl Writer for VecWriter {
64 fn write_all(&mut self, buf: &[u8]) -> Result<(), ::std::io::Error> {
65 self.0.extend_from_slice(buf);
68 fn size_hint(&mut self, size: usize) {
69 self.0.reserve_exact(size);
73 /// Writer that only tracks the amount of data written - useful if you need to calculate the length
74 /// of some data when serialized but don't yet need the full data.
75 pub(crate) struct LengthCalculatingWriter(pub usize);
76 impl Writer for LengthCalculatingWriter {
78 fn write_all(&mut self, buf: &[u8]) -> Result<(), ::std::io::Error> {
83 fn size_hint(&mut self, _size: usize) {}
86 /// Essentially std::io::Take but a bit simpler and with a method to walk the underlying stream
87 /// forward to ensure we always consume exactly the fixed length specified.
88 pub(crate) struct FixedLengthReader<R: Read> {
93 impl<R: Read> FixedLengthReader<R> {
94 pub fn new(read: R, total_bytes: u64) -> Self {
95 Self { read, bytes_read: 0, total_bytes }
98 pub fn bytes_remain(&mut self) -> bool {
99 self.bytes_read != self.total_bytes
102 pub fn eat_remaining(&mut self) -> Result<(), DecodeError> {
103 ::std::io::copy(self, &mut ::std::io::sink()).unwrap();
104 if self.bytes_read != self.total_bytes {
105 Err(DecodeError::ShortRead)
111 impl<R: Read> Read for FixedLengthReader<R> {
112 fn read(&mut self, dest: &mut [u8]) -> Result<usize, ::std::io::Error> {
113 if self.total_bytes == self.bytes_read {
116 let read_len = cmp::min(dest.len() as u64, self.total_bytes - self.bytes_read);
117 match self.read.read(&mut dest[0..(read_len as usize)]) {
119 self.bytes_read += v as u64;
128 /// A Read which tracks whether any bytes have been read at all. This allows us to distinguish
129 /// between "EOF reached before we started" and "EOF reached mid-read".
130 pub(crate) struct ReadTrackingReader<R: Read> {
134 impl<R: Read> ReadTrackingReader<R> {
135 pub fn new(read: R) -> Self {
136 Self { read, have_read: false }
139 impl<R: Read> Read for ReadTrackingReader<R> {
140 fn read(&mut self, dest: &mut [u8]) -> Result<usize, ::std::io::Error> {
141 match self.read.read(dest) {
144 self.have_read = true;
152 /// A trait that various rust-lightning types implement allowing them to be written out to a Writer
153 pub trait Writeable {
154 /// Writes self out to the given Writer
155 fn write<W: Writer>(&self, writer: &mut W) -> Result<(), ::std::io::Error>;
157 /// Writes self out to a Vec<u8>
158 fn encode(&self) -> Vec<u8> {
159 let mut msg = VecWriter(Vec::new());
160 self.write(&mut msg).unwrap();
164 /// Writes self out to a Vec<u8>
165 fn encode_with_len(&self) -> Vec<u8> {
166 let mut msg = VecWriter(Vec::new());
167 0u16.write(&mut msg).unwrap();
168 self.write(&mut msg).unwrap();
169 let len = msg.0.len();
170 msg.0[..2].copy_from_slice(&byte_utils::be16_to_array(len as u16 - 2));
175 impl<'a, T: Writeable> Writeable for &'a T {
176 fn write<W: Writer>(&self, writer: &mut W) -> Result<(), ::std::io::Error> { (*self).write(writer) }
179 /// A trait that various rust-lightning types implement allowing them to be read in from a Read
183 /// Reads a Self in from the given Read
184 fn read<R: Read>(reader: &mut R) -> Result<Self, DecodeError>;
187 /// A trait that various higher-level rust-lightning types implement allowing them to be read in
188 /// from a Read given some additional set of arguments which is required to deserialize.
189 pub trait ReadableArgs<P>
192 /// Reads a Self in from the given Read
193 fn read<R: Read>(reader: &mut R, params: P) -> Result<Self, DecodeError>;
196 /// A trait that various rust-lightning types implement allowing them to (maybe) be read in from a Read
197 pub trait MaybeReadable
200 /// Reads a Self in from the given Read
201 fn read<R: Read>(reader: &mut R) -> Result<Option<Self>, DecodeError>;
204 pub(crate) struct U48(pub u64);
205 impl Writeable for U48 {
207 fn write<W: Writer>(&self, writer: &mut W) -> Result<(), ::std::io::Error> {
208 writer.write_all(&be48_to_array(self.0))
211 impl Readable for U48 {
213 fn read<R: Read>(reader: &mut R) -> Result<U48, DecodeError> {
214 let mut buf = [0; 6];
215 reader.read_exact(&mut buf)?;
216 Ok(U48(slice_to_be48(&buf)))
220 /// Lightning TLV uses a custom variable-length integer called BigSize. It is similar to Bitcoin's
221 /// variable-length integers except that it is serialized in big-endian instead of little-endian.
223 /// Like Bitcoin's variable-length integer, it exhibits ambiguity in that certain values can be
224 /// encoded in several different ways, which we must check for at deserialization-time. Thus, if
225 /// you're looking for an example of a variable-length integer to use for your own project, move
226 /// along, this is a rather poor design.
227 pub(crate) struct BigSize(pub u64);
228 impl Writeable for BigSize {
230 fn write<W: Writer>(&self, writer: &mut W) -> Result<(), ::std::io::Error> {
233 (self.0 as u8).write(writer)
236 0xFDu8.write(writer)?;
237 (self.0 as u16).write(writer)
239 0x10000...0xFFFFFFFF => {
240 0xFEu8.write(writer)?;
241 (self.0 as u32).write(writer)
244 0xFFu8.write(writer)?;
245 (self.0 as u64).write(writer)
250 impl Readable for BigSize {
252 fn read<R: Read>(reader: &mut R) -> Result<BigSize, DecodeError> {
253 let n: u8 = Readable::read(reader)?;
256 let x: u64 = Readable::read(reader)?;
258 Err(DecodeError::InvalidValue)
264 let x: u32 = Readable::read(reader)?;
266 Err(DecodeError::InvalidValue)
268 Ok(BigSize(x as u64))
272 let x: u16 = Readable::read(reader)?;
274 Err(DecodeError::InvalidValue)
276 Ok(BigSize(x as u64))
279 n => Ok(BigSize(n as u64))
284 /// In TLV we occasionally send fields which only consist of, or potentially end with, a
285 /// variable-length integer which is simply truncated by skipping high zero bytes. This type
286 /// encapsulates such integers implementing Readable/Writeable for them.
287 #[cfg_attr(test, derive(PartialEq, Debug))]
288 pub(crate) struct HighZeroBytesDroppedVarInt<T>(pub T);
290 macro_rules! impl_writeable_primitive {
291 ($val_type:ty, $meth_write:ident, $len: expr, $meth_read:ident) => {
292 impl Writeable for $val_type {
294 fn write<W: Writer>(&self, writer: &mut W) -> Result<(), ::std::io::Error> {
295 writer.write_all(&$meth_write(*self))
298 impl Writeable for HighZeroBytesDroppedVarInt<$val_type> {
300 fn write<W: Writer>(&self, writer: &mut W) -> Result<(), ::std::io::Error> {
301 // Skip any full leading 0 bytes when writing (in BE):
302 writer.write_all(&$meth_write(self.0)[(self.0.leading_zeros()/8) as usize..$len])
305 impl Readable for $val_type {
307 fn read<R: Read>(reader: &mut R) -> Result<$val_type, DecodeError> {
308 let mut buf = [0; $len];
309 reader.read_exact(&mut buf)?;
313 impl Readable for HighZeroBytesDroppedVarInt<$val_type> {
315 fn read<R: Read>(reader: &mut R) -> Result<HighZeroBytesDroppedVarInt<$val_type>, DecodeError> {
316 // We need to accept short reads (read_len == 0) as "EOF" and handle them as simply
317 // the high bytes being dropped. To do so, we start reading into the middle of buf
318 // and then convert the appropriate number of bytes with extra high bytes out of
320 let mut buf = [0; $len*2];
321 let mut read_len = reader.read(&mut buf[$len..])?;
322 let mut total_read_len = read_len;
323 while read_len != 0 && total_read_len != $len {
324 read_len = reader.read(&mut buf[($len + total_read_len)..])?;
325 total_read_len += read_len;
327 if total_read_len == 0 || buf[$len] != 0 {
328 let first_byte = $len - ($len - total_read_len);
329 Ok(HighZeroBytesDroppedVarInt($meth_read(&buf[first_byte..first_byte + $len])))
331 // If the encoding had extra zero bytes, return a failure even though we know
332 // what they meant (as the TLV test vectors require this)
333 Err(DecodeError::InvalidValue)
340 impl_writeable_primitive!(u64, be64_to_array, 8, slice_to_be64);
341 impl_writeable_primitive!(u32, be32_to_array, 4, slice_to_be32);
342 impl_writeable_primitive!(u16, be16_to_array, 2, slice_to_be16);
344 impl Writeable for u8 {
346 fn write<W: Writer>(&self, writer: &mut W) -> Result<(), ::std::io::Error> {
347 writer.write_all(&[*self])
350 impl Readable for u8 {
352 fn read<R: Read>(reader: &mut R) -> Result<u8, DecodeError> {
353 let mut buf = [0; 1];
354 reader.read_exact(&mut buf)?;
359 impl Writeable for bool {
361 fn write<W: Writer>(&self, writer: &mut W) -> Result<(), ::std::io::Error> {
362 writer.write_all(&[if *self {1} else {0}])
365 impl Readable for bool {
367 fn read<R: Read>(reader: &mut R) -> Result<bool, DecodeError> {
368 let mut buf = [0; 1];
369 reader.read_exact(&mut buf)?;
370 if buf[0] != 0 && buf[0] != 1 {
371 return Err(DecodeError::InvalidValue);
378 macro_rules! impl_array {
380 impl Writeable for [u8; $size]
383 fn write<W: Writer>(&self, w: &mut W) -> Result<(), ::std::io::Error> {
388 impl Readable for [u8; $size]
391 fn read<R: Read>(r: &mut R) -> Result<Self, DecodeError> {
392 let mut buf = [0u8; $size];
393 r.read_exact(&mut buf)?;
400 //TODO: performance issue with [u8; size] with impl_array!()
401 impl_array!(3); // for rgb
402 impl_array!(4); // for IPv4
403 impl_array!(10); // for OnionV2
404 impl_array!(16); // for IPv6
405 impl_array!(32); // for channel id & hmac
406 impl_array!(33); // for PublicKey
407 impl_array!(64); // for Signature
408 impl_array!(1300); // for OnionPacket.hop_data
411 impl<K, V> Writeable for HashMap<K, V>
412 where K: Writeable + Eq + Hash,
416 fn write<W: Writer>(&self, w: &mut W) -> Result<(), ::std::io::Error> {
417 (self.len() as u16).write(w)?;
418 for (key, value) in self.iter() {
426 impl<K, V> Readable for HashMap<K, V>
427 where K: Readable + Eq + Hash,
431 fn read<R: Read>(r: &mut R) -> Result<Self, DecodeError> {
432 let len: u16 = Readable::read(r)?;
433 let mut ret = HashMap::with_capacity(len as usize);
435 ret.insert(K::read(r)?, V::read(r)?);
442 impl Writeable for Vec<u8> {
444 fn write<W: Writer>(&self, w: &mut W) -> Result<(), ::std::io::Error> {
445 (self.len() as u16).write(w)?;
450 impl Readable for Vec<u8> {
452 fn read<R: Read>(r: &mut R) -> Result<Self, DecodeError> {
453 let len: u16 = Readable::read(r)?;
454 let mut ret = Vec::with_capacity(len as usize);
455 ret.resize(len as usize, 0);
456 r.read_exact(&mut ret)?;
460 impl Writeable for Vec<Signature> {
462 fn write<W: Writer>(&self, w: &mut W) -> Result<(), ::std::io::Error> {
463 (self.len() as u16).write(w)?;
464 for e in self.iter() {
471 impl Readable for Vec<Signature> {
473 fn read<R: Read>(r: &mut R) -> Result<Self, DecodeError> {
474 let len: u16 = Readable::read(r)?;
475 let byte_size = (len as usize)
477 .ok_or(DecodeError::BadLengthDescriptor)?;
478 if byte_size > MAX_BUF_SIZE {
479 return Err(DecodeError::BadLengthDescriptor);
481 let mut ret = Vec::with_capacity(len as usize);
482 for _ in 0..len { ret.push(Signature::read(r)?); }
487 impl Writeable for Script {
488 fn write<W: Writer>(&self, w: &mut W) -> Result<(), ::std::io::Error> {
489 (self.len() as u16).write(w)?;
490 w.write_all(self.as_bytes())
494 impl Readable for Script {
495 fn read<R: Read>(r: &mut R) -> Result<Self, DecodeError> {
496 let len = <u16 as Readable>::read(r)? as usize;
497 let mut buf = vec![0; len];
498 r.read_exact(&mut buf)?;
499 Ok(Script::from(buf))
503 impl Writeable for PublicKey {
504 fn write<W: Writer>(&self, w: &mut W) -> Result<(), ::std::io::Error> {
505 self.serialize().write(w)
509 impl Readable for PublicKey {
510 fn read<R: Read>(r: &mut R) -> Result<Self, DecodeError> {
511 let buf: [u8; 33] = Readable::read(r)?;
512 match PublicKey::from_slice(&buf) {
514 Err(_) => return Err(DecodeError::InvalidValue),
519 impl Writeable for SecretKey {
520 fn write<W: Writer>(&self, w: &mut W) -> Result<(), ::std::io::Error> {
521 let mut ser = [0; 32];
522 ser.copy_from_slice(&self[..]);
527 impl Readable for SecretKey {
528 fn read<R: Read>(r: &mut R) -> Result<Self, DecodeError> {
529 let buf: [u8; 32] = Readable::read(r)?;
530 match SecretKey::from_slice(&buf) {
532 Err(_) => return Err(DecodeError::InvalidValue),
537 impl Writeable for Sha256dHash {
538 fn write<W: Writer>(&self, w: &mut W) -> Result<(), ::std::io::Error> {
539 w.write_all(&self[..])
543 impl Readable for Sha256dHash {
544 fn read<R: Read>(r: &mut R) -> Result<Self, DecodeError> {
545 use bitcoin::hashes::Hash;
547 let buf: [u8; 32] = Readable::read(r)?;
548 Ok(Sha256dHash::from_slice(&buf[..]).unwrap())
552 impl Writeable for Signature {
553 fn write<W: Writer>(&self, w: &mut W) -> Result<(), ::std::io::Error> {
554 self.serialize_compact().write(w)
558 impl Readable for Signature {
559 fn read<R: Read>(r: &mut R) -> Result<Self, DecodeError> {
560 let buf: [u8; 64] = Readable::read(r)?;
561 match Signature::from_compact(&buf) {
563 Err(_) => return Err(DecodeError::InvalidValue),
568 impl Writeable for PaymentPreimage {
569 fn write<W: Writer>(&self, w: &mut W) -> Result<(), ::std::io::Error> {
574 impl Readable for PaymentPreimage {
575 fn read<R: Read>(r: &mut R) -> Result<Self, DecodeError> {
576 let buf: [u8; 32] = Readable::read(r)?;
577 Ok(PaymentPreimage(buf))
581 impl Writeable for PaymentHash {
582 fn write<W: Writer>(&self, w: &mut W) -> Result<(), ::std::io::Error> {
587 impl Readable for PaymentHash {
588 fn read<R: Read>(r: &mut R) -> Result<Self, DecodeError> {
589 let buf: [u8; 32] = Readable::read(r)?;
594 impl Writeable for PaymentSecret {
595 fn write<W: Writer>(&self, w: &mut W) -> Result<(), ::std::io::Error> {
600 impl Readable for PaymentSecret {
601 fn read<R: Read>(r: &mut R) -> Result<Self, DecodeError> {
602 let buf: [u8; 32] = Readable::read(r)?;
603 Ok(PaymentSecret(buf))
607 impl<T: Writeable> Writeable for Option<T> {
608 fn write<W: Writer>(&self, w: &mut W) -> Result<(), ::std::io::Error> {
610 None => 0u8.write(w)?,
612 let mut len_calc = LengthCalculatingWriter(0);
613 data.write(&mut len_calc).expect("No in-memory data may fail to serialize");
614 BigSize(len_calc.0 as u64 + 1).write(w)?;
622 impl<T: Readable> Readable for Option<T>
624 fn read<R: Read>(r: &mut R) -> Result<Self, DecodeError> {
625 match BigSize::read(r)?.0 {
628 let mut reader = FixedLengthReader::new(r, len - 1);
629 Ok(Some(Readable::read(&mut reader)?))
635 impl Writeable for Txid {
636 fn write<W: Writer>(&self, w: &mut W) -> Result<(), ::std::io::Error> {
637 w.write_all(&self[..])
641 impl Readable for Txid {
642 fn read<R: Read>(r: &mut R) -> Result<Self, DecodeError> {
643 use bitcoin::hashes::Hash;
645 let buf: [u8; 32] = Readable::read(r)?;
646 Ok(Txid::from_slice(&buf[..]).unwrap())
650 impl Writeable for BlockHash {
651 fn write<W: Writer>(&self, w: &mut W) -> Result<(), ::std::io::Error> {
652 w.write_all(&self[..])
656 impl Readable for BlockHash {
657 fn read<R: Read>(r: &mut R) -> Result<Self, DecodeError> {
658 use bitcoin::hashes::Hash;
660 let buf: [u8; 32] = Readable::read(r)?;
661 Ok(BlockHash::from_slice(&buf[..]).unwrap())
665 impl Writeable for OutPoint {
666 fn write<W: Writer>(&self, w: &mut W) -> Result<(), ::std::io::Error> {
673 impl Readable for OutPoint {
674 fn read<R: Read>(r: &mut R) -> Result<Self, DecodeError> {
675 let txid = Readable::read(r)?;
676 let vout = Readable::read(r)?;
684 macro_rules! impl_consensus_ser {
685 ($bitcoin_type: ty) => {
686 impl Writeable for $bitcoin_type {
687 fn write<W: Writer>(&self, writer: &mut W) -> Result<(), ::std::io::Error> {
688 match self.consensus_encode(WriterWriteAdaptor(writer)) {
690 Err(consensus::encode::Error::Io(e)) => Err(e),
691 Err(_) => panic!("We shouldn't get a consensus::encode::Error unless our Write generated an std::io::Error"),
696 impl Readable for $bitcoin_type {
697 fn read<R: Read>(r: &mut R) -> Result<Self, DecodeError> {
698 match consensus::encode::Decodable::consensus_decode(r) {
700 Err(consensus::encode::Error::Io(ref e)) if e.kind() == ::std::io::ErrorKind::UnexpectedEof => Err(DecodeError::ShortRead),
701 Err(consensus::encode::Error::Io(e)) => Err(DecodeError::Io(e)),
702 Err(_) => Err(DecodeError::InvalidValue),
708 impl_consensus_ser!(Transaction);
709 impl_consensus_ser!(TxOut);
711 impl<T: Readable> Readable for Mutex<T> {
712 fn read<R: Read>(r: &mut R) -> Result<Self, DecodeError> {
713 let t: T = Readable::read(r)?;
717 impl<T: Writeable> Writeable for Mutex<T> {
718 fn write<W: Writer>(&self, w: &mut W) -> Result<(), ::std::io::Error> {
719 self.lock().unwrap().write(w)
723 impl<A: Readable, B: Readable> Readable for (A, B) {
724 fn read<R: Read>(r: &mut R) -> Result<Self, DecodeError> {
725 let a: A = Readable::read(r)?;
726 let b: B = Readable::read(r)?;
730 impl<A: Writeable, B: Writeable> Writeable for (A, B) {
731 fn write<W: Writer>(&self, w: &mut W) -> Result<(), ::std::io::Error> {