darkfi/net/protocol/protocol_address.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 163 164 165 166 167 168 169 170 171 172 173 174 175 176 177 178 179 180 181 182 183 184 185 186 187 188 189 190 191 192 193 194 195 196 197 198 199 200 201 202 203 204 205 206 207 208 209 210 211 212 213 214 215 216 217 218 219 220 221 222 223 224 225 226 227 228 229 230 231 232 233 234 235 236 237 238 239 240 241 242 243 244 245 246 247 248 249 250 251 252 253 254 255 256 257 258 259 260 261 262 263 264 265 266 267 268 269 270 271 272 273 274 275 276 277 278 279 280 281 282 283 284 285 286 287 288 289 290 291 292 293 294 295 296 297 298 299 300 301 302 303 304
/* This file is part of DarkFi (https://dark.fi)
*
* Copyright (C) 2020-2024 Dyne.org foundation
*
* This program is free software: you can redistribute it and/or modify
* it under the terms of the GNU Affero General Public License as
* published by the Free Software Foundation, either version 3 of the
* License, or (at your option) any later version.
*
* This program is distributed in the hope that it will be useful,
* but WITHOUT ANY WARRANTY; without even the implied warranty of
* MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
* GNU Affero General Public License for more details.
*
* You should have received a copy of the GNU Affero General Public License
* along with this program. If not, see <https://www.gnu.org/licenses/>.
*/
use std::{sync::Arc, time::UNIX_EPOCH};
use async_trait::async_trait;
use log::debug;
use smol::{lock::RwLock as AsyncRwLock, Executor};
use super::{
super::{
channel::ChannelPtr,
hosts::{HostColor, HostsPtr},
message::{AddrsMessage, GetAddrsMessage},
message_publisher::MessageSubscription,
p2p::P2pPtr,
session::SESSION_OUTBOUND,
settings::Settings,
},
protocol_base::{ProtocolBase, ProtocolBasePtr},
protocol_jobs_manager::{ProtocolJobsManager, ProtocolJobsManagerPtr},
};
use crate::{Error, Result};
/// Defines address and get-address messages.
///
/// On receiving GetAddr, nodes reply an AddrMessage containing nodes from
/// their hostlist. On receiving an AddrMessage, nodes enter the info into
/// their greylists.
///
/// The node selection logic for creating an AddrMessage is as follows:
///
/// 1. First select nodes matching the requested transports from the
/// anchorlist. These nodes have the highest guarantee of being reachable,
/// so we prioritize them first.
///
/// 2. Then select nodes matching the requested transports from the
/// whitelist.
///
/// 3. Next select whitelist nodes that don't match our transports. We do
/// this so that nodes share and propagate nodes of different transports,
/// even if they can't connect to them themselves.
///
/// 4. Finally, if there's still space available, fill the remaining vector
/// space with darklist entries. This is necessary to propagate transports
/// that neither this node nor the receiving node support.
pub struct ProtocolAddress {
channel: ChannelPtr,
addrs_sub: MessageSubscription<AddrsMessage>,
get_addrs_sub: MessageSubscription<GetAddrsMessage>,
hosts: HostsPtr,
settings: Arc<AsyncRwLock<Settings>>,
jobsman: ProtocolJobsManagerPtr,
}
const PROTO_NAME: &str = "ProtocolAddress";
/// A vector of all currently accepted transports and valid transport
/// combinations. Should be updated if and when new transports are
/// added. Creates a upper bound on the number of transports a given peer
/// can request.
const TRANSPORT_COMBOS: [&str; 7] = ["tor", "tls", "tcp", "nym", "tor+tls", "nym+tls", "tcp+tls"];
impl ProtocolAddress {
/// Creates a new address protocol. Makes an address, an external address
/// and a get-address subscription and adds them to the address protocol
/// instance.
pub async fn init(channel: ChannelPtr, p2p: P2pPtr) -> ProtocolBasePtr {
// Creates a subscription to address message
let addrs_sub =
channel.subscribe_msg::<AddrsMessage>().await.expect("Missing addrs dispatcher!");
// Creates a subscription to get-address message
let get_addrs_sub =
channel.subscribe_msg::<GetAddrsMessage>().await.expect("Missing getaddrs dispatcher!");
Arc::new(Self {
channel: channel.clone(),
addrs_sub,
get_addrs_sub,
hosts: p2p.hosts(),
jobsman: ProtocolJobsManager::new(PROTO_NAME, channel),
settings: p2p.settings(),
})
}
/// Handles receiving the address message. Loops to continually receive
/// address messages on the address subscription. Validates and adds the
/// received addresses to the greylist.
async fn handle_receive_addrs(self: Arc<Self>) -> Result<()> {
debug!(
target: "net::protocol_address::handle_receive_addrs()",
"[START] address={}", self.channel.address(),
);
loop {
let addrs_msg = self.addrs_sub.receive().await?;
debug!(
target: "net::protocol_address::handle_receive_addrs()",
"Received {} addrs from {}", addrs_msg.addrs.len(), self.channel.address(),
);
debug!(
target: "net::protocol_address::handle_receive_addrs()",
"Appending to greylist...",
);
self.hosts.insert(HostColor::Grey, &addrs_msg.addrs).await;
}
}
/// Handles receiving the get-address message. Continually receives
/// get-address messages on the get-address subscription. Then replies
/// with an address message.
async fn handle_receive_get_addrs(self: Arc<Self>) -> Result<()> {
debug!(
target: "net::protocol_address::handle_receive_get_addrs()",
"[START] address={}", self.channel.address(),
);
loop {
let get_addrs_msg = self.get_addrs_sub.receive().await?;
debug!(
target: "net::protocol_address::handle_receive_get_addrs()",
"Received GetAddrs({}) message from {}", get_addrs_msg.max, self.channel.address(),
);
// Check that this peer isn't requesting more transports than we support
// (the max number of all transports, plus mixing).
if get_addrs_msg.transports.len() > TRANSPORT_COMBOS.len() {
return Err(Error::InvalidTransportRequest);
}
// First we grab address with the requested transports from the gold list
debug!(target: "net::protocol_address::handle_receive_get_addrs()",
"Fetching gold entries with schemes");
let mut addrs = self.hosts.container.fetch_n_random_with_schemes(
HostColor::Gold,
&get_addrs_msg.transports,
get_addrs_msg.max,
);
// Then we grab address with the requested transports from the whitelist
debug!(target: "net::protocol_address::handle_receive_get_addrs()",
"Fetching whitelist entries with schemes");
addrs.append(&mut self.hosts.container.fetch_n_random_with_schemes(
HostColor::White,
&get_addrs_msg.transports,
get_addrs_msg.max,
));
// Next we grab addresses without the requested transports
// to fill a 2 * max length vector.
// Then we grab address without the requested transports from the gold list
debug!(target: "net::protocol_address::handle_receive_get_addrs()",
"Fetching gold entries without schemes");
let remain = 2 * get_addrs_msg.max - addrs.len() as u32;
addrs.append(&mut self.hosts.container.fetch_n_random_excluding_schemes(
HostColor::Gold,
&get_addrs_msg.transports,
remain,
));
// Then we grab address without the requested transports from the white list
debug!(target: "net::protocol_address::handle_receive_get_addrs()",
"Fetching white entries without schemes");
let remain = 2 * get_addrs_msg.max - addrs.len() as u32;
addrs.append(&mut self.hosts.container.fetch_n_random_excluding_schemes(
HostColor::White,
&get_addrs_msg.transports,
remain,
));
// If there's still space available, take from the Dark list.
/* NOTE: We share peers from our Dark list because to ensure
that non-compatiable transports are shared with other nodes
so that they propagate on the network even if they're not
popular transports. */
debug!(target: "net::protocol_address::handle_receive_get_addrs()",
"Fetching dark entries");
let remain = 2 * get_addrs_msg.max - addrs.len() as u32;
addrs.append(&mut self.hosts.container.fetch_n_random(HostColor::Dark, remain));
debug!(
target: "net::protocol_address::handle_receive_get_addrs()",
"Sending {} addresses to {}", addrs.len(), self.channel.address(),
);
let addrs_msg = AddrsMessage { addrs };
self.channel.send(&addrs_msg).await?;
}
}
/// Send our own external addresses over a channel. Set the
/// last_seen field to now.
async fn send_my_addrs(self: Arc<Self>) -> Result<()> {
debug!(
target: "net::protocol_address::send_my_addrs",
"[START] channel address={}", self.channel.address(),
);
let type_id = self.channel.session_type_id();
if type_id != SESSION_OUTBOUND {
debug!(
target: "net::protocol_address::send_my_addrs",
"Not an outbound session. Stopping",
);
return Ok(())
}
let external_addrs = self.settings.read().await.external_addrs.clone();
if external_addrs.is_empty() {
debug!(
target: "net::protocol_address::send_my_addrs",
"External addr not configured. Stopping",
);
return Ok(())
}
let mut addrs = vec![];
for addr in external_addrs {
let last_seen = UNIX_EPOCH.elapsed().unwrap().as_secs();
addrs.push((addr, last_seen));
}
debug!(
target: "net::protocol_address::send_my_addrs",
"Broadcasting {} addresses", addrs.len(),
);
let ext_addr_msg = AddrsMessage { addrs };
self.channel.send(&ext_addr_msg).await?;
debug!(
target: "net::protocol_address::send_my_addrs",
"[END] channel address={}", self.channel.address(),
);
Ok(())
}
}
#[async_trait]
impl ProtocolBase for ProtocolAddress {
/// Start the address protocol. If it's an outbound session and has an
/// external address, send our external address. Run receive address
/// and get address protocols on the protocol task manager. Then send
/// get-address msg.
async fn start(self: Arc<Self>, ex: Arc<Executor<'_>>) -> Result<()> {
debug!(
target: "net::protocol_address::start()",
"START => address={}", self.channel.address(),
);
let settings = self.settings.read().await;
let outbound_connections = settings.outbound_connections;
let allowed_transports = settings.allowed_transports.clone();
drop(settings);
self.jobsman.clone().start(ex.clone());
self.jobsman.clone().spawn(self.clone().send_my_addrs(), ex.clone()).await;
self.jobsman.clone().spawn(self.clone().handle_receive_addrs(), ex.clone()).await;
self.jobsman.spawn(self.clone().handle_receive_get_addrs(), ex).await;
// Send get_address message.
let get_addrs =
GetAddrsMessage { max: outbound_connections as u32, transports: allowed_transports };
self.channel.send(&get_addrs).await?;
debug!(
target: "net::protocol_address::start()",
"END => address={}", self.channel.address(),
);
Ok(())
}
fn name(&self) -> &'static str {
PROTO_NAME
}
}