Skip to content

Commit 7bf68af

Browse files
committed
add functionality to periodically update routing scores from an external http source
1 parent c64d8c5 commit 7bf68af

File tree

6 files changed

+205
-12
lines changed

6 files changed

+205
-12
lines changed

bindings/ldk_node.udl

+2
Original file line numberDiff line numberDiff line change
@@ -58,6 +58,7 @@ interface Builder {
5858
void set_chain_source_bitcoind_rpc(string rpc_host, u16 rpc_port, string rpc_user, string rpc_password);
5959
void set_gossip_source_p2p();
6060
void set_gossip_source_rgs(string rgs_server_url);
61+
void set_pathfinding_scores_source(string url);
6162
void set_liquidity_source_lsps2(SocketAddress address, PublicKey node_id, string? token);
6263
void set_storage_dir_path(string storage_dir_path);
6364
void set_filesystem_logger(string? log_file_path, LogLevel? log_level);
@@ -273,6 +274,7 @@ dictionary NodeStatus {
273274
u64? latest_onchain_wallet_sync_timestamp;
274275
u64? latest_fee_rate_cache_update_timestamp;
275276
u64? latest_rgs_snapshot_timestamp;
277+
u64? latest_pathfinding_scores_sync_timestamp;
276278
u64? latest_node_announcement_broadcast_timestamp;
277279
u32? latest_channel_monitor_archival_height;
278280
};

src/builder.rs

+47-8
Original file line numberDiff line numberDiff line change
@@ -23,6 +23,7 @@ use crate::logger::{log_error, log_info, LdkLogger, LogLevel, LogWriter, Logger}
2323
use crate::message_handler::NodeCustomMessageHandler;
2424
use crate::payment::store::PaymentStore;
2525
use crate::peer_store::PeerStore;
26+
use crate::scoring::BackgroundPathfindingScoresSyncer;
2627
use crate::tx_broadcaster::TransactionBroadcaster;
2728
use crate::types::{
2829
ChainMonitor, ChannelManager, DynStore, GossipSync, Graph, KeysManager, MessageRouter,
@@ -41,7 +42,8 @@ use lightning::ln::peer_handler::{IgnoringMessageHandler, MessageHandler};
4142
use lightning::routing::gossip::NodeAlias;
4243
use lightning::routing::router::DefaultRouter;
4344
use lightning::routing::scoring::{
44-
ProbabilisticScorer, ProbabilisticScoringDecayParameters, ProbabilisticScoringFeeParameters,
45+
CombinedScorer, ProbabilisticScorer, ProbabilisticScoringDecayParameters,
46+
ProbabilisticScoringFeeParameters,
4547
};
4648
use lightning::sign::EntropySource;
4749

@@ -97,6 +99,11 @@ enum GossipSourceConfig {
9799
RapidGossipSync(String),
98100
}
99101

102+
#[derive(Debug, Clone)]
103+
struct PathfindingScoresSyncConfig {
104+
url: String,
105+
}
106+
100107
#[derive(Debug, Clone)]
101108
struct LiquiditySourceConfig {
102109
// LSPS2 service's (address, node_id, token)
@@ -229,6 +236,7 @@ pub struct NodeBuilder {
229236
gossip_source_config: Option<GossipSourceConfig>,
230237
liquidity_source_config: Option<LiquiditySourceConfig>,
231238
log_writer_config: Option<LogWriterConfig>,
239+
pathfinding_scores_sync_config: Option<PathfindingScoresSyncConfig>,
232240
}
233241

234242
impl NodeBuilder {
@@ -245,13 +253,15 @@ impl NodeBuilder {
245253
let gossip_source_config = None;
246254
let liquidity_source_config = None;
247255
let log_writer_config = None;
256+
let scoring_source_config = None;
248257
Self {
249258
config,
250259
entropy_source_config,
251260
chain_data_source_config,
252261
gossip_source_config,
253262
liquidity_source_config,
254263
log_writer_config,
264+
pathfinding_scores_sync_config: scoring_source_config,
255265
}
256266
}
257267

@@ -322,6 +332,14 @@ impl NodeBuilder {
322332
self
323333
}
324334

335+
/// Configures the [`Node`] instance to source its external scores from the given URL.
336+
///
337+
/// The external scores are merged into the local scoring system to improve routing.
338+
pub fn set_pathfinding_scores_source(&mut self, url: String) -> &mut Self {
339+
self.pathfinding_scores_sync_config = Some(PathfindingScoresSyncConfig { url });
340+
self
341+
}
342+
325343
/// Configures the [`Node`] instance to source its inbound liquidity from the given
326344
/// [LSPS2](https://github.com/BitcoinAndLightningLayerSpecs/lsp/blob/main/LSPS2/README.md)
327345
/// service.
@@ -540,6 +558,7 @@ impl NodeBuilder {
540558
config,
541559
self.chain_data_source_config.as_ref(),
542560
self.gossip_source_config.as_ref(),
561+
self.pathfinding_scores_sync_config.as_ref(),
543562
self.liquidity_source_config.as_ref(),
544563
seed_bytes,
545564
logger,
@@ -562,6 +581,7 @@ impl NodeBuilder {
562581
config,
563582
self.chain_data_source_config.as_ref(),
564583
self.gossip_source_config.as_ref(),
584+
self.pathfinding_scores_sync_config.as_ref(),
565585
self.liquidity_source_config.as_ref(),
566586
seed_bytes,
567587
logger,
@@ -654,6 +674,12 @@ impl ArcedNodeBuilder {
654674
self.inner.write().unwrap().set_gossip_source_rgs(rgs_server_url);
655675
}
656676

677+
/// Configures the [`Node`] instance to source its external scores from the given URL. These scores are used to
678+
/// augment the internal pathfinding scoring system to improve routing.
679+
pub fn set_pathfinding_scores_source(&self, url: String) {
680+
self.inner.write().unwrap().set_pathfinding_scores_source(url);
681+
}
682+
657683
/// Configures the [`Node`] instance to source its inbound liquidity from the given
658684
/// [LSPS2](https://github.com/BitcoinAndLightningLayerSpecs/lsp/blob/main/LSPS2/README.md)
659685
/// service.
@@ -806,6 +832,7 @@ impl ArcedNodeBuilder {
806832
fn build_with_store_internal(
807833
config: Arc<Config>, chain_data_source_config: Option<&ChainDataSourceConfig>,
808834
gossip_source_config: Option<&GossipSourceConfig>,
835+
pathfinding_scores_sync_config: Option<&PathfindingScoresSyncConfig>,
809836
liquidity_source_config: Option<&LiquiditySourceConfig>, seed_bytes: [u8; 64],
810837
logger: Arc<Logger>, kv_store: Arc<DynStore>,
811838
) -> Result<Node, BuildError> {
@@ -950,26 +977,24 @@ fn build_with_store_internal(
950977
},
951978
};
952979

953-
let scorer = match io::utils::read_scorer(
980+
let local_scorer = match io::utils::read_scorer(
954981
Arc::clone(&kv_store),
955982
Arc::clone(&network_graph),
956983
Arc::clone(&logger),
957984
) {
958-
Ok(scorer) => Arc::new(Mutex::new(scorer)),
985+
Ok(scorer) => scorer,
959986
Err(e) => {
960987
if e.kind() == std::io::ErrorKind::NotFound {
961988
let params = ProbabilisticScoringDecayParameters::default();
962-
Arc::new(Mutex::new(ProbabilisticScorer::new(
963-
params,
964-
Arc::clone(&network_graph),
965-
Arc::clone(&logger),
966-
)))
989+
ProbabilisticScorer::new(params, Arc::clone(&network_graph), Arc::clone(&logger))
967990
} else {
968991
return Err(BuildError::ReadFailed);
969992
}
970993
},
971994
};
972995

996+
let scorer = Arc::new(Mutex::new(CombinedScorer::new(local_scorer)));
997+
973998
let scoring_fee_params = ProbabilisticScoringFeeParameters::default();
974999
let router = Arc::new(DefaultRouter::new(
9751000
Arc::clone(&network_graph),
@@ -1129,6 +1154,19 @@ fn build_with_store_internal(
11291154
},
11301155
};
11311156

1157+
let background_pathfinding_scores_syncer = if let Some(config) = pathfinding_scores_sync_config
1158+
{
1159+
Some(Arc::new(BackgroundPathfindingScoresSyncer::new(
1160+
config.url.clone(),
1161+
Arc::clone(&scorer),
1162+
Arc::clone(&node_metrics),
1163+
Arc::clone(&kv_store),
1164+
Arc::clone(&logger),
1165+
)))
1166+
} else {
1167+
None
1168+
};
1169+
11321170
let liquidity_source = liquidity_source_config.as_ref().and_then(|lsc| {
11331171
lsc.lsps2_service.as_ref().map(|(address, node_id, token)| {
11341172
let lsps2_client_config = Some(LSPS2ClientConfig {});
@@ -1303,6 +1341,7 @@ fn build_with_store_internal(
13031341
keys_manager,
13041342
network_graph,
13051343
gossip_source,
1344+
background_pathfinding_scores_syncer,
13061345
liquidity_source,
13071346
kv_store,
13081347
logger,

src/config.rs

+6
Original file line numberDiff line numberDiff line change
@@ -57,6 +57,9 @@ pub(crate) const PEER_RECONNECTION_INTERVAL: Duration = Duration::from_secs(10);
5757
// The time in-between RGS sync attempts.
5858
pub(crate) const RGS_SYNC_INTERVAL: Duration = Duration::from_secs(60 * 60);
5959

60+
// The time in-between external scores sync attempts.
61+
pub(crate) const EXTERNAL_PATHFINDING_SCORES_SYNC_INTERVAL: Duration = Duration::from_secs(60 * 60);
62+
6063
// The time in-between node announcement broadcast attempts.
6164
pub(crate) const NODE_ANN_BCAST_INTERVAL: Duration = Duration::from_secs(60 * 60);
6265

@@ -78,6 +81,9 @@ pub(crate) const TX_BROADCAST_TIMEOUT_SECS: u64 = 5;
7881
// The timeout after which we abort a RGS sync operation.
7982
pub(crate) const RGS_SYNC_TIMEOUT_SECS: u64 = 5;
8083

84+
// The timeout after which we abort a external scores sync operation.
85+
pub(crate) const EXTERNAL_PATHFINDING_SCORES_SYNC_TIMEOUT_SECS: u64 = 5;
86+
8187
// The length in bytes of our wallets' keys seed.
8288
pub(crate) const WALLET_KEYS_SEED_LEN: usize = 64;
8389

src/lib.rs

+20-2
Original file line numberDiff line numberDiff line change
@@ -89,6 +89,7 @@ pub mod logger;
8989
mod message_handler;
9090
pub mod payment;
9191
mod peer_store;
92+
mod scoring;
9293
mod sweep;
9394
mod tx_broadcaster;
9495
mod types;
@@ -122,8 +123,9 @@ pub use builder::NodeBuilder as Builder;
122123

123124
use chain::ChainSource;
124125
use config::{
125-
default_user_config, may_announce_channel, ChannelConfig, Config, NODE_ANN_BCAST_INTERVAL,
126-
PEER_RECONNECTION_INTERVAL, RGS_SYNC_INTERVAL,
126+
default_user_config, may_announce_channel, ChannelConfig, Config,
127+
EXTERNAL_PATHFINDING_SCORES_SYNC_INTERVAL, EXTERNAL_PATHFINDING_SCORES_SYNC_TIMEOUT_SECS,
128+
NODE_ANN_BCAST_INTERVAL, PEER_RECONNECTION_INTERVAL, RGS_SYNC_INTERVAL,
127129
};
128130
use connection::ConnectionManager;
129131
use event::{EventHandler, EventQueue};
@@ -137,6 +139,7 @@ use payment::{
137139
UnifiedQrPayment,
138140
};
139141
use peer_store::{PeerInfo, PeerStore};
142+
use scoring::BackgroundPathfindingScoresSyncer;
140143
use types::{
141144
Broadcaster, BumpTransactionEventHandler, ChainMonitor, ChannelManager, DynStore, Graph,
142145
KeysManager, OnionMessenger, PeerManager, Router, Scorer, Sweeper, Wallet,
@@ -190,6 +193,7 @@ pub struct Node {
190193
keys_manager: Arc<KeysManager>,
191194
network_graph: Arc<Graph>,
192195
gossip_source: Arc<GossipSource>,
196+
background_pathfinding_scores_syncer: Option<Arc<BackgroundPathfindingScoresSyncer>>,
193197
liquidity_source: Option<Arc<LiquiditySource<Arc<Logger>>>>,
194198
kv_store: Arc<DynStore>,
195199
logger: Arc<Logger>,
@@ -304,6 +308,12 @@ impl Node {
304308
});
305309
}
306310

311+
if let Some(background_pathfinding_scores_syncer) =
312+
self.background_pathfinding_scores_syncer.as_ref()
313+
{
314+
background_pathfinding_scores_syncer.start(&runtime, &self.stop_sender);
315+
}
316+
307317
if let Some(listening_addresses) = &self.config.listening_addresses {
308318
// Setup networking
309319
let peer_manager_connection_handler = Arc::clone(&self.peer_manager);
@@ -725,6 +735,8 @@ impl Node {
725735
locked_node_metrics.latest_fee_rate_cache_update_timestamp;
726736
let latest_rgs_snapshot_timestamp =
727737
locked_node_metrics.latest_rgs_snapshot_timestamp.map(|val| val as u64);
738+
let latest_pathfinding_scores_sync_timestamp =
739+
locked_node_metrics.latest_pathfinding_scores_sync_timestamp;
728740
let latest_node_announcement_broadcast_timestamp =
729741
locked_node_metrics.latest_node_announcement_broadcast_timestamp;
730742
let latest_channel_monitor_archival_height =
@@ -738,6 +750,7 @@ impl Node {
738750
latest_onchain_wallet_sync_timestamp,
739751
latest_fee_rate_cache_update_timestamp,
740752
latest_rgs_snapshot_timestamp,
753+
latest_pathfinding_scores_sync_timestamp,
741754
latest_node_announcement_broadcast_timestamp,
742755
latest_channel_monitor_archival_height,
743756
}
@@ -1547,6 +1560,8 @@ pub struct NodeStatus {
15471560
///
15481561
/// Will be `None` if RGS isn't configured or the snapshot hasn't been updated yet.
15491562
pub latest_rgs_snapshot_timestamp: Option<u64>,
1563+
/// The timestamp, in seconds since start of the UNIX epoch, when we last successfully merged external scores.
1564+
pub latest_pathfinding_scores_sync_timestamp: Option<u64>,
15501565
/// The timestamp, in seconds since start of the UNIX epoch, when we last broadcasted a node
15511566
/// announcement.
15521567
///
@@ -1565,6 +1580,7 @@ pub(crate) struct NodeMetrics {
15651580
latest_onchain_wallet_sync_timestamp: Option<u64>,
15661581
latest_fee_rate_cache_update_timestamp: Option<u64>,
15671582
latest_rgs_snapshot_timestamp: Option<u32>,
1583+
latest_pathfinding_scores_sync_timestamp: Option<u64>,
15681584
latest_node_announcement_broadcast_timestamp: Option<u64>,
15691585
latest_channel_monitor_archival_height: Option<u32>,
15701586
}
@@ -1576,6 +1592,7 @@ impl Default for NodeMetrics {
15761592
latest_onchain_wallet_sync_timestamp: None,
15771593
latest_fee_rate_cache_update_timestamp: None,
15781594
latest_rgs_snapshot_timestamp: None,
1595+
latest_pathfinding_scores_sync_timestamp: None,
15791596
latest_node_announcement_broadcast_timestamp: None,
15801597
latest_channel_monitor_archival_height: None,
15811598
}
@@ -1584,6 +1601,7 @@ impl Default for NodeMetrics {
15841601

15851602
impl_writeable_tlv_based!(NodeMetrics, {
15861603
(0, latest_lightning_wallet_sync_timestamp, option),
1604+
(1, latest_pathfinding_scores_sync_timestamp, option),
15871605
(2, latest_onchain_wallet_sync_timestamp, option),
15881606
(4, latest_fee_rate_cache_update_timestamp, option),
15891607
(6, latest_rgs_snapshot_timestamp, option),

0 commit comments

Comments
 (0)