bff177b19091b47b6b7f2184e1e826240d63a838
[rust-lightning] / fuzz / src / router.rs
1 // This file is Copyright its original authors, visible in version control
2 // history.
3 //
4 // This file is licensed under the Apache License, Version 2.0 <LICENSE-APACHE
5 // or http://www.apache.org/licenses/LICENSE-2.0> or the MIT license
6 // <LICENSE-MIT or http://opensource.org/licenses/MIT>, at your option.
7 // You may not use this file except in accordance with one or both of these
8 // licenses.
9
10 use bitcoin::blockdata::script::Builder;
11 use bitcoin::blockdata::transaction::TxOut;
12 use bitcoin::hash_types::BlockHash;
13
14 use lightning::chain;
15 use lightning::chain::transaction::OutPoint;
16 use lightning::ln::channelmanager::{ChannelDetails, ChannelCounterparty};
17 use lightning::ln::features::InitFeatures;
18 use lightning::ln::msgs;
19 use lightning::routing::router::{find_route, PaymentParameters, RouteHint, RouteHintHop, RouteParameters};
20 use lightning::routing::scoring::FixedPenaltyScorer;
21 use lightning::util::logger::Logger;
22 use lightning::util::ser::Readable;
23 use lightning::routing::network_graph::{NetworkGraph, RoutingFees};
24
25 use bitcoin::hashes::Hash;
26 use bitcoin::secp256k1::key::PublicKey;
27 use bitcoin::network::constants::Network;
28 use bitcoin::blockdata::constants::genesis_block;
29
30 use utils::test_logger;
31
32 use std::collections::HashSet;
33 use std::sync::Arc;
34 use std::sync::atomic::{AtomicUsize, Ordering};
35
36 #[inline]
37 pub fn slice_to_be16(v: &[u8]) -> u16 {
38         ((v[0] as u16) << 8*1) |
39         ((v[1] as u16) << 8*0)
40 }
41
42 #[inline]
43 pub fn slice_to_be32(v: &[u8]) -> u32 {
44         ((v[0] as u32) << 8*3) |
45         ((v[1] as u32) << 8*2) |
46         ((v[2] as u32) << 8*1) |
47         ((v[3] as u32) << 8*0)
48 }
49
50 #[inline]
51 pub fn slice_to_be64(v: &[u8]) -> u64 {
52         ((v[0] as u64) << 8*7) |
53         ((v[1] as u64) << 8*6) |
54         ((v[2] as u64) << 8*5) |
55         ((v[3] as u64) << 8*4) |
56         ((v[4] as u64) << 8*3) |
57         ((v[5] as u64) << 8*2) |
58         ((v[6] as u64) << 8*1) |
59         ((v[7] as u64) << 8*0)
60 }
61
62
63 struct InputData {
64         data: Vec<u8>,
65         read_pos: AtomicUsize,
66 }
67 impl InputData {
68         fn get_slice(&self, len: usize) -> Option<&[u8]> {
69                 let old_pos = self.read_pos.fetch_add(len, Ordering::AcqRel);
70                 if self.data.len() < old_pos + len {
71                         return None;
72                 }
73                 Some(&self.data[old_pos..old_pos + len])
74         }
75         fn get_slice_nonadvancing(&self, len: usize) -> Option<&[u8]> {
76                 let old_pos = self.read_pos.load(Ordering::Acquire);
77                 if self.data.len() < old_pos + len {
78                         return None;
79                 }
80                 Some(&self.data[old_pos..old_pos + len])
81         }
82 }
83
84 struct FuzzChainSource {
85         input: Arc<InputData>,
86 }
87 impl chain::Access for FuzzChainSource {
88         fn get_utxo(&self, _genesis_hash: &BlockHash, _short_channel_id: u64) -> Result<TxOut, chain::AccessError> {
89                 match self.input.get_slice(2) {
90                         Some(&[0, _]) => Err(chain::AccessError::UnknownChain),
91                         Some(&[1, _]) => Err(chain::AccessError::UnknownTx),
92                         Some(&[_, x]) => Ok(TxOut { value: 0, script_pubkey: Builder::new().push_int(x as i64).into_script().to_v0_p2wsh() }),
93                         None => Err(chain::AccessError::UnknownTx),
94                         _ => unreachable!(),
95                 }
96         }
97 }
98
99 #[inline]
100 pub fn do_test<Out: test_logger::Output>(data: &[u8], out: Out) {
101         let input = Arc::new(InputData {
102                 data: data.to_vec(),
103                 read_pos: AtomicUsize::new(0),
104         });
105         macro_rules! get_slice_nonadvancing {
106                 ($len: expr) => {
107                         match input.get_slice_nonadvancing($len as usize) {
108                                 Some(slice) => slice,
109                                 None => return,
110                         }
111                 }
112         }
113         macro_rules! get_slice {
114                 ($len: expr) => {
115                         match input.get_slice($len as usize) {
116                                 Some(slice) => slice,
117                                 None => return,
118                         }
119                 }
120         }
121
122         macro_rules! decode_msg {
123                 ($MsgType: path, $len: expr) => {{
124                         let mut reader = ::std::io::Cursor::new(get_slice!($len));
125                         match <$MsgType>::read(&mut reader) {
126                                 Ok(msg) => {
127                                         assert_eq!(reader.position(), $len as u64);
128                                         msg
129                                 },
130                                 Err(e) => match e {
131                                         msgs::DecodeError::UnknownVersion => return,
132                                         msgs::DecodeError::UnknownRequiredFeature => return,
133                                         msgs::DecodeError::InvalidValue => return,
134                                         msgs::DecodeError::BadLengthDescriptor => return,
135                                         msgs::DecodeError::ShortRead => panic!("We picked the length..."),
136                                         msgs::DecodeError::Io(e) => panic!("{:?}", e),
137                                         msgs::DecodeError::UnsupportedCompression => return,
138                                 }
139                         }
140                 }}
141         }
142
143         macro_rules! decode_msg_with_len16 {
144                 ($MsgType: path, $excess: expr) => {
145                         {
146                                 let extra_len = slice_to_be16(get_slice_nonadvancing!(2));
147                                 decode_msg!($MsgType, 2 + (extra_len as usize) + $excess)
148                         }
149                 }
150         }
151
152         macro_rules! get_pubkey {
153                 () => {
154                         match PublicKey::from_slice(get_slice!(33)) {
155                                 Ok(key) => key,
156                                 Err(_) => return,
157                         }
158                 }
159         }
160
161         let logger: Arc<dyn Logger> = Arc::new(test_logger::TestLogger::new("".to_owned(), out));
162
163         let our_pubkey = get_pubkey!();
164         let net_graph = NetworkGraph::new(genesis_block(Network::Bitcoin).header.block_hash());
165
166         let mut node_pks = HashSet::new();
167         let mut scid = 42;
168
169         loop {
170                 match get_slice!(1)[0] {
171                         0 => {
172                                 let start_len = slice_to_be16(&get_slice_nonadvancing!(2)[0..2]) as usize;
173                                 let addr_len = slice_to_be16(&get_slice_nonadvancing!(start_len+2 + 74)[start_len+2 + 72..start_len+2 + 74]);
174                                 if addr_len > (37+1)*4 {
175                                         return;
176                                 }
177                                 let msg = decode_msg_with_len16!(msgs::UnsignedNodeAnnouncement, 288);
178                                 node_pks.insert(msg.node_id);
179                                 let _ = net_graph.update_node_from_unsigned_announcement(&msg);
180                         },
181                         1 => {
182                                 let msg = decode_msg_with_len16!(msgs::UnsignedChannelAnnouncement, 32+8+33*4);
183                                 node_pks.insert(msg.node_id_1);
184                                 node_pks.insert(msg.node_id_2);
185                                 let _ = net_graph.update_channel_from_unsigned_announcement::<&FuzzChainSource>(&msg, &None);
186                         },
187                         2 => {
188                                 let msg = decode_msg_with_len16!(msgs::UnsignedChannelAnnouncement, 32+8+33*4);
189                                 node_pks.insert(msg.node_id_1);
190                                 node_pks.insert(msg.node_id_2);
191                                 let _ = net_graph.update_channel_from_unsigned_announcement(&msg, &Some(&FuzzChainSource { input: Arc::clone(&input) }));
192                         },
193                         3 => {
194                                 let _ = net_graph.update_channel_unsigned(&decode_msg!(msgs::UnsignedChannelUpdate, 72));
195                         },
196                         4 => {
197                                 let short_channel_id = slice_to_be64(get_slice!(8));
198                                 net_graph.close_channel_from_update(short_channel_id, false);
199                         },
200                         _ if node_pks.is_empty() => {},
201                         _ => {
202                                 let mut first_hops_vec = Vec::new();
203                                 let first_hops = match get_slice!(1)[0] {
204                                         0 => None,
205                                         count => {
206                                                 for _ in 0..count {
207                                                         scid += 1;
208                                                         let rnid = node_pks.iter().skip(slice_to_be16(get_slice!(2))as usize % node_pks.len()).next().unwrap();
209                                                         first_hops_vec.push(ChannelDetails {
210                                                                 channel_id: [0; 32],
211                                                                 counterparty: ChannelCounterparty {
212                                                                         node_id: *rnid,
213                                                                         features: InitFeatures::known(),
214                                                                         unspendable_punishment_reserve: 0,
215                                                                         forwarding_info: None,
216                                                                 },
217                                                                 funding_txo: Some(OutPoint { txid: bitcoin::Txid::from_slice(&[0; 32]).unwrap(), index: 0 }),
218                                                                 channel_type: None,
219                                                                 short_channel_id: Some(scid),
220                                                                 inbound_scid_alias: None,
221                                                                 channel_value_satoshis: slice_to_be64(get_slice!(8)),
222                                                                 user_channel_id: 0, inbound_capacity_msat: 0,
223                                                                 unspendable_punishment_reserve: None,
224                                                                 confirmations_required: None,
225                                                                 force_close_spend_delay: None,
226                                                                 is_outbound: true, is_funding_locked: true,
227                                                                 is_usable: true, is_public: true,
228                                                                 balance_msat: 0,
229                                                                 outbound_capacity_msat: 0,
230                                                         });
231                                                 }
232                                                 Some(&first_hops_vec[..])
233                                         },
234                                 };
235                                 let mut last_hops = Vec::new();
236                                 {
237                                         let count = get_slice!(1)[0];
238                                         for _ in 0..count {
239                                                 scid += 1;
240                                                 let rnid = node_pks.iter().skip(slice_to_be16(get_slice!(2))as usize % node_pks.len()).next().unwrap();
241                                                 last_hops.push(RouteHint(vec![RouteHintHop {
242                                                         src_node_id: *rnid,
243                                                         short_channel_id: scid,
244                                                         fees: RoutingFees {
245                                                                 base_msat: slice_to_be32(get_slice!(4)),
246                                                                 proportional_millionths: slice_to_be32(get_slice!(4)),
247                                                         },
248                                                         cltv_expiry_delta: slice_to_be16(get_slice!(2)),
249                                                         htlc_minimum_msat: Some(slice_to_be64(get_slice!(8))),
250                                                         htlc_maximum_msat: None,
251                                                 }]));
252                                         }
253                                 }
254                                 let scorer = FixedPenaltyScorer::with_penalty(0);
255                                 let random_seed_bytes: [u8; 32] = [get_slice!(1)[0]; 32];
256                                 for target in node_pks.iter() {
257                                         let route_params = RouteParameters {
258                                                 payment_params: PaymentParameters::from_node_id(*target).with_route_hints(last_hops.clone()),
259                                                 final_value_msat: slice_to_be64(get_slice!(8)),
260                                                 final_cltv_expiry_delta: slice_to_be32(get_slice!(4)),
261                                         };
262                                         let _ = find_route(&our_pubkey, &route_params, &net_graph,
263                                                 first_hops.map(|c| c.iter().collect::<Vec<_>>()).as_ref().map(|a| a.as_slice()),
264                                                 Arc::clone(&logger), &scorer, &random_seed_bytes);
265                                 }
266                         },
267                 }
268         }
269 }
270
271 pub fn router_test<Out: test_logger::Output>(data: &[u8], out: Out) {
272         do_test(data, out);
273 }
274
275 #[no_mangle]
276 pub extern "C" fn router_run(data: *const u8, datalen: usize) {
277         do_test(unsafe { std::slice::from_raw_parts(data, datalen) }, test_logger::DevNull {});
278 }