iroh_net/discovery/static_provider.rs
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127 128 129 130 131 132 133 134 135 136 137 138 139 140 141 142 143 144 145 146 147 148 149 150 151 152 153 154 155 156 157 158 159 160 161 162
//! A static discovery implementation that allows adding info for nodes manually.
use std::{
collections::{btree_map::Entry, BTreeMap},
sync::{Arc, RwLock},
time::SystemTime,
};
use futures_lite::stream::{self, StreamExt};
use iroh_base::{
key::NodeId,
node_addr::{AddrInfo, NodeAddr},
};
use super::{Discovery, DiscoveryItem};
/// A static discovery implementation that allows providing info for nodes manually.
#[derive(Debug, Default)]
#[repr(transparent)]
pub struct StaticProvider {
nodes: Arc<RwLock<BTreeMap<NodeId, NodeInfo>>>,
}
#[derive(Debug)]
struct NodeInfo {
info: AddrInfo,
last_updated: SystemTime,
}
impl StaticProvider {
/// The provenance string for this discovery implementation.
pub const PROVENANCE: &'static str = "static_discovery";
/// Create a new static discovery instance.
pub fn new() -> Self {
Self::default()
}
/// Creates a static discovery instance from something that can be converted into node addresses.
///
/// Example:
/// ```rust
/// use std::str::FromStr;
///
/// use iroh_base::ticket::NodeTicket;
/// use iroh_net::{Endpoint, discovery::static_provider::StaticProvider};
///
/// # async fn example() -> anyhow::Result<()> {
/// # #[derive(Default)] struct Args { tickets: Vec<NodeTicket> }
/// # let args = Args::default();
/// // get tickets from command line args
/// let tickets: Vec<NodeTicket> = args.tickets;
/// // create a StaticProvider from the tickets. Ticket info will be combined if multiple tickets refer to the same node.
/// let discovery = StaticProvider::from_node_addrs(tickets);
/// // create an endpoint with the discovery
/// let endpoint = Endpoint::builder()
/// .add_discovery(|_| Some(discovery))
/// .bind().await?;
/// # Ok(())
/// # }
/// ```
pub fn from_node_addrs(infos: impl IntoIterator<Item = impl Into<NodeAddr>>) -> Self {
let res = Self::default();
for info in infos {
res.add_node_addr(info);
}
res
}
/// Add node info for the given node id.
///
/// This will completely overwrite any existing info for the node.
pub fn set_node_addr(&self, info: impl Into<NodeAddr>) -> Option<NodeAddr> {
let last_updated = SystemTime::now();
let info: NodeAddr = info.into();
let mut guard = self.nodes.write().unwrap();
let previous = guard.insert(
info.node_id,
NodeInfo {
info: info.info,
last_updated,
},
);
previous.map(|x| NodeAddr {
node_id: info.node_id,
info: x.info,
})
}
/// Add node info for the given node id, combining it with any existing info.
///
/// This will add any new direct addresses and overwrite the relay url.
pub fn add_node_addr(&self, info: impl Into<NodeAddr>) {
let info: NodeAddr = info.into();
let last_updated = SystemTime::now();
let mut guard = self.nodes.write().unwrap();
match guard.entry(info.node_id) {
Entry::Occupied(mut entry) => {
let existing = entry.get_mut();
existing
.info
.direct_addresses
.extend(info.info.direct_addresses);
existing.info.relay_url = info.info.relay_url;
existing.last_updated = last_updated;
}
Entry::Vacant(entry) => {
entry.insert(NodeInfo {
info: info.info,
last_updated,
});
}
}
}
/// Get node info for the given node id.
pub fn get_node_addr(&self, node_id: NodeId) -> Option<NodeAddr> {
let guard = self.nodes.read().unwrap();
let info = guard.get(&node_id).map(|x| x.info.clone())?;
Some(NodeAddr { node_id, info })
}
/// Remove node info for the given node id.
pub fn remove_node_addr(&self, node_id: NodeId) -> Option<NodeAddr> {
let mut guard = self.nodes.write().unwrap();
let res = guard.remove(&node_id)?;
Some(NodeAddr {
node_id,
info: res.info,
})
}
}
impl Discovery for StaticProvider {
fn publish(&self, _info: &AddrInfo) {}
fn resolve(
&self,
_endpoint: crate::Endpoint,
node_id: NodeId,
) -> Option<futures_lite::stream::Boxed<anyhow::Result<super::DiscoveryItem>>> {
let guard = self.nodes.read().unwrap();
let info = guard.get(&node_id);
match info {
Some(addr_info) => {
let item = DiscoveryItem {
node_id,
provenance: Self::PROVENANCE,
last_updated: Some(
addr_info
.last_updated
.duration_since(SystemTime::UNIX_EPOCH)
.expect("time drift")
.as_micros() as u64,
),
addr_info: addr_info.info.clone(),
};
Some(stream::iter(Some(Ok(item))).boxed())
}
None => None,
}
}
}