Fix fee_base_msat overflowing entire fee range in RouteHint
[rust-lightning] / src / ln / router.rs
1 use secp256k1::key::PublicKey;
2 use secp256k1::{Secp256k1,Message};
3
4 use bitcoin::util::hash::Sha256dHash;
5
6 use ln::channelmanager;
7 use ln::msgs::{ErrorAction,HandleError,RoutingMessageHandler,MsgEncodable,NetAddress,GlobalFeatures};
8 use ln::msgs;
9 use util::logger::Logger;
10
11 use std::cmp;
12 use std::sync::{RwLock,Arc};
13 use std::collections::{HashMap,BinaryHeap};
14 use std::collections::hash_map::Entry;
15
16 /// A hop in a route
17 #[derive(Clone)]
18 pub struct RouteHop {
19         pub pubkey: PublicKey,
20         /// The channel that should be used from the previous hop to reach this node.
21         pub short_channel_id: u64,
22         /// The fee taken on this hop. For the last hop, this should be the full value of the payment.
23         pub fee_msat: u64,
24         /// The CLTV delta added for this hop. For the last hop, this should be the full CLTV value
25         /// expected at the destination, in excess of the current block height.
26         pub cltv_expiry_delta: u32,
27 }
28
29 /// A route from us through the network to a destination
30 #[derive(Clone)]
31 pub struct Route {
32         /// The list of hops, NOT INCLUDING our own, where the last hop is the destination. Thus, this
33         /// must always be at least length one. By protocol rules, this may not currently exceed 20 in
34         /// length.
35         pub hops: Vec<RouteHop>,
36 }
37
38 struct DirectionalChannelInfo {
39         src_node_id: PublicKey,
40         last_update: u32,
41         enabled: bool,
42         cltv_expiry_delta: u16,
43         htlc_minimum_msat: u64,
44         fee_base_msat: u32,
45         fee_proportional_millionths: u32,
46 }
47
48 struct ChannelInfo {
49         features: GlobalFeatures,
50         one_to_two: DirectionalChannelInfo,
51         two_to_one: DirectionalChannelInfo,
52 }
53
54 struct NodeInfo {
55         #[cfg(feature = "non_bitcoin_chain_hash_routing")]
56         channels: Vec<(u64, Sha256dHash)>,
57         #[cfg(not(feature = "non_bitcoin_chain_hash_routing"))]
58         channels: Vec<u64>,
59
60         lowest_inbound_channel_fee_base_msat: u32,
61         lowest_inbound_channel_fee_proportional_millionths: u32,
62
63         features: GlobalFeatures,
64         last_update: u32,
65         rgb: [u8; 3],
66         alias: [u8; 32],
67         addresses: Vec<NetAddress>,
68 }
69
70 struct NetworkMap {
71         #[cfg(feature = "non_bitcoin_chain_hash_routing")]
72         channels: HashMap<(u64, Sha256dHash), ChannelInfo>,
73         #[cfg(not(feature = "non_bitcoin_chain_hash_routing"))]
74         channels: HashMap<u64, ChannelInfo>,
75
76         our_node_id: PublicKey,
77         nodes: HashMap<PublicKey, NodeInfo>,
78 }
79
80 impl NetworkMap {
81         #[cfg(feature = "non_bitcoin_chain_hash_routing")]
82         #[inline]
83         fn get_key(short_channel_id: u64, chain_hash: Sha256dHash) -> (u64, Sha256dHash) {
84                 (short_channel_id, chain_hash)
85         }
86
87         #[cfg(not(feature = "non_bitcoin_chain_hash_routing"))]
88         #[inline]
89         fn get_key(short_channel_id: u64, _: Sha256dHash) -> u64 {
90                 short_channel_id
91         }
92 }
93
94 /// A channel descriptor which provides a last-hop route to get_route
95 pub struct RouteHint {
96         pub src_node_id: PublicKey,
97         pub short_channel_id: u64,
98         pub fee_base_msat: u32,
99         pub fee_proportional_millionths: u32,
100         pub cltv_expiry_delta: u16,
101         pub htlc_minimum_msat: u64,
102 }
103
104 /// Tracks a view of the network, receiving updates from peers and generating Routes to
105 /// payment destinations.
106 pub struct Router {
107         secp_ctx: Secp256k1,
108         network_map: RwLock<NetworkMap>,
109         logger: Arc<Logger>,
110 }
111
112 macro_rules! secp_verify_sig {
113         ( $secp_ctx: expr, $msg: expr, $sig: expr, $pubkey: expr ) => {
114                 match $secp_ctx.verify($msg, $sig, $pubkey) {
115                         Ok(_) => {},
116                         Err(_) => return Err(HandleError{err: "Invalid signature from remote node", action: None}),
117                 }
118         };
119 }
120
121 impl RoutingMessageHandler for Router {
122         fn handle_node_announcement(&self, msg: &msgs::NodeAnnouncement) -> Result<(), HandleError> {
123                 let msg_hash = Message::from_slice(&Sha256dHash::from_data(&msg.contents.encode()[..])[..]).unwrap();
124                 secp_verify_sig!(self.secp_ctx, &msg_hash, &msg.signature, &msg.contents.node_id);
125
126                 let mut network = self.network_map.write().unwrap();
127                 match network.nodes.get_mut(&msg.contents.node_id) {
128                         None => Err(HandleError{err: "No existing channels for node_announcement", action: Some(ErrorAction::IgnoreError)}),
129                         Some(node) => {
130                                 if node.last_update >= msg.contents.timestamp {
131                                         return Err(HandleError{err: "Update older than last processed update", action: Some(ErrorAction::IgnoreError)});
132                                 }
133
134                                 node.features = msg.contents.features.clone();
135                                 node.last_update = msg.contents.timestamp;
136                                 node.rgb = msg.contents.rgb;
137                                 node.alias = msg.contents.alias;
138                                 node.addresses = msg.contents.addresses.clone();
139                                 Ok(())
140                         }
141                 }
142         }
143
144         fn handle_channel_announcement(&self, msg: &msgs::ChannelAnnouncement) -> Result<bool, HandleError> {
145                 let msg_hash = Message::from_slice(&Sha256dHash::from_data(&msg.contents.encode()[..])[..]).unwrap();
146                 secp_verify_sig!(self.secp_ctx, &msg_hash, &msg.node_signature_1, &msg.contents.node_id_1);
147                 secp_verify_sig!(self.secp_ctx, &msg_hash, &msg.node_signature_2, &msg.contents.node_id_2);
148                 secp_verify_sig!(self.secp_ctx, &msg_hash, &msg.bitcoin_signature_1, &msg.contents.bitcoin_key_1);
149                 secp_verify_sig!(self.secp_ctx, &msg_hash, &msg.bitcoin_signature_2, &msg.contents.bitcoin_key_2);
150
151                 //TODO: Call blockchain thing to ask if the short_channel_id is valid
152                 //TODO: Only allow bitcoin chain_hash
153
154                 if msg.contents.features.requires_unknown_bits() {
155                         return Err(HandleError{err: "Channel announcement required unknown feature flags", action: None});
156                 }
157
158                 let mut network = self.network_map.write().unwrap();
159
160                 match network.channels.entry(NetworkMap::get_key(msg.contents.short_channel_id, msg.contents.chain_hash)) {
161                         Entry::Occupied(_) => {
162                                 //TODO: because asking the blockchain if short_channel_id is valid is only optional
163                                 //in the blockchain API, we need to handle it smartly here, though its unclear
164                                 //exactly how...
165                                 return Err(HandleError{err: "Already have knowledge of channel", action: Some(ErrorAction::IgnoreError)})
166                         },
167                         Entry::Vacant(entry) => {
168                                 entry.insert(ChannelInfo {
169                                         features: msg.contents.features.clone(),
170                                         one_to_two: DirectionalChannelInfo {
171                                                 src_node_id: msg.contents.node_id_1.clone(),
172                                                 last_update: 0,
173                                                 enabled: false,
174                                                 cltv_expiry_delta: u16::max_value(),
175                                                 htlc_minimum_msat: u64::max_value(),
176                                                 fee_base_msat: u32::max_value(),
177                                                 fee_proportional_millionths: u32::max_value(),
178                                         },
179                                         two_to_one: DirectionalChannelInfo {
180                                                 src_node_id: msg.contents.node_id_2.clone(),
181                                                 last_update: 0,
182                                                 enabled: false,
183                                                 cltv_expiry_delta: u16::max_value(),
184                                                 htlc_minimum_msat: u64::max_value(),
185                                                 fee_base_msat: u32::max_value(),
186                                                 fee_proportional_millionths: u32::max_value(),
187                                         }
188                                 });
189                         }
190                 };
191
192                 macro_rules! add_channel_to_node {
193                         ( $node_id: expr ) => {
194                                 match network.nodes.entry($node_id) {
195                                         Entry::Occupied(node_entry) => {
196                                                 node_entry.into_mut().channels.push(NetworkMap::get_key(msg.contents.short_channel_id, msg.contents.chain_hash));
197                                         },
198                                         Entry::Vacant(node_entry) => {
199                                                 node_entry.insert(NodeInfo {
200                                                         channels: vec!(NetworkMap::get_key(msg.contents.short_channel_id, msg.contents.chain_hash)),
201                                                         lowest_inbound_channel_fee_base_msat: u32::max_value(),
202                                                         lowest_inbound_channel_fee_proportional_millionths: u32::max_value(),
203                                                         features: GlobalFeatures::new(),
204                                                         last_update: 0,
205                                                         rgb: [0; 3],
206                                                         alias: [0; 32],
207                                                         addresses: Vec::new(),
208                                                 });
209                                         }
210                                 }
211                         };
212                 }
213
214                 add_channel_to_node!(msg.contents.node_id_1);
215                 add_channel_to_node!(msg.contents.node_id_2);
216
217                 Ok(!msg.contents.features.supports_unknown_bits())
218         }
219
220         fn handle_htlc_fail_channel_update(&self, update: &msgs::HTLCFailChannelUpdate) {
221                 match update {
222                         &msgs::HTLCFailChannelUpdate::ChannelUpdateMessage { ref msg } => {
223                                 let _ = self.handle_channel_update(msg);
224                         },
225                         &msgs::HTLCFailChannelUpdate::ChannelClosed { ref short_channel_id } => {
226                                 let mut network = self.network_map.write().unwrap();
227                                 network.channels.remove(short_channel_id);
228                         },
229                 }
230         }
231
232         fn handle_channel_update(&self, msg: &msgs::ChannelUpdate) -> Result<(), HandleError> {
233                 let mut network = self.network_map.write().unwrap();
234                 let dest_node_id;
235                 let chan_enabled = msg.contents.flags & (1 << 1) != (1 << 1);
236                 let chan_was_enabled;
237
238                 match network.channels.get_mut(&NetworkMap::get_key(msg.contents.short_channel_id, msg.contents.chain_hash)) {
239                         None => return Err(HandleError{err: "Couldn't find channel for update", action: Some(ErrorAction::IgnoreError)}),
240                         Some(channel) => {
241                                 macro_rules! maybe_update_channel_info {
242                                         ( $target: expr) => {
243                                                 if $target.last_update >= msg.contents.timestamp {
244                                                         return Err(HandleError{err: "Update older than last processed update", action: Some(ErrorAction::IgnoreError)});
245                                                 }
246                                                 chan_was_enabled = $target.enabled;
247                                                 $target.last_update = msg.contents.timestamp;
248                                                 $target.enabled = chan_enabled;
249                                                 $target.cltv_expiry_delta = msg.contents.cltv_expiry_delta;
250                                                 $target.htlc_minimum_msat = msg.contents.htlc_minimum_msat;
251                                                 $target.fee_base_msat = msg.contents.fee_base_msat;
252                                                 $target.fee_proportional_millionths = msg.contents.fee_proportional_millionths;
253                                         }
254                                 }
255
256                                 let msg_hash = Message::from_slice(&Sha256dHash::from_data(&msg.contents.encode()[..])[..]).unwrap();
257                                 if msg.contents.flags & 1 == 1 {
258                                         dest_node_id = channel.one_to_two.src_node_id.clone();
259                                         secp_verify_sig!(self.secp_ctx, &msg_hash, &msg.signature, &channel.two_to_one.src_node_id);
260                                         maybe_update_channel_info!(channel.two_to_one);
261                                 } else {
262                                         dest_node_id = channel.two_to_one.src_node_id.clone();
263                                         secp_verify_sig!(self.secp_ctx, &msg_hash, &msg.signature, &channel.one_to_two.src_node_id);
264                                         maybe_update_channel_info!(channel.one_to_two);
265                                 }
266                         }
267                 }
268
269                 if chan_enabled {
270                         let node = network.nodes.get_mut(&dest_node_id).unwrap();
271                         node.lowest_inbound_channel_fee_base_msat = cmp::min(node.lowest_inbound_channel_fee_base_msat, msg.contents.fee_base_msat);
272                         node.lowest_inbound_channel_fee_proportional_millionths = cmp::min(node.lowest_inbound_channel_fee_proportional_millionths, msg.contents.fee_proportional_millionths);
273                 } else if chan_was_enabled {
274                         let mut lowest_inbound_channel_fee_base_msat = u32::max_value();
275                         let mut lowest_inbound_channel_fee_proportional_millionths = u32::max_value();
276
277                         {
278                                 let node = network.nodes.get(&dest_node_id).unwrap();
279
280                                 for chan_id in node.channels.iter() {
281                                         let chan = network.channels.get(chan_id).unwrap();
282                                         if chan.one_to_two.src_node_id == dest_node_id {
283                                                 lowest_inbound_channel_fee_base_msat = cmp::min(lowest_inbound_channel_fee_base_msat, chan.two_to_one.fee_base_msat);
284                                                 lowest_inbound_channel_fee_proportional_millionths = cmp::min(lowest_inbound_channel_fee_proportional_millionths, chan.two_to_one.fee_proportional_millionths);
285                                         } else {
286                                                 lowest_inbound_channel_fee_base_msat = cmp::min(lowest_inbound_channel_fee_base_msat, chan.one_to_two.fee_base_msat);
287                                                 lowest_inbound_channel_fee_proportional_millionths = cmp::min(lowest_inbound_channel_fee_proportional_millionths, chan.one_to_two.fee_proportional_millionths);
288                                         }
289                                 }
290                         }
291
292                         //TODO: satisfy the borrow-checker without a double-map-lookup :(
293                         let mut_node = network.nodes.get_mut(&dest_node_id).unwrap();
294                         mut_node.lowest_inbound_channel_fee_base_msat = lowest_inbound_channel_fee_base_msat;
295                         mut_node.lowest_inbound_channel_fee_proportional_millionths = lowest_inbound_channel_fee_proportional_millionths;
296                 }
297
298                 Ok(())
299         }
300 }
301
302 #[derive(Eq, PartialEq)]
303 struct RouteGraphNode {
304         pubkey: PublicKey,
305         lowest_fee_to_peer_through_node: u64,
306         lowest_fee_to_node: u64,
307 }
308
309 impl cmp::Ord for RouteGraphNode {
310         fn cmp(&self, other: &RouteGraphNode) -> cmp::Ordering {
311                 other.lowest_fee_to_peer_through_node.cmp(&self.lowest_fee_to_peer_through_node)
312                         .then_with(|| other.pubkey.serialize().cmp(&self.pubkey.serialize()))
313         }
314 }
315
316 impl cmp::PartialOrd for RouteGraphNode {
317         fn partial_cmp(&self, other: &RouteGraphNode) -> Option<cmp::Ordering> {
318                 Some(self.cmp(other))
319         }
320 }
321
322 struct DummyDirectionalChannelInfo {
323         src_node_id: PublicKey,
324         cltv_expiry_delta: u32,
325         htlc_minimum_msat: u64,
326         fee_base_msat: u32,
327         fee_proportional_millionths: u32,
328 }
329
330 impl Router {
331         pub fn new(our_pubkey: PublicKey, logger: Arc<Logger>) -> Router {
332                 let mut nodes = HashMap::new();
333                 nodes.insert(our_pubkey.clone(), NodeInfo {
334                         channels: Vec::new(),
335                         lowest_inbound_channel_fee_base_msat: u32::max_value(),
336                         lowest_inbound_channel_fee_proportional_millionths: u32::max_value(),
337                         features: GlobalFeatures::new(),
338                         last_update: 0,
339                         rgb: [0; 3],
340                         alias: [0; 32],
341                         addresses: Vec::new(),
342                 });
343                 Router {
344                         secp_ctx: Secp256k1::new(),
345                         network_map: RwLock::new(NetworkMap {
346                                 channels: HashMap::new(),
347                                 our_node_id: our_pubkey,
348                                 nodes: nodes,
349                         }),
350                         logger,
351                 }
352         }
353
354         /// Get network addresses by node id
355         pub fn get_addresses(&self, pubkey: &PublicKey) -> Option<Vec<NetAddress>> {
356                 let network = self.network_map.read().unwrap();
357                 network.nodes.get(pubkey).map(|n| n.addresses.clone())
358         }
359
360         /// Marks a node as having failed a route. This will avoid re-using the node in routes for now,
361         /// with an expotnential decay in node "badness". Note that there is deliberately no
362         /// mark_channel_bad as a node may simply lie and suggest that an upstream channel from it is
363         /// what failed the route and not the node itself. Instead, setting the blamed_upstream_node
364         /// boolean will reduce the penalty, returning the node to usability faster. If the node is
365         /// behaving correctly, it will disable the failing channel and we will use it again next time.
366         pub fn mark_node_bad(&self, _node_id: &PublicKey, _blamed_upstream_node: bool) {
367                 unimplemented!();
368         }
369
370         /// Gets a route from us to the given target node.
371         /// Extra routing hops between known nodes and the target will be used if they are included in
372         /// last_hops.
373         /// If some channels aren't announced, it may be useful to fill in a first_hops with the
374         /// results from a local ChannelManager::list_usable_channels() call. If it is filled in, our
375         /// (this Router's) view of our local channels will be ignored, and only those in first_hops
376         /// will be used. Panics if first_hops contains channels without short_channel_ids
377         /// (ChannelManager::list_usable_channels will never include such channels).
378         /// The fees on channels from us to next-hops are ignored (as they are assumed to all be
379         /// equal), however the enabled/disabled bit on such channels as well as the htlc_minimum_msat
380         /// *is* checked as they may change based on the receiving node.
381         pub fn get_route(&self, target: &PublicKey, first_hops: Option<&[channelmanager::ChannelDetails]>, last_hops: &[RouteHint], final_value_msat: u64, final_cltv: u32) -> Result<Route, HandleError> {
382                 // TODO: Obviously *only* using total fee cost sucks. We should consider weighting by
383                 // uptime/success in using a node in the past.
384                 let network = self.network_map.read().unwrap();
385
386                 if *target == network.our_node_id {
387                         return Err(HandleError{err: "Cannot generate a route to ourselves", action: None});
388                 }
389
390                 if final_value_msat > 21_000_000 * 1_0000_0000 * 1000 {
391                         return Err(HandleError{err: "Cannot generate a route of more value than all existing satoshis", action: None});
392                 }
393
394                 // We do a dest-to-source Dijkstra's sorting by each node's distance from the destination
395                 // plus the minimum per-HTLC fee to get from it to another node (aka "shitty A*").
396                 // TODO: There are a few tweaks we could do, including possibly pre-calculating more stuff
397                 // to use as the A* heuristic beyond just the cost to get one node further than the current
398                 // one.
399
400                 let dummy_directional_info = DummyDirectionalChannelInfo { // used for first_hops routes
401                         src_node_id: network.our_node_id.clone(),
402                         cltv_expiry_delta: 0,
403                         htlc_minimum_msat: 0,
404                         fee_base_msat: 0,
405                         fee_proportional_millionths: 0,
406                 };
407
408                 let mut targets = BinaryHeap::new(); //TODO: Do we care about switching to eg Fibbonaci heap?
409                 let mut dist = HashMap::with_capacity(network.nodes.len());
410
411                 let mut first_hop_targets = HashMap::with_capacity(if first_hops.is_some() { first_hops.as_ref().unwrap().len() } else { 0 });
412                 if let Some(hops) = first_hops {
413                         for chan in hops {
414                                 let short_channel_id = chan.short_channel_id.expect("first_hops should be filled in with usable channels, not pending ones");
415                                 if chan.remote_network_id == *target {
416                                         return Ok(Route {
417                                                 hops: vec![RouteHop {
418                                                         pubkey: chan.remote_network_id,
419                                                         short_channel_id,
420                                                         fee_msat: final_value_msat,
421                                                         cltv_expiry_delta: final_cltv,
422                                                 }],
423                                         });
424                                 }
425                                 first_hop_targets.insert(chan.remote_network_id, short_channel_id);
426                         }
427                         if first_hop_targets.is_empty() {
428                                 return Err(HandleError{err: "Cannot route when there are no outbound routes away from us", action: None});
429                         }
430                 }
431
432                 macro_rules! add_entry {
433                         // Adds entry which goes from the node pointed to by $directional_info to
434                         // $dest_node_id over the channel with id $chan_id with fees described in
435                         // $directional_info.
436                         ( $chan_id: expr, $dest_node_id: expr, $directional_info: expr, $starting_fee_msat: expr ) => {
437                                 //TODO: Explore simply adding fee to hit htlc_minimum_msat
438                                 if $starting_fee_msat as u64 + final_value_msat > $directional_info.htlc_minimum_msat {
439                                         let proportional_fee_millions = ($starting_fee_msat + final_value_msat).checked_mul($directional_info.fee_proportional_millionths as u64);
440                                         if let Some(new_fee) = proportional_fee_millions.and_then(|part| {
441                                                         ($directional_info.fee_base_msat as u64).checked_add(part / 1000000) })
442                                         {
443                                                 let mut total_fee = $starting_fee_msat as u64;
444                                                 let hm_entry = dist.entry(&$directional_info.src_node_id);
445                                                 let old_entry = hm_entry.or_insert_with(|| {
446                                                         let node = network.nodes.get(&$directional_info.src_node_id).unwrap();
447                                                         (u64::max_value(),
448                                                                 node.lowest_inbound_channel_fee_base_msat,
449                                                                 node.lowest_inbound_channel_fee_proportional_millionths,
450                                                                 RouteHop {
451                                                                         pubkey: PublicKey::new(),
452                                                                         short_channel_id: 0,
453                                                                         fee_msat: 0,
454                                                                         cltv_expiry_delta: 0,
455                                                         })
456                                                 });
457                                                 if $directional_info.src_node_id != network.our_node_id {
458                                                         // Ignore new_fee for channel-from-us as we assume all channels-from-us
459                                                         // will have the same effective-fee
460                                                         total_fee += new_fee;
461                                                         if let Some(fee_inc) = final_value_msat.checked_add(total_fee).and_then(|inc| { (old_entry.2 as u64).checked_mul(inc) }) {
462                                                                 total_fee += fee_inc / 1000000 + (old_entry.1 as u64);
463                                                         } else {
464                                                                 // max_value means we'll always fail the old_entry.0 > total_fee check
465                                                                 total_fee = u64::max_value();
466                                                         }
467                                                 }
468                                                 let new_graph_node = RouteGraphNode {
469                                                         pubkey: $directional_info.src_node_id,
470                                                         lowest_fee_to_peer_through_node: total_fee,
471                                                         lowest_fee_to_node: $starting_fee_msat as u64 + new_fee,
472                                                 };
473                                                 if old_entry.0 > total_fee {
474                                                         targets.push(new_graph_node);
475                                                         old_entry.0 = total_fee;
476                                                         old_entry.3 = RouteHop {
477                                                                 pubkey: $dest_node_id.clone(),
478                                                                 short_channel_id: $chan_id.clone(),
479                                                                 fee_msat: new_fee, // This field is ignored on the last-hop anyway
480                                                                 cltv_expiry_delta: $directional_info.cltv_expiry_delta as u32,
481                                                         }
482                                                 }
483                                         }
484                                 }
485                         };
486                 }
487
488                 macro_rules! add_entries_to_cheapest_to_target_node {
489                         ( $node: expr, $node_id: expr, $fee_to_target_msat: expr ) => {
490                                 if first_hops.is_some() {
491                                         if let Some(first_hop) = first_hop_targets.get(&$node_id) {
492                                                 add_entry!(first_hop, $node_id, dummy_directional_info, $fee_to_target_msat);
493                                         }
494                                 }
495
496                                 for chan_id in $node.channels.iter() {
497                                         let chan = network.channels.get(chan_id).unwrap();
498                                         if chan.one_to_two.src_node_id == *$node_id {
499                                                 // ie $node is one, ie next hop in A* is two, via the two_to_one channel
500                                                 if first_hops.is_none() || chan.two_to_one.src_node_id != network.our_node_id {
501                                                         if chan.two_to_one.enabled {
502                                                                 add_entry!(chan_id, chan.one_to_two.src_node_id, chan.two_to_one, $fee_to_target_msat);
503                                                         }
504                                                 }
505                                         } else {
506                                                 if first_hops.is_none() || chan.one_to_two.src_node_id != network.our_node_id {
507                                                         if chan.one_to_two.enabled {
508                                                                 add_entry!(chan_id, chan.two_to_one.src_node_id, chan.one_to_two, $fee_to_target_msat);
509                                                         }
510                                                 }
511                                         }
512                                 }
513                         };
514                 }
515
516                 match network.nodes.get(target) {
517                         None => {},
518                         Some(node) => {
519                                 add_entries_to_cheapest_to_target_node!(node, target, 0);
520                         },
521                 }
522
523                 for hop in last_hops.iter() {
524                         if first_hops.is_none() || hop.src_node_id != network.our_node_id { // first_hop overrules last_hops
525                                 if network.nodes.get(&hop.src_node_id).is_some() {
526                                         if first_hops.is_some() {
527                                                 if let Some(first_hop) = first_hop_targets.get(&hop.src_node_id) {
528                                                         add_entry!(first_hop, hop.src_node_id, dummy_directional_info, 0);
529                                                 }
530                                         }
531                                         add_entry!(hop.short_channel_id, target, hop, 0);
532                                 }
533                         }
534                 }
535
536                 while let Some(RouteGraphNode { pubkey, lowest_fee_to_node, .. }) = targets.pop() {
537                         if pubkey == network.our_node_id {
538                                 let mut res = vec!(dist.remove(&network.our_node_id).unwrap().3);
539                                 while res.last().unwrap().pubkey != *target {
540                                         let new_entry = dist.remove(&res.last().unwrap().pubkey).unwrap().3;
541                                         res.last_mut().unwrap().fee_msat = new_entry.fee_msat;
542                                         res.last_mut().unwrap().cltv_expiry_delta = new_entry.cltv_expiry_delta;
543                                         res.push(new_entry);
544                                 }
545                                 res.last_mut().unwrap().fee_msat = final_value_msat;
546                                 res.last_mut().unwrap().cltv_expiry_delta = final_cltv;
547                                 return Ok(Route {
548                                         hops: res
549                                 });
550                         }
551
552                         match network.nodes.get(&pubkey) {
553                                 None => {},
554                                 Some(node) => {
555                                         add_entries_to_cheapest_to_target_node!(node, &pubkey, lowest_fee_to_node);
556                                 },
557                         }
558                 }
559
560                 Err(HandleError{err: "Failed to find a path to the given destination", action: None})
561         }
562 }
563
564 #[cfg(test)]
565 mod tests {
566         use ln::channelmanager;
567         use ln::router::{Router,NodeInfo,NetworkMap,ChannelInfo,DirectionalChannelInfo,RouteHint};
568         use ln::msgs::GlobalFeatures;
569         use util::test_utils;
570         use util::logger::Logger;
571
572         use bitcoin::util::hash::Sha256dHash;
573
574         use hex;
575
576         use secp256k1::key::{PublicKey,SecretKey};
577         use secp256k1::Secp256k1;
578
579         use std::sync::Arc;
580
581         #[test]
582         fn route_test() {
583                 let secp_ctx = Secp256k1::new();
584                 let our_id = PublicKey::from_secret_key(&secp_ctx, &SecretKey::from_slice(&secp_ctx, &hex::decode("0101010101010101010101010101010101010101010101010101010101010101").unwrap()[..]).unwrap()).unwrap();
585                 let logger: Arc<Logger> = Arc::new(test_utils::TestLogger::new());
586                 let router = Router::new(our_id, Arc::clone(&logger));
587
588                 // Build network from our_id to node8:
589                 //
590                 //        -1(1)2-  node1  -1(3)2-
591                 //       /                       \
592                 // our_id -1(12)2- node8 -1(13)2--- node3
593                 //       \                       /
594                 //        -1(2)2-  node2  -1(4)2-
595                 //
596                 //
597                 // chan1  1-to-2: disabled
598                 // chan1  2-to-1: enabled, 0 fee
599                 //
600                 // chan2  1-to-2: enabled, ignored fee
601                 // chan2  2-to-1: enabled, 0 fee
602                 //
603                 // chan3  1-to-2: enabled, 0 fee
604                 // chan3  2-to-1: enabled, 100 msat fee
605                 //
606                 // chan4  1-to-2: enabled, 100% fee
607                 // chan4  2-to-1: enabled, 0 fee
608                 //
609                 // chan12 1-to-2: enabled, ignored fee
610                 // chan12 2-to-1: enabled, 0 fee
611                 //
612                 // chan13 1-to-2: enabled, 200% fee
613                 // chan13 2-to-1: enabled, 0 fee
614                 //
615                 //
616                 //       -1(5)2- node4 -1(8)2--
617                 //       |         2          |
618                 //       |       (11)         |
619                 //      /          1           \
620                 // node3--1(6)2- node5 -1(9)2--- node7 (not in global route map)
621                 //      \                      /
622                 //       -1(7)2- node6 -1(10)2-
623                 //
624                 // chan5  1-to-2: enabled, 100 msat fee
625                 // chan5  2-to-1: enabled, 0 fee
626                 //
627                 // chan6  1-to-2: enabled, 0 fee
628                 // chan6  2-to-1: enabled, 0 fee
629                 //
630                 // chan7  1-to-2: enabled, 100% fee
631                 // chan7  2-to-1: enabled, 0 fee
632                 //
633                 // chan8  1-to-2: enabled, variable fee (0 then 1000 msat)
634                 // chan8  2-to-1: enabled, 0 fee
635                 //
636                 // chan9  1-to-2: enabled, 1001 msat fee
637                 // chan9  2-to-1: enabled, 0 fee
638                 //
639                 // chan10 1-to-2: enabled, 0 fee
640                 // chan10 2-to-1: enabled, 0 fee
641                 //
642                 // chan11 1-to-2: enabled, 0 fee
643                 // chan11 2-to-1: enabled, 0 fee
644
645                 let node1 = PublicKey::from_secret_key(&secp_ctx, &SecretKey::from_slice(&secp_ctx, &hex::decode("0202020202020202020202020202020202020202020202020202020202020202").unwrap()[..]).unwrap()).unwrap();
646                 let node2 = PublicKey::from_secret_key(&secp_ctx, &SecretKey::from_slice(&secp_ctx, &hex::decode("0303030303030303030303030303030303030303030303030303030303030303").unwrap()[..]).unwrap()).unwrap();
647                 let node3 = PublicKey::from_secret_key(&secp_ctx, &SecretKey::from_slice(&secp_ctx, &hex::decode("0404040404040404040404040404040404040404040404040404040404040404").unwrap()[..]).unwrap()).unwrap();
648                 let node4 = PublicKey::from_secret_key(&secp_ctx, &SecretKey::from_slice(&secp_ctx, &hex::decode("0505050505050505050505050505050505050505050505050505050505050505").unwrap()[..]).unwrap()).unwrap();
649                 let node5 = PublicKey::from_secret_key(&secp_ctx, &SecretKey::from_slice(&secp_ctx, &hex::decode("0606060606060606060606060606060606060606060606060606060606060606").unwrap()[..]).unwrap()).unwrap();
650                 let node6 = PublicKey::from_secret_key(&secp_ctx, &SecretKey::from_slice(&secp_ctx, &hex::decode("0707070707070707070707070707070707070707070707070707070707070707").unwrap()[..]).unwrap()).unwrap();
651                 let node7 = PublicKey::from_secret_key(&secp_ctx, &SecretKey::from_slice(&secp_ctx, &hex::decode("0808080808080808080808080808080808080808080808080808080808080808").unwrap()[..]).unwrap()).unwrap();
652                 let node8 = PublicKey::from_secret_key(&secp_ctx, &SecretKey::from_slice(&secp_ctx, &hex::decode("0909090909090909090909090909090909090909090909090909090909090909").unwrap()[..]).unwrap()).unwrap();
653
654                 let zero_hash = Sha256dHash::from_data(&[0; 32]);
655
656                 {
657                         let mut network = router.network_map.write().unwrap();
658
659                         network.nodes.insert(node1.clone(), NodeInfo {
660                                 channels: vec!(NetworkMap::get_key(1, zero_hash.clone()), NetworkMap::get_key(3, zero_hash.clone())),
661                                 lowest_inbound_channel_fee_base_msat: 100,
662                                 lowest_inbound_channel_fee_proportional_millionths: 0,
663                                 features: GlobalFeatures::new(),
664                                 last_update: 1,
665                                 rgb: [0; 3],
666                                 alias: [0; 32],
667                                 addresses: Vec::new(),
668                         });
669                         network.channels.insert(NetworkMap::get_key(1, zero_hash.clone()), ChannelInfo {
670                                 features: GlobalFeatures::new(),
671                                 one_to_two: DirectionalChannelInfo {
672                                         src_node_id: our_id.clone(),
673                                         last_update: 0,
674                                         enabled: false,
675                                         cltv_expiry_delta: u16::max_value(), // This value should be ignored
676                                         htlc_minimum_msat: 0,
677                                         fee_base_msat: u32::max_value(), // This value should be ignored
678                                         fee_proportional_millionths: u32::max_value(), // This value should be ignored
679                                 }, two_to_one: DirectionalChannelInfo {
680                                         src_node_id: node1.clone(),
681                                         last_update: 0,
682                                         enabled: true,
683                                         cltv_expiry_delta: 0,
684                                         htlc_minimum_msat: 0,
685                                         fee_base_msat: 0,
686                                         fee_proportional_millionths: 0,
687                                 },
688                         });
689                         network.nodes.insert(node2.clone(), NodeInfo {
690                                 channels: vec!(NetworkMap::get_key(2, zero_hash.clone()), NetworkMap::get_key(4, zero_hash.clone())),
691                                 lowest_inbound_channel_fee_base_msat: 0,
692                                 lowest_inbound_channel_fee_proportional_millionths: 0,
693                                 features: GlobalFeatures::new(),
694                                 last_update: 1,
695                                 rgb: [0; 3],
696                                 alias: [0; 32],
697                                 addresses: Vec::new(),
698                         });
699                         network.channels.insert(NetworkMap::get_key(2, zero_hash.clone()), ChannelInfo {
700                                 features: GlobalFeatures::new(),
701                                 one_to_two: DirectionalChannelInfo {
702                                         src_node_id: our_id.clone(),
703                                         last_update: 0,
704                                         enabled: true,
705                                         cltv_expiry_delta: u16::max_value(), // This value should be ignored
706                                         htlc_minimum_msat: 0,
707                                         fee_base_msat: u32::max_value(), // This value should be ignored
708                                         fee_proportional_millionths: u32::max_value(), // This value should be ignored
709                                 }, two_to_one: DirectionalChannelInfo {
710                                         src_node_id: node2.clone(),
711                                         last_update: 0,
712                                         enabled: true,
713                                         cltv_expiry_delta: 0,
714                                         htlc_minimum_msat: 0,
715                                         fee_base_msat: 0,
716                                         fee_proportional_millionths: 0,
717                                 },
718                         });
719                         network.nodes.insert(node8.clone(), NodeInfo {
720                                 channels: vec!(NetworkMap::get_key(12, zero_hash.clone()), NetworkMap::get_key(13, zero_hash.clone())),
721                                 lowest_inbound_channel_fee_base_msat: 0,
722                                 lowest_inbound_channel_fee_proportional_millionths: 0,
723                                 features: GlobalFeatures::new(),
724                                 last_update: 1,
725                                 rgb: [0; 3],
726                                 alias: [0; 32],
727                                 addresses: Vec::new(),
728                         });
729                         network.channels.insert(NetworkMap::get_key(12, zero_hash.clone()), ChannelInfo {
730                                 features: GlobalFeatures::new(),
731                                 one_to_two: DirectionalChannelInfo {
732                                         src_node_id: our_id.clone(),
733                                         last_update: 0,
734                                         enabled: true,
735                                         cltv_expiry_delta: u16::max_value(), // This value should be ignored
736                                         htlc_minimum_msat: 0,
737                                         fee_base_msat: u32::max_value(), // This value should be ignored
738                                         fee_proportional_millionths: u32::max_value(), // This value should be ignored
739                                 }, two_to_one: DirectionalChannelInfo {
740                                         src_node_id: node8.clone(),
741                                         last_update: 0,
742                                         enabled: true,
743                                         cltv_expiry_delta: 0,
744                                         htlc_minimum_msat: 0,
745                                         fee_base_msat: 0,
746                                         fee_proportional_millionths: 0,
747                                 },
748                         });
749                         network.nodes.insert(node3.clone(), NodeInfo {
750                                 channels: vec!(
751                                         NetworkMap::get_key(3, zero_hash.clone()),
752                                         NetworkMap::get_key(4, zero_hash.clone()),
753                                         NetworkMap::get_key(13, zero_hash.clone()),
754                                         NetworkMap::get_key(5, zero_hash.clone()),
755                                         NetworkMap::get_key(6, zero_hash.clone()),
756                                         NetworkMap::get_key(7, zero_hash.clone())),
757                                 lowest_inbound_channel_fee_base_msat: 0,
758                                 lowest_inbound_channel_fee_proportional_millionths: 0,
759                                 features: GlobalFeatures::new(),
760                                 last_update: 1,
761                                 rgb: [0; 3],
762                                 alias: [0; 32],
763                                 addresses: Vec::new(),
764                         });
765                         network.channels.insert(NetworkMap::get_key(3, zero_hash.clone()), ChannelInfo {
766                                 features: GlobalFeatures::new(),
767                                 one_to_two: DirectionalChannelInfo {
768                                         src_node_id: node1.clone(),
769                                         last_update: 0,
770                                         enabled: true,
771                                         cltv_expiry_delta: (3 << 8) | 1,
772                                         htlc_minimum_msat: 0,
773                                         fee_base_msat: 0,
774                                         fee_proportional_millionths: 0,
775                                 }, two_to_one: DirectionalChannelInfo {
776                                         src_node_id: node3.clone(),
777                                         last_update: 0,
778                                         enabled: true,
779                                         cltv_expiry_delta: (3 << 8) | 2,
780                                         htlc_minimum_msat: 0,
781                                         fee_base_msat: 100,
782                                         fee_proportional_millionths: 0,
783                                 },
784                         });
785                         network.channels.insert(NetworkMap::get_key(4, zero_hash.clone()), ChannelInfo {
786                                 features: GlobalFeatures::new(),
787                                 one_to_two: DirectionalChannelInfo {
788                                         src_node_id: node2.clone(),
789                                         last_update: 0,
790                                         enabled: true,
791                                         cltv_expiry_delta: (4 << 8) | 1,
792                                         htlc_minimum_msat: 0,
793                                         fee_base_msat: 0,
794                                         fee_proportional_millionths: 1000000,
795                                 }, two_to_one: DirectionalChannelInfo {
796                                         src_node_id: node3.clone(),
797                                         last_update: 0,
798                                         enabled: true,
799                                         cltv_expiry_delta: (4 << 8) | 2,
800                                         htlc_minimum_msat: 0,
801                                         fee_base_msat: 0,
802                                         fee_proportional_millionths: 0,
803                                 },
804                         });
805                         network.channels.insert(NetworkMap::get_key(13, zero_hash.clone()), ChannelInfo {
806                                 features: GlobalFeatures::new(),
807                                 one_to_two: DirectionalChannelInfo {
808                                         src_node_id: node8.clone(),
809                                         last_update: 0,
810                                         enabled: true,
811                                         cltv_expiry_delta: (13 << 8) | 1,
812                                         htlc_minimum_msat: 0,
813                                         fee_base_msat: 0,
814                                         fee_proportional_millionths: 2000000,
815                                 }, two_to_one: DirectionalChannelInfo {
816                                         src_node_id: node3.clone(),
817                                         last_update: 0,
818                                         enabled: true,
819                                         cltv_expiry_delta: (13 << 8) | 2,
820                                         htlc_minimum_msat: 0,
821                                         fee_base_msat: 0,
822                                         fee_proportional_millionths: 0,
823                                 },
824                         });
825                         network.nodes.insert(node4.clone(), NodeInfo {
826                                 channels: vec!(NetworkMap::get_key(5, zero_hash.clone()), NetworkMap::get_key(11, zero_hash.clone())),
827                                 lowest_inbound_channel_fee_base_msat: 0,
828                                 lowest_inbound_channel_fee_proportional_millionths: 0,
829                                 features: GlobalFeatures::new(),
830                                 last_update: 1,
831                                 rgb: [0; 3],
832                                 alias: [0; 32],
833                                 addresses: Vec::new(),
834                         });
835                         network.channels.insert(NetworkMap::get_key(5, zero_hash.clone()), ChannelInfo {
836                                 features: GlobalFeatures::new(),
837                                 one_to_two: DirectionalChannelInfo {
838                                         src_node_id: node3.clone(),
839                                         last_update: 0,
840                                         enabled: true,
841                                         cltv_expiry_delta: (5 << 8) | 1,
842                                         htlc_minimum_msat: 0,
843                                         fee_base_msat: 100,
844                                         fee_proportional_millionths: 0,
845                                 }, two_to_one: DirectionalChannelInfo {
846                                         src_node_id: node4.clone(),
847                                         last_update: 0,
848                                         enabled: true,
849                                         cltv_expiry_delta: (5 << 8) | 2,
850                                         htlc_minimum_msat: 0,
851                                         fee_base_msat: 0,
852                                         fee_proportional_millionths: 0,
853                                 },
854                         });
855                         network.nodes.insert(node5.clone(), NodeInfo {
856                                 channels: vec!(NetworkMap::get_key(6, zero_hash.clone()), NetworkMap::get_key(11, zero_hash.clone())),
857                                 lowest_inbound_channel_fee_base_msat: 0,
858                                 lowest_inbound_channel_fee_proportional_millionths: 0,
859                                 features: GlobalFeatures::new(),
860                                 last_update: 1,
861                                 rgb: [0; 3],
862                                 alias: [0; 32],
863                                 addresses: Vec::new(),
864                         });
865                         network.channels.insert(NetworkMap::get_key(6, zero_hash.clone()), ChannelInfo {
866                                 features: GlobalFeatures::new(),
867                                 one_to_two: DirectionalChannelInfo {
868                                         src_node_id: node3.clone(),
869                                         last_update: 0,
870                                         enabled: true,
871                                         cltv_expiry_delta: (6 << 8) | 1,
872                                         htlc_minimum_msat: 0,
873                                         fee_base_msat: 0,
874                                         fee_proportional_millionths: 0,
875                                 }, two_to_one: DirectionalChannelInfo {
876                                         src_node_id: node5.clone(),
877                                         last_update: 0,
878                                         enabled: true,
879                                         cltv_expiry_delta: (6 << 8) | 2,
880                                         htlc_minimum_msat: 0,
881                                         fee_base_msat: 0,
882                                         fee_proportional_millionths: 0,
883                                 },
884                         });
885                         network.channels.insert(NetworkMap::get_key(11, zero_hash.clone()), ChannelInfo {
886                                 features: GlobalFeatures::new(),
887                                 one_to_two: DirectionalChannelInfo {
888                                         src_node_id: node5.clone(),
889                                         last_update: 0,
890                                         enabled: true,
891                                         cltv_expiry_delta: (11 << 8) | 1,
892                                         htlc_minimum_msat: 0,
893                                         fee_base_msat: 0,
894                                         fee_proportional_millionths: 0,
895                                 }, two_to_one: DirectionalChannelInfo {
896                                         src_node_id: node4.clone(),
897                                         last_update: 0,
898                                         enabled: true,
899                                         cltv_expiry_delta: (11 << 8) | 2,
900                                         htlc_minimum_msat: 0,
901                                         fee_base_msat: 0,
902                                         fee_proportional_millionths: 0,
903                                 },
904                         });
905                         network.nodes.insert(node6.clone(), NodeInfo {
906                                 channels: vec!(NetworkMap::get_key(7, zero_hash.clone())),
907                                 lowest_inbound_channel_fee_base_msat: 0,
908                                 lowest_inbound_channel_fee_proportional_millionths: 0,
909                                 features: GlobalFeatures::new(),
910                                 last_update: 1,
911                                 rgb: [0; 3],
912                                 alias: [0; 32],
913                                 addresses: Vec::new(),
914                         });
915                         network.channels.insert(NetworkMap::get_key(7, zero_hash.clone()), ChannelInfo {
916                                 features: GlobalFeatures::new(),
917                                 one_to_two: DirectionalChannelInfo {
918                                         src_node_id: node3.clone(),
919                                         last_update: 0,
920                                         enabled: true,
921                                         cltv_expiry_delta: (7 << 8) | 1,
922                                         htlc_minimum_msat: 0,
923                                         fee_base_msat: 0,
924                                         fee_proportional_millionths: 1000000,
925                                 }, two_to_one: DirectionalChannelInfo {
926                                         src_node_id: node6.clone(),
927                                         last_update: 0,
928                                         enabled: true,
929                                         cltv_expiry_delta: (7 << 8) | 2,
930                                         htlc_minimum_msat: 0,
931                                         fee_base_msat: 0,
932                                         fee_proportional_millionths: 0,
933                                 },
934                         });
935                 }
936
937                 { // Simple route to 3 via 2
938                         let route = router.get_route(&node3, None, &Vec::new(), 100, 42).unwrap();
939                         assert_eq!(route.hops.len(), 2);
940
941                         assert_eq!(route.hops[0].pubkey, node2);
942                         assert_eq!(route.hops[0].short_channel_id, 2);
943                         assert_eq!(route.hops[0].fee_msat, 100);
944                         assert_eq!(route.hops[0].cltv_expiry_delta, (4 << 8) | 1);
945
946                         assert_eq!(route.hops[1].pubkey, node3);
947                         assert_eq!(route.hops[1].short_channel_id, 4);
948                         assert_eq!(route.hops[1].fee_msat, 100);
949                         assert_eq!(route.hops[1].cltv_expiry_delta, 42);
950                 }
951
952                 { // Route to 1 via 2 and 3 because our channel to 1 is disabled
953                         let route = router.get_route(&node1, None, &Vec::new(), 100, 42).unwrap();
954                         assert_eq!(route.hops.len(), 3);
955
956                         assert_eq!(route.hops[0].pubkey, node2);
957                         assert_eq!(route.hops[0].short_channel_id, 2);
958                         assert_eq!(route.hops[0].fee_msat, 200);
959                         assert_eq!(route.hops[0].cltv_expiry_delta, (4 << 8) | 1);
960
961                         assert_eq!(route.hops[1].pubkey, node3);
962                         assert_eq!(route.hops[1].short_channel_id, 4);
963                         assert_eq!(route.hops[1].fee_msat, 100);
964                         assert_eq!(route.hops[1].cltv_expiry_delta, (3 << 8) | 2);
965
966                         assert_eq!(route.hops[2].pubkey, node1);
967                         assert_eq!(route.hops[2].short_channel_id, 3);
968                         assert_eq!(route.hops[2].fee_msat, 100);
969                         assert_eq!(route.hops[2].cltv_expiry_delta, 42);
970                 }
971
972                 { // If we specify a channel to node8, that overrides our local channel view and that gets used
973                         let our_chans = vec![channelmanager::ChannelDetails {
974                                 channel_id: [0; 32],
975                                 short_channel_id: Some(42),
976                                 remote_network_id: node8.clone(),
977                                 channel_value_satoshis: 0,
978                                 user_id: 0,
979                         }];
980                         let route = router.get_route(&node3, Some(&our_chans), &Vec::new(), 100, 42).unwrap();
981                         assert_eq!(route.hops.len(), 2);
982
983                         assert_eq!(route.hops[0].pubkey, node8);
984                         assert_eq!(route.hops[0].short_channel_id, 42);
985                         assert_eq!(route.hops[0].fee_msat, 200);
986                         assert_eq!(route.hops[0].cltv_expiry_delta, (13 << 8) | 1);
987
988                         assert_eq!(route.hops[1].pubkey, node3);
989                         assert_eq!(route.hops[1].short_channel_id, 13);
990                         assert_eq!(route.hops[1].fee_msat, 100);
991                         assert_eq!(route.hops[1].cltv_expiry_delta, 42);
992                 }
993
994                 let mut last_hops = vec!(RouteHint {
995                                 src_node_id: node4.clone(),
996                                 short_channel_id: 8,
997                                 fee_base_msat: 0,
998                                 fee_proportional_millionths: 0,
999                                 cltv_expiry_delta: (8 << 8) | 1,
1000                                 htlc_minimum_msat: 0,
1001                         }, RouteHint {
1002                                 src_node_id: node5.clone(),
1003                                 short_channel_id: 9,
1004                                 fee_base_msat: 1001,
1005                                 fee_proportional_millionths: 0,
1006                                 cltv_expiry_delta: (9 << 8) | 1,
1007                                 htlc_minimum_msat: 0,
1008                         }, RouteHint {
1009                                 src_node_id: node6.clone(),
1010                                 short_channel_id: 10,
1011                                 fee_base_msat: 0,
1012                                 fee_proportional_millionths: 0,
1013                                 cltv_expiry_delta: (10 << 8) | 1,
1014                                 htlc_minimum_msat: 0,
1015                         });
1016
1017                 { // Simple test across 2, 3, 5, and 4 via a last_hop channel
1018                         let route = router.get_route(&node7, None, &last_hops, 100, 42).unwrap();
1019                         assert_eq!(route.hops.len(), 5);
1020
1021                         assert_eq!(route.hops[0].pubkey, node2);
1022                         assert_eq!(route.hops[0].short_channel_id, 2);
1023                         assert_eq!(route.hops[0].fee_msat, 100);
1024                         assert_eq!(route.hops[0].cltv_expiry_delta, (4 << 8) | 1);
1025
1026                         assert_eq!(route.hops[1].pubkey, node3);
1027                         assert_eq!(route.hops[1].short_channel_id, 4);
1028                         assert_eq!(route.hops[1].fee_msat, 0);
1029                         assert_eq!(route.hops[1].cltv_expiry_delta, (6 << 8) | 1);
1030
1031                         assert_eq!(route.hops[2].pubkey, node5);
1032                         assert_eq!(route.hops[2].short_channel_id, 6);
1033                         assert_eq!(route.hops[2].fee_msat, 0);
1034                         assert_eq!(route.hops[2].cltv_expiry_delta, (11 << 8) | 1);
1035
1036                         assert_eq!(route.hops[3].pubkey, node4);
1037                         assert_eq!(route.hops[3].short_channel_id, 11);
1038                         assert_eq!(route.hops[3].fee_msat, 0);
1039                         assert_eq!(route.hops[3].cltv_expiry_delta, (8 << 8) | 1);
1040
1041                         assert_eq!(route.hops[4].pubkey, node7);
1042                         assert_eq!(route.hops[4].short_channel_id, 8);
1043                         assert_eq!(route.hops[4].fee_msat, 100);
1044                         assert_eq!(route.hops[4].cltv_expiry_delta, 42);
1045                 }
1046
1047                 { // Simple test with outbound channel to 4 to test that last_hops and first_hops connect
1048                         let our_chans = vec![channelmanager::ChannelDetails {
1049                                 channel_id: [0; 32],
1050                                 short_channel_id: Some(42),
1051                                 remote_network_id: node4.clone(),
1052                                 channel_value_satoshis: 0,
1053                                 user_id: 0,
1054                         }];
1055                         let route = router.get_route(&node7, Some(&our_chans), &last_hops, 100, 42).unwrap();
1056                         assert_eq!(route.hops.len(), 2);
1057
1058                         assert_eq!(route.hops[0].pubkey, node4);
1059                         assert_eq!(route.hops[0].short_channel_id, 42);
1060                         assert_eq!(route.hops[0].fee_msat, 0);
1061                         assert_eq!(route.hops[0].cltv_expiry_delta, (8 << 8) | 1);
1062
1063                         assert_eq!(route.hops[1].pubkey, node7);
1064                         assert_eq!(route.hops[1].short_channel_id, 8);
1065                         assert_eq!(route.hops[1].fee_msat, 100);
1066                         assert_eq!(route.hops[1].cltv_expiry_delta, 42);
1067                 }
1068
1069                 last_hops[0].fee_base_msat = 1000;
1070
1071                 { // Revert to via 6 as the fee on 8 goes up
1072                         let route = router.get_route(&node7, None, &last_hops, 100, 42).unwrap();
1073                         assert_eq!(route.hops.len(), 4);
1074
1075                         assert_eq!(route.hops[0].pubkey, node2);
1076                         assert_eq!(route.hops[0].short_channel_id, 2);
1077                         assert_eq!(route.hops[0].fee_msat, 200); // fee increased as its % of value transferred across node
1078                         assert_eq!(route.hops[0].cltv_expiry_delta, (4 << 8) | 1);
1079
1080                         assert_eq!(route.hops[1].pubkey, node3);
1081                         assert_eq!(route.hops[1].short_channel_id, 4);
1082                         assert_eq!(route.hops[1].fee_msat, 100);
1083                         assert_eq!(route.hops[1].cltv_expiry_delta, (7 << 8) | 1);
1084
1085                         assert_eq!(route.hops[2].pubkey, node6);
1086                         assert_eq!(route.hops[2].short_channel_id, 7);
1087                         assert_eq!(route.hops[2].fee_msat, 0);
1088                         assert_eq!(route.hops[2].cltv_expiry_delta, (10 << 8) | 1);
1089
1090                         assert_eq!(route.hops[3].pubkey, node7);
1091                         assert_eq!(route.hops[3].short_channel_id, 10);
1092                         assert_eq!(route.hops[3].fee_msat, 100);
1093                         assert_eq!(route.hops[3].cltv_expiry_delta, 42);
1094                 }
1095
1096                 { // ...but still use 8 for larger payments as 6 has a variable feerate
1097                         let route = router.get_route(&node7, None, &last_hops, 2000, 42).unwrap();
1098                         assert_eq!(route.hops.len(), 5);
1099
1100                         assert_eq!(route.hops[0].pubkey, node2);
1101                         assert_eq!(route.hops[0].short_channel_id, 2);
1102                         assert_eq!(route.hops[0].fee_msat, 3000);
1103                         assert_eq!(route.hops[0].cltv_expiry_delta, (4 << 8) | 1);
1104
1105                         assert_eq!(route.hops[1].pubkey, node3);
1106                         assert_eq!(route.hops[1].short_channel_id, 4);
1107                         assert_eq!(route.hops[1].fee_msat, 0);
1108                         assert_eq!(route.hops[1].cltv_expiry_delta, (6 << 8) | 1);
1109
1110                         assert_eq!(route.hops[2].pubkey, node5);
1111                         assert_eq!(route.hops[2].short_channel_id, 6);
1112                         assert_eq!(route.hops[2].fee_msat, 0);
1113                         assert_eq!(route.hops[2].cltv_expiry_delta, (11 << 8) | 1);
1114
1115                         assert_eq!(route.hops[3].pubkey, node4);
1116                         assert_eq!(route.hops[3].short_channel_id, 11);
1117                         assert_eq!(route.hops[3].fee_msat, 1000);
1118                         assert_eq!(route.hops[3].cltv_expiry_delta, (8 << 8) | 1);
1119
1120                         assert_eq!(route.hops[4].pubkey, node7);
1121                         assert_eq!(route.hops[4].short_channel_id, 8);
1122                         assert_eq!(route.hops[4].fee_msat, 2000);
1123                         assert_eq!(route.hops[4].cltv_expiry_delta, 42);
1124                 }
1125         }
1126 }