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 305 306 307 308 309 310 311 312 313 314 315 316 317 318 319 320 321 322 323 324 325 326 327 328 329 330 331 332 333 334 335 336 337 338 339 340 341 342 343 344 345 346 347 348 349 350 351 352 353 354 355 356 357 358 359 360 361 362 363 364 365 366 367 368 369 370 371 372 373 374 375 376 377 378 379 380 381 382 383 384 385 386 387 388 389 390 391 392 393 394 395 396 397 398 399 400 401 402 403 404 405 406 407 408 409 410 411 412 413 414 415 416 417 418 419 420 421 422 423 424 425 426 427 428 429 430 431 432 433 434 435 436 437 438 439 440 441 442 443 444 445 446 447 448 449 450 451 452 453 454 455 456 457 458 459 460 461 462 463 464 465 466 467 468 469 470 471 472 473 474 475 476 477 478 479 480 481 482 483 484 485 486 487 488 489 490 491 492 493 494 495 496 497 498 499 500 501 502 503 504 505 506 507 508 509 510 511 512 513 514 515 516 517 518 519 520 521 522 523 524 525 526 527 528 529 530 531 532 533 534 535 536 537 538 539 540 541 542 543 544 545 546 547 548 549 550 551 552 553 554 555 556 557 558 559 560 561 562 563 564 565 566 567 568 569 570 571 572 573 574 575 576 577 578 579 580 581 582 583 584 585 586 587 588 589 590 591 592 593 594 595 596 597 598 599 600 601 602 603 604 605 606 607 608 609 610 611 612 613 614 615 616 617 618 619 620 621 622 623 624 625 626 627 628 629 630 631 632 633 634 635 636 637 638 639 640 641 642 643 644 645 646 647 648 649 650 651 652 653 654 655 656 657 658 659 660 661 662 663 664 665 666 667 668 669 670 671 672 673 674 675 676 677 678 679 680 681 682 683 684 685 686 687 688 689 690 691 692 693 694 695 696 697 698 699 700 701 702 703 704 705 706 707 708 709 710 711 712 713 714 715 716 717 718 719 720 721 722 723 724 725 726 727 728 729 730 731 732 733 734 735 736 737 738 739 740 741 742 743 744 745 746 747 748 749 750 751 752 753 754 755 756 757 758 759 760 761 762 763 764 765 766 767 768 769 770 771 772 773 774 775 776 777 778 779 780 781 782 783 784 785 786 787 788 789 790 791 792 793 794 795 796 797 798 799 800 801 802 803 804 805 806 807 808 809 810 811 812 813 814 815 816 817 818 819 820 821 822 823 824 825 826 827 828 829 830 831 832 833 834 835 836 837 838 839 840 841 842 843 844 845 846 847 848 849 850 851 852 853 854 855 856 857 858 859 860 861 862 863 864 865 866 867 868 869 870 871 872 873 874 875 876 877 878 879 880 881 882 883 884 885 886 887 888 889 890 891 892 893 894 895 896 897 898 899 900 901 902 903 904 905 906 907 908 909 910 911 912 913 914 915 916 917 918 919 920 921 922 923 924 925 926 927 928 929 930 931 932 933 934 935 936 937 938 939 940 941 942 943 944 945 946 947 948 949 950 951 952 953 954 955 956 957 958 959 960 961 962 963 964 965 966 967 968 969 970 971 972 973 974 975 976 977 978 979 980 981 982 983 984 985 986 987 988 989 990 991 992 993 994 995 996 997 998 999 1000 1001 1002 1003 1004 1005 1006 1007 1008 1009 1010 1011 1012 1013 1014 1015 1016 1017 1018 1019 1020 1021 1022 1023 1024 1025 1026 1027 1028 1029 1030 1031 1032 1033 1034 1035 1036 1037 1038 1039 1040 1041 1042 1043 1044 1045 1046 1047 1048 1049 1050 1051 1052 1053 1054 1055 1056 1057 1058 1059 1060 1061 1062 1063 1064 1065 1066 1067 1068 1069 1070 1071 1072 1073 1074 1075 1076 1077 1078 1079 1080 1081 1082 1083 1084 1085 1086 1087 1088 1089 1090 1091 1092 1093 1094 1095 1096 1097 1098 1099 1100 1101 1102 1103 1104 1105 1106 1107 1108 1109 1110 1111 1112 1113 1114 1115 1116 1117 1118 1119 1120 1121 1122 1123 1124 1125 1126 1127 1128 1129 1130 1131 1132 1133 1134 1135 1136 1137 1138 1139 1140 1141 1142 1143 1144 1145 1146 1147 1148 1149 1150 1151 1152 1153 1154 1155 1156 1157 1158 1159 1160 1161 1162 1163 1164 1165 1166 1167 1168 1169 1170 1171 1172 1173 1174 1175 1176 1177 1178 1179 1180 1181 1182 1183 1184 1185 1186 1187 1188 1189 1190 1191 1192 1193 1194 1195 1196 1197 1198 1199 1200 1201 1202 1203 1204 1205 1206 1207 1208 1209 1210 1211 1212 1213 1214 1215 1216 1217 1218 1219 1220 1221 1222 1223 1224 1225 1226 1227 1228 1229 1230 1231 1232 1233 1234 1235 1236 1237 1238 1239 1240 1241 1242 1243 1244 1245 1246 1247 1248 1249 1250 1251 1252 1253 1254 1255 1256 1257 1258 1259 1260 1261 1262 1263 1264 1265 1266 1267 1268 1269 1270 1271 1272 1273 1274 1275 1276 1277 1278 1279 1280 1281 1282 1283 1284 1285 1286 1287 1288 1289 1290 1291 1292 1293 1294 1295 1296 1297 1298 1299 1300 1301 1302 1303 1304 1305 1306 1307 1308 1309 1310 1311 1312 1313 1314 1315 1316 1317 1318 1319 1320 1321 1322 1323 1324 1325 1326 1327 1328 1329 1330 1331 1332 1333 1334 1335 1336 1337 1338 1339 1340 1341 1342 1343 1344 1345 1346 1347 1348 1349 1350 1351 1352 1353 1354 1355 1356 1357 1358 1359 1360 1361 1362 1363 1364 1365 1366 1367 1368 1369 1370 1371 1372 1373 1374 1375 1376 1377 1378 1379 1380 1381 1382 1383 1384 1385 1386 1387 1388 1389 1390 1391 1392 1393 1394 1395 1396 1397 1398 1399 1400 1401 1402 1403 1404 1405 1406 1407 1408 1409 1410 1411 1412 1413 1414 1415 1416 1417 1418 1419 1420 1421 1422 1423 1424 1425 1426 1427 1428 1429 1430 1431 1432 1433 1434 1435 1436 1437 1438 1439 1440 1441 1442 1443 1444 1445 1446 1447 1448 1449 1450 1451 1452 1453 1454 1455 1456 1457 1458 1459 1460 1461 1462 1463 1464 1465 1466 1467 1468 1469 1470 1471 1472 1473 1474 1475 1476 1477 1478 1479 1480 1481 1482 1483 1484 1485 1486 1487 1488 1489 1490 1491 1492 1493 1494 1495 1496 1497 1498 1499 1500 1501 1502 1503 1504 1505 1506 1507 1508 1509 1510 1511 1512 1513 1514
//! Handle downloading blobs and collections concurrently and from nodes.
//!
//! The [`Downloader`] interacts with four main components to this end.
//! - [`Dialer`]: Used to queue opening connections to nodes we need to perform downloads.
//! - `ProviderMap`: Where the downloader obtains information about nodes that could be
//! used to perform a download.
//! - [`Store`]: Where data is stored.
//!
//! Once a download request is received, the logic is as follows:
//! 1. The `ProviderMap` is queried for nodes. From these nodes some are selected
//! prioritizing connected nodes with lower number of active requests. If no useful node is
//! connected, or useful connected nodes have no capacity to perform the request, a connection
//! attempt is started using the [`Dialer`].
//! 2. The download is queued for processing at a later time. Downloads are not performed right
//! away. Instead, they are initially delayed to allow the node to obtain the data itself, and
//! to wait for the new connection to be established if necessary.
//! 3. Once a request is ready to be sent after a delay (initial or for a retry), the preferred
//! node is used if available. The request is now considered active.
//!
//! Concurrency is limited in different ways:
//! - *Total number of active request:* This is a way to prevent a self DoS by overwhelming our own
//! bandwidth capacity. This is a best effort heuristic since it doesn't take into account how
//! much data we are actually requesting or receiving.
//! - *Total number of connected nodes:* Peer connections are kept for a longer time than they are
//! strictly needed since it's likely they will be useful soon again.
//! - *Requests per node*: to avoid overwhelming nodes with requests, the number of concurrent
//! requests to a single node is also limited.
use std::{
collections::{
hash_map::{self, Entry},
HashMap, HashSet,
},
fmt,
future::Future,
num::NonZeroUsize,
sync::{
atomic::{AtomicU64, Ordering},
Arc,
},
time::Duration,
};
use futures_lite::{future::BoxedLocal, Stream, StreamExt};
use hashlink::LinkedHashSet;
use iroh_base::hash::{BlobFormat, Hash, HashAndFormat};
use iroh_metrics::inc;
use iroh_net::{endpoint, Endpoint, NodeAddr, NodeId};
use tokio::{
sync::{mpsc, oneshot},
task::JoinSet,
};
use tokio_util::{either::Either, sync::CancellationToken, time::delay_queue};
use tracing::{debug, error_span, trace, warn, Instrument};
use crate::{
get::{db::DownloadProgress, Stats},
metrics::Metrics,
store::Store,
util::{local_pool::LocalPoolHandle, progress::ProgressSender},
};
mod get;
mod invariants;
mod progress;
mod test;
use self::progress::{BroadcastProgressSender, ProgressSubscriber, ProgressTracker};
/// Duration for which we keep nodes connected after they were last useful to us.
const IDLE_PEER_TIMEOUT: Duration = Duration::from_secs(10);
/// Capacity of the channel used to communicate between the [`Downloader`] and the [`Service`].
const SERVICE_CHANNEL_CAPACITY: usize = 128;
/// Identifier for a download intent.
#[derive(Debug, Copy, Clone, Eq, PartialEq, Ord, PartialOrd, Hash, derive_more::Display)]
pub struct IntentId(pub u64);
/// Trait modeling a dialer. This allows for IO-less testing.
pub trait Dialer: Stream<Item = (NodeId, anyhow::Result<Self::Connection>)> + Unpin {
/// Type of connections returned by the Dialer.
type Connection: Clone + 'static;
/// Dial a node.
fn queue_dial(&mut self, node_id: NodeId);
/// Get the number of dialing nodes.
fn pending_count(&self) -> usize;
/// Check if a node is being dialed.
fn is_pending(&self, node: NodeId) -> bool;
/// Get the node id of our node.
fn node_id(&self) -> NodeId;
}
/// Signals what should be done with the request when it fails.
#[derive(Debug)]
pub enum FailureAction {
/// The request was cancelled by us.
AllIntentsDropped,
/// An error occurred that prevents the request from being retried at all.
AbortRequest(anyhow::Error),
/// An error occurred that suggests the node should not be used in general.
DropPeer(anyhow::Error),
/// An error occurred in which neither the node nor the request are at fault.
RetryLater(anyhow::Error),
}
/// Future of a get request, for the checking stage.
type GetStartFut<N> = BoxedLocal<Result<GetOutput<N>, FailureAction>>;
/// Future of a get request, for the downloading stage.
type GetProceedFut = BoxedLocal<InternalDownloadResult>;
/// Trait modelling performing a single request over a connection. This allows for IO-less testing.
pub trait Getter {
/// Type of connections the Getter requires to perform a download.
type Connection: 'static;
/// Type of the intermediary state returned from [`Self::get`] if a connection is needed.
type NeedsConn: NeedsConn<Self::Connection>;
/// Returns a future that checks the local store if the request is already complete, returning
/// a struct implementing [`NeedsConn`] if we need a network connection to proceed.
fn get(
&mut self,
kind: DownloadKind,
progress_sender: BroadcastProgressSender,
) -> GetStartFut<Self::NeedsConn>;
}
/// Trait modelling the intermediary state when a connection is needed to proceed.
pub trait NeedsConn<C>: std::fmt::Debug + 'static {
/// Proceeds the download with the given connection.
fn proceed(self, conn: C) -> GetProceedFut;
}
/// Output returned from [`Getter::get`].
#[derive(Debug)]
pub enum GetOutput<N> {
/// The request is already complete in the local store.
Complete(Stats),
/// The request needs a connection to continue.
NeedsConn(N),
}
/// Concurrency limits for the [`Downloader`].
#[derive(Debug)]
pub struct ConcurrencyLimits {
/// Maximum number of requests the service performs concurrently.
pub max_concurrent_requests: usize,
/// Maximum number of requests performed by a single node concurrently.
pub max_concurrent_requests_per_node: usize,
/// Maximum number of open connections the service maintains.
pub max_open_connections: usize,
/// Maximum number of nodes to dial concurrently for a single request.
pub max_concurrent_dials_per_hash: usize,
}
impl Default for ConcurrencyLimits {
fn default() -> Self {
// these numbers should be checked against a running node and might depend on platform
ConcurrencyLimits {
max_concurrent_requests: 50,
max_concurrent_requests_per_node: 4,
max_open_connections: 25,
max_concurrent_dials_per_hash: 5,
}
}
}
impl ConcurrencyLimits {
/// Checks if the maximum number of concurrent requests has been reached.
fn at_requests_capacity(&self, active_requests: usize) -> bool {
active_requests >= self.max_concurrent_requests
}
/// Checks if the maximum number of concurrent requests per node has been reached.
fn node_at_request_capacity(&self, active_node_requests: usize) -> bool {
active_node_requests >= self.max_concurrent_requests_per_node
}
/// Checks if the maximum number of connections has been reached.
fn at_connections_capacity(&self, active_connections: usize) -> bool {
active_connections >= self.max_open_connections
}
/// Checks if the maximum number of concurrent dials per hash has been reached.
///
/// Note that this limit is not strictly enforced, and not checked in
/// [`Service::check_invariants`]. A certain hash can exceed this limit in a valid way if some
/// of its providers are dialed for another hash. However, once the limit is reached,
/// no new dials will be initiated for the hash.
fn at_dials_per_hash_capacity(&self, concurrent_dials: usize) -> bool {
concurrent_dials >= self.max_concurrent_dials_per_hash
}
}
/// Configuration for retry behavior of the [`Downloader`].
#[derive(Debug)]
pub struct RetryConfig {
/// Maximum number of retry attempts for a node that failed to dial or failed with IO errors.
pub max_retries_per_node: u32,
/// The initial delay to wait before retrying a node. On subsequent failures, the retry delay
/// will be multiplied with the number of failed retries.
pub initial_retry_delay: Duration,
}
impl Default for RetryConfig {
fn default() -> Self {
Self {
max_retries_per_node: 6,
initial_retry_delay: Duration::from_millis(500),
}
}
}
/// A download request.
#[derive(Debug, Clone)]
pub struct DownloadRequest {
kind: DownloadKind,
nodes: Vec<NodeAddr>,
progress: Option<ProgressSubscriber>,
}
impl DownloadRequest {
/// Create a new download request.
///
/// It is the responsibility of the caller to ensure that the data is tagged either with a
/// temp tag or with a persistent tag to make sure the data is not garbage collected during
/// the download.
///
/// If this is not done, there download will proceed as normal, but there is no guarantee
/// that the data is still available when the download is complete.
pub fn new(
resource: impl Into<DownloadKind>,
nodes: impl IntoIterator<Item = impl Into<NodeAddr>>,
) -> Self {
Self {
kind: resource.into(),
nodes: nodes.into_iter().map(|n| n.into()).collect(),
progress: None,
}
}
/// Pass a progress sender to receive progress updates.
pub fn progress_sender(mut self, sender: ProgressSubscriber) -> Self {
self.progress = Some(sender);
self
}
}
/// The kind of resource to download.
#[derive(Debug, Eq, PartialEq, Hash, Clone, Copy, derive_more::From, derive_more::Into)]
pub struct DownloadKind(HashAndFormat);
impl DownloadKind {
/// Get the hash of this download
pub const fn hash(&self) -> Hash {
self.0.hash
}
/// Get the format of this download
pub const fn format(&self) -> BlobFormat {
self.0.format
}
/// Get the [`HashAndFormat`] pair of this download
pub const fn hash_and_format(&self) -> HashAndFormat {
self.0
}
}
impl fmt::Display for DownloadKind {
fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
write!(f, "{}:{:?}", self.0.hash.fmt_short(), self.0.format)
}
}
/// The result of a download request, as returned to the application code.
type ExternalDownloadResult = Result<Stats, DownloadError>;
/// The result of a download request, as used in this module.
type InternalDownloadResult = Result<Stats, FailureAction>;
/// Error returned when a download could not be completed.
#[derive(Debug, Clone, thiserror::Error)]
pub enum DownloadError {
/// Failed to download from any provider
#[error("Failed to complete download")]
DownloadFailed,
/// The download was cancelled by us
#[error("Download cancelled by us")]
Cancelled,
/// No provider nodes found
#[error("No provider nodes found")]
NoProviders,
/// Failed to receive response from service.
#[error("Failed to receive response from download service")]
ActorClosed,
}
/// Handle to interact with a download request.
#[derive(Debug)]
pub struct DownloadHandle {
/// Id used to identify the request in the [`Downloader`].
id: IntentId,
/// Kind of download.
kind: DownloadKind,
/// Receiver to retrieve the return value of this download.
receiver: oneshot::Receiver<ExternalDownloadResult>,
}
impl Future for DownloadHandle {
type Output = ExternalDownloadResult;
fn poll(
mut self: std::pin::Pin<&mut Self>,
cx: &mut std::task::Context<'_>,
) -> std::task::Poll<Self::Output> {
use std::task::Poll::*;
// make it easier on holders of the handle to poll the result, removing the receiver error
// from the middle
match std::pin::Pin::new(&mut self.receiver).poll(cx) {
Ready(Ok(result)) => Ready(result),
Ready(Err(_recv_err)) => Ready(Err(DownloadError::ActorClosed)),
Pending => Pending,
}
}
}
/// Handle for the download services.
#[derive(Clone, Debug)]
pub struct Downloader {
/// Next id to use for a download intent.
next_id: Arc<AtomicU64>,
/// Channel to communicate with the service.
msg_tx: mpsc::Sender<Message>,
}
impl Downloader {
/// Create a new Downloader with the default [`ConcurrencyLimits`] and [`RetryConfig`].
pub fn new<S>(store: S, endpoint: Endpoint, rt: LocalPoolHandle) -> Self
where
S: Store,
{
Self::with_config(store, endpoint, rt, Default::default(), Default::default())
}
/// Create a new Downloader with custom [`ConcurrencyLimits`] and [`RetryConfig`].
pub fn with_config<S>(
store: S,
endpoint: Endpoint,
rt: LocalPoolHandle,
concurrency_limits: ConcurrencyLimits,
retry_config: RetryConfig,
) -> Self
where
S: Store,
{
let me = endpoint.node_id().fmt_short();
let (msg_tx, msg_rx) = mpsc::channel(SERVICE_CHANNEL_CAPACITY);
let dialer = iroh_net::dialer::Dialer::new(endpoint);
let create_future = move || {
let getter = get::IoGetter {
store: store.clone(),
};
let service = Service::new(getter, dialer, concurrency_limits, retry_config, msg_rx);
service.run().instrument(error_span!("downloader", %me))
};
rt.spawn_detached(create_future);
Self {
next_id: Arc::new(AtomicU64::new(0)),
msg_tx,
}
}
/// Queue a download.
pub async fn queue(&self, request: DownloadRequest) -> DownloadHandle {
let kind = request.kind;
let intent_id = IntentId(self.next_id.fetch_add(1, Ordering::SeqCst));
let (sender, receiver) = oneshot::channel();
let handle = DownloadHandle {
id: intent_id,
kind,
receiver,
};
let msg = Message::Queue {
on_finish: sender,
request,
intent_id,
};
// if this fails polling the handle will fail as well since the sender side of the oneshot
// will be dropped
if let Err(send_err) = self.msg_tx.send(msg).await {
let msg = send_err.0;
debug!(?msg, "download not sent");
}
handle
}
/// Cancel a download.
// NOTE: receiving the handle ensures an intent can't be cancelled twice
pub async fn cancel(&self, handle: DownloadHandle) {
let DownloadHandle {
id,
kind,
receiver: _,
} = handle;
let msg = Message::CancelIntent { id, kind };
if let Err(send_err) = self.msg_tx.send(msg).await {
let msg = send_err.0;
debug!(?msg, "cancel not sent");
}
}
/// Declare that certain nodes can be used to download a hash.
///
/// Note that this does not start a download, but only provides new nodes to already queued
/// downloads. Use [`Self::queue`] to queue a download.
pub async fn nodes_have(&mut self, hash: Hash, nodes: Vec<NodeId>) {
let msg = Message::NodesHave { hash, nodes };
if let Err(send_err) = self.msg_tx.send(msg).await {
let msg = send_err.0;
debug!(?msg, "nodes have not been sent")
}
}
}
/// Messages the service can receive.
#[derive(derive_more::Debug)]
enum Message {
/// Queue a download intent.
Queue {
request: DownloadRequest,
#[debug(skip)]
on_finish: oneshot::Sender<ExternalDownloadResult>,
intent_id: IntentId,
},
/// Declare that nodes have a certain hash and can be used for downloading.
NodesHave { hash: Hash, nodes: Vec<NodeId> },
/// Cancel an intent. The associated request will be cancelled when the last intent is
/// cancelled.
CancelIntent { id: IntentId, kind: DownloadKind },
}
#[derive(derive_more::Debug)]
struct IntentHandlers {
#[debug("oneshot::Sender<DownloadResult>")]
on_finish: oneshot::Sender<ExternalDownloadResult>,
on_progress: Option<ProgressSubscriber>,
}
/// Information about a request.
#[derive(Debug)]
struct RequestInfo<NC> {
/// Registered intents with progress senders and result callbacks.
intents: HashMap<IntentId, IntentHandlers>,
progress_sender: BroadcastProgressSender,
get_state: Option<NC>,
}
/// Information about a request in progress.
#[derive(derive_more::Debug)]
struct ActiveRequestInfo {
/// Token used to cancel the future doing the request.
#[debug(skip)]
cancellation: CancellationToken,
/// Peer doing this request attempt.
node: NodeId,
}
#[derive(Debug, Default)]
struct RetryState {
/// How many times did we retry this node?
retry_count: u32,
/// Whether the node is currently queued for retry.
retry_is_queued: bool,
}
/// State of the connection to this node.
#[derive(derive_more::Debug)]
struct ConnectionInfo<Conn> {
/// Connection to this node.
#[debug(skip)]
conn: Conn,
/// State of this node.
state: ConnectedState,
}
impl<Conn> ConnectionInfo<Conn> {
/// Create a new idle node.
fn new_idle(connection: Conn, drop_key: delay_queue::Key) -> Self {
ConnectionInfo {
conn: connection,
state: ConnectedState::Idle { drop_key },
}
}
/// Count of active requests for the node.
fn active_requests(&self) -> usize {
match self.state {
ConnectedState::Busy { active_requests } => active_requests.get(),
ConnectedState::Idle { .. } => 0,
}
}
/// Returns `true` if the node is currently idle.
fn is_idle(&self) -> bool {
matches!(self.state, ConnectedState::Idle { .. })
}
}
/// State of a connected node.
#[derive(derive_more::Debug)]
enum ConnectedState {
/// Peer is handling at least one request.
Busy {
#[debug("{}", active_requests.get())]
active_requests: NonZeroUsize,
},
/// Peer is idle.
Idle {
#[debug(skip)]
drop_key: delay_queue::Key,
},
}
#[derive(Debug)]
enum NodeState<'a, Conn> {
Connected(&'a ConnectionInfo<Conn>),
Dialing,
WaitForRetry,
Disconnected,
}
#[derive(Debug)]
struct Service<G: Getter, D: Dialer> {
/// The getter performs individual requests.
getter: G,
/// Map to query for nodes that we believe have the data we are looking for.
providers: ProviderMap,
/// Dialer to get connections for required nodes.
dialer: D,
/// Limits to concurrent tasks handled by the service.
concurrency_limits: ConcurrencyLimits,
/// Configuration for retry behavior.
retry_config: RetryConfig,
/// Channel to receive messages from the service's handle.
msg_rx: mpsc::Receiver<Message>,
/// Nodes to which we have an active or idle connection.
connected_nodes: HashMap<NodeId, ConnectionInfo<D::Connection>>,
/// We track a retry state for nodes which failed to dial or in a transfer.
retry_node_state: HashMap<NodeId, RetryState>,
/// Delay queue for retrying failed nodes.
retry_nodes_queue: delay_queue::DelayQueue<NodeId>,
/// Delay queue for dropping idle nodes.
goodbye_nodes_queue: delay_queue::DelayQueue<NodeId>,
/// Queue of pending downloads.
queue: Queue,
/// Information about pending and active requests.
requests: HashMap<DownloadKind, RequestInfo<G::NeedsConn>>,
/// State of running downloads.
active_requests: HashMap<DownloadKind, ActiveRequestInfo>,
/// Tasks for currently running downloads.
in_progress_downloads: JoinSet<(DownloadKind, InternalDownloadResult)>,
/// Progress tracker
progress_tracker: ProgressTracker,
}
impl<G: Getter<Connection = D::Connection>, D: Dialer> Service<G, D> {
fn new(
getter: G,
dialer: D,
concurrency_limits: ConcurrencyLimits,
retry_config: RetryConfig,
msg_rx: mpsc::Receiver<Message>,
) -> Self {
Service {
getter,
dialer,
msg_rx,
concurrency_limits,
retry_config,
connected_nodes: Default::default(),
retry_node_state: Default::default(),
providers: Default::default(),
requests: Default::default(),
retry_nodes_queue: delay_queue::DelayQueue::default(),
goodbye_nodes_queue: delay_queue::DelayQueue::default(),
active_requests: Default::default(),
in_progress_downloads: Default::default(),
progress_tracker: ProgressTracker::new(),
queue: Default::default(),
}
}
/// Main loop for the service.
async fn run(mut self) {
loop {
trace!("wait for tick");
inc!(Metrics, downloader_tick_main);
tokio::select! {
Some((node, conn_result)) = self.dialer.next() => {
trace!(node=%node.fmt_short(), "tick: connection ready");
inc!(Metrics, downloader_tick_connection_ready);
self.on_connection_ready(node, conn_result);
}
maybe_msg = self.msg_rx.recv() => {
trace!(msg=?maybe_msg, "tick: message received");
inc!(Metrics, downloader_tick_message_received);
match maybe_msg {
Some(msg) => self.handle_message(msg).await,
None => return self.shutdown().await,
}
}
Some(res) = self.in_progress_downloads.join_next(), if !self.in_progress_downloads.is_empty() => {
match res {
Ok((kind, result)) => {
trace!(%kind, "tick: transfer completed");
inc!(Metrics, downloader_tick_transfer_completed);
self.on_download_completed(kind, result);
}
Err(err) => {
warn!(?err, "transfer task panicked");
inc!(Metrics, downloader_tick_transfer_failed);
}
}
}
Some(expired) = self.retry_nodes_queue.next() => {
let node = expired.into_inner();
trace!(node=%node.fmt_short(), "tick: retry node");
inc!(Metrics, downloader_tick_retry_node);
self.on_retry_wait_elapsed(node);
}
Some(expired) = self.goodbye_nodes_queue.next() => {
let node = expired.into_inner();
trace!(node=%node.fmt_short(), "tick: goodbye node");
inc!(Metrics, downloader_tick_goodbye_node);
self.disconnect_idle_node(node, "idle expired");
}
}
self.process_head();
#[cfg(any(test, debug_assertions))]
self.check_invariants();
}
}
/// Handle receiving a [`Message`].
///
// This is called in the actor loop, and only async because subscribing to an existing transfer
// sends the initial state.
async fn handle_message(&mut self, msg: Message) {
match msg {
Message::Queue {
request,
on_finish,
intent_id,
} => {
self.handle_queue_new_download(request, intent_id, on_finish)
.await
}
Message::CancelIntent { id, kind } => self.handle_cancel_download(id, kind).await,
Message::NodesHave { hash, nodes } => {
let updated = self
.providers
.add_nodes_if_hash_exists(hash, nodes.iter().cloned());
if updated {
self.queue.unpark_hash(hash);
}
}
}
}
/// Handle a [`Message::Queue`].
///
/// If this intent maps to a request that already exists, it will be registered with it. If the
/// request is new it will be scheduled.
async fn handle_queue_new_download(
&mut self,
request: DownloadRequest,
intent_id: IntentId,
on_finish: oneshot::Sender<ExternalDownloadResult>,
) {
let DownloadRequest {
kind,
nodes,
progress,
} = request;
debug!(%kind, nodes=?nodes.iter().map(|n| n.node_id.fmt_short()).collect::<Vec<_>>(), "queue intent");
// store the download intent
let intent_handlers = IntentHandlers {
on_finish,
on_progress: progress,
};
// add the nodes to the provider map
// (skip the node id of our own node - we should never attempt to download from ourselves)
let node_ids = nodes
.iter()
.map(|n| n.node_id)
.filter(|node_id| *node_id != self.dialer.node_id());
let updated = self.providers.add_hash_with_nodes(kind.hash(), node_ids);
// queue the transfer (if not running) or attach to transfer progress (if already running)
match self.requests.entry(kind) {
hash_map::Entry::Occupied(mut entry) => {
if let Some(on_progress) = &intent_handlers.on_progress {
// this is async because it sends the current state over the progress channel
if let Err(err) = self
.progress_tracker
.subscribe(kind, on_progress.clone())
.await
{
debug!(?err, %kind, "failed to subscribe progress sender to transfer");
}
}
entry.get_mut().intents.insert(intent_id, intent_handlers);
}
hash_map::Entry::Vacant(entry) => {
let progress_sender = self.progress_tracker.track(
kind,
intent_handlers
.on_progress
.clone()
.into_iter()
.collect::<Vec<_>>(),
);
let get_state = match self.getter.get(kind, progress_sender.clone()).await {
Err(err) => {
// This prints a "FailureAction" which is somewhat weird, but that's all we get here.
tracing::error!(?err, "failed queuing new download");
self.finalize_download(
kind,
[(intent_id, intent_handlers)].into(),
// TODO: add better error variant? this is only triggered if the local
// store failed with local IO.
Err(DownloadError::DownloadFailed),
);
return;
}
Ok(GetOutput::Complete(stats)) => {
self.finalize_download(
kind,
[(intent_id, intent_handlers)].into(),
Ok(stats),
);
return;
}
Ok(GetOutput::NeedsConn(state)) => {
// early exit if no providers.
if self.providers.get_candidates(&kind.hash()).next().is_none() {
self.finalize_download(
kind,
[(intent_id, intent_handlers)].into(),
Err(DownloadError::NoProviders),
);
return;
}
state
}
};
entry.insert(RequestInfo {
intents: [(intent_id, intent_handlers)].into_iter().collect(),
progress_sender,
get_state: Some(get_state),
});
self.queue.insert(kind);
}
}
if updated && self.queue.is_parked(&kind) {
// the transfer is on hold for pending retries, and we added new nodes, so move back to queue.
self.queue.unpark(&kind);
}
}
/// Cancels a download intent.
///
/// This removes the intent from the list of intents for the `kind`. If the removed intent was
/// the last one for the `kind`, this means that the download is no longer needed. In this
/// case, the `kind` will be removed from the list of pending downloads - and, if the download was
/// already started, the download task will be cancelled.
///
/// The method is async because it will send a final abort event on the progress sender.
async fn handle_cancel_download(&mut self, intent_id: IntentId, kind: DownloadKind) {
let Entry::Occupied(mut occupied_entry) = self.requests.entry(kind) else {
warn!(%kind, %intent_id, "cancel download called for unknown download");
return;
};
let request_info = occupied_entry.get_mut();
if let Some(handlers) = request_info.intents.remove(&intent_id) {
handlers.on_finish.send(Err(DownloadError::Cancelled)).ok();
if let Some(sender) = handlers.on_progress {
self.progress_tracker.unsubscribe(&kind, &sender);
sender
.send(DownloadProgress::Abort(serde_error::Error::new(
&*anyhow::Error::from(DownloadError::Cancelled),
)))
.await
.ok();
}
}
if request_info.intents.is_empty() {
occupied_entry.remove();
if let Entry::Occupied(occupied_entry) = self.active_requests.entry(kind) {
occupied_entry.remove().cancellation.cancel();
} else {
self.queue.remove(&kind);
}
self.remove_hash_if_not_queued(&kind.hash());
}
}
/// Handle receiving a new connection.
fn on_connection_ready(&mut self, node: NodeId, result: anyhow::Result<D::Connection>) {
debug_assert!(
!self.connected_nodes.contains_key(&node),
"newly connected node is not yet connected"
);
match result {
Ok(connection) => {
trace!(node=%node.fmt_short(), "connected to node");
let drop_key = self.goodbye_nodes_queue.insert(node, IDLE_PEER_TIMEOUT);
self.connected_nodes
.insert(node, ConnectionInfo::new_idle(connection, drop_key));
}
Err(err) => {
debug!(%node, %err, "connection to node failed");
self.disconnect_and_retry(node);
}
}
}
fn on_download_completed(&mut self, kind: DownloadKind, result: InternalDownloadResult) {
// first remove the request
let active_request_info = self
.active_requests
.remove(&kind)
.expect("request was active");
// get general request info
let request_info = self.requests.remove(&kind).expect("request was active");
let ActiveRequestInfo { node, .. } = active_request_info;
// get node info
let node_info = self
.connected_nodes
.get_mut(&node)
.expect("node exists in the mapping");
// update node busy/idle state
node_info.state = match NonZeroUsize::new(node_info.active_requests() - 1) {
None => {
// last request of the node was this one, switch to idle
let drop_key = self.goodbye_nodes_queue.insert(node, IDLE_PEER_TIMEOUT);
ConnectedState::Idle { drop_key }
}
Some(active_requests) => ConnectedState::Busy { active_requests },
};
match &result {
Ok(_) => {
debug!(%kind, node=%node.fmt_short(), "download successful");
// clear retry state if operation was successful
self.retry_node_state.remove(&node);
}
Err(FailureAction::AllIntentsDropped) => {
debug!(%kind, node=%node.fmt_short(), "download cancelled");
}
Err(FailureAction::AbortRequest(reason)) => {
debug!(%kind, node=%node.fmt_short(), %reason, "download failed: abort request");
// do not try to download the hash from this node again
self.providers.remove_hash_from_node(&kind.hash(), &node);
}
Err(FailureAction::DropPeer(reason)) => {
debug!(%kind, node=%node.fmt_short(), %reason, "download failed: drop node");
if node_info.is_idle() {
// remove the node
self.remove_node(node, "explicit drop");
} else {
// do not try to download the hash from this node again
self.providers.remove_hash_from_node(&kind.hash(), &node);
}
}
Err(FailureAction::RetryLater(reason)) => {
debug!(%kind, node=%node.fmt_short(), %reason, "download failed: retry later");
if node_info.is_idle() {
self.disconnect_and_retry(node);
}
}
};
// we finalize the download if either the download was successful,
// or if it should never proceed because all intents were dropped,
// or if we don't have any candidates to proceed with anymore.
let finalize = match &result {
Ok(_) | Err(FailureAction::AllIntentsDropped) => true,
_ => !self.providers.has_candidates(&kind.hash()),
};
if finalize {
let result = result.map_err(|_| DownloadError::DownloadFailed);
self.finalize_download(kind, request_info.intents, result);
} else {
// reinsert the download at the front of the queue to try from the next node
self.requests.insert(kind, request_info);
self.queue.insert_front(kind);
}
}
/// Finalize a download.
///
/// This triggers the intent return channels, and removes the download from the progress tracker
/// and provider map.
fn finalize_download(
&mut self,
kind: DownloadKind,
intents: HashMap<IntentId, IntentHandlers>,
result: ExternalDownloadResult,
) {
self.progress_tracker.remove(&kind);
self.remove_hash_if_not_queued(&kind.hash());
for (_id, handlers) in intents.into_iter() {
handlers.on_finish.send(result.clone()).ok();
}
}
fn on_retry_wait_elapsed(&mut self, node: NodeId) {
// check if the node is still needed
let Some(hashes) = self.providers.node_hash.get(&node) else {
self.retry_node_state.remove(&node);
return;
};
let Some(state) = self.retry_node_state.get_mut(&node) else {
warn!(node=%node.fmt_short(), "missing retry state for node ready for retry");
return;
};
state.retry_is_queued = false;
for hash in hashes {
self.queue.unpark_hash(*hash);
}
}
/// Start the next downloads, or dial nodes, if limits permit and the queue is non-empty.
///
/// This is called after all actions. If there is nothing to do, it will return cheaply.
/// Otherwise, we will check the next hash in the queue, and:
/// * start the transfer if we are connected to a provider and limits are ok
/// * or, connect to a provider, if there is one we are not dialing yet and limits are ok
/// * or, disconnect an idle node if it would allow us to connect to a provider,
/// * or, if all providers are waiting for retry, park the download
/// * or, if our limits are reached, do nothing for now
///
/// The download requests will only be popped from the queue once we either start the transfer
/// from a connected node [`NextStep::StartTransfer`], or if we abort the download on
/// [`NextStep::OutOfProviders`]. In all other cases, the request is kept at the top of the
/// queue, so the next call to [`Self::process_head`] will evaluate the situation again - and
/// so forth, until either [`NextStep::StartTransfer`] or [`NextStep::OutOfProviders`] is
/// reached.
fn process_head(&mut self) {
// start as many queued downloads as allowed by the request limits.
loop {
let Some(kind) = self.queue.front().cloned() else {
break;
};
let next_step = self.next_step(&kind);
trace!(%kind, ?next_step, "process_head");
match next_step {
NextStep::Wait => break,
NextStep::StartTransfer(node) => {
let _ = self.queue.pop_front();
debug!(%kind, node=%node.fmt_short(), "start transfer");
self.start_download(kind, node);
}
NextStep::Dial(node) => {
debug!(%kind, node=%node.fmt_short(), "dial node");
self.dialer.queue_dial(node);
}
NextStep::DialQueuedDisconnect(node, key) => {
let idle_node = self.goodbye_nodes_queue.remove(&key).into_inner();
self.disconnect_idle_node(idle_node, "drop idle for new dial");
debug!(%kind, node=%node.fmt_short(), idle_node=%idle_node.fmt_short(), "dial node, disconnect idle node)");
self.dialer.queue_dial(node);
}
NextStep::Park => {
debug!(%kind, "park download: all providers waiting for retry");
self.queue.park_front();
}
NextStep::OutOfProviders => {
debug!(%kind, "abort download: out of providers");
let _ = self.queue.pop_front();
let info = self.requests.remove(&kind).expect("queued downloads exist");
self.finalize_download(kind, info.intents, Err(DownloadError::NoProviders));
}
}
}
}
/// Drop the connection to a node and insert it into the the retry queue.
fn disconnect_and_retry(&mut self, node: NodeId) {
self.disconnect_idle_node(node, "queue retry");
let retry_state = self.retry_node_state.entry(node).or_default();
retry_state.retry_count += 1;
if retry_state.retry_count <= self.retry_config.max_retries_per_node {
// node can be retried
debug!(node=%node.fmt_short(), retry_count=retry_state.retry_count, "queue retry");
let timeout = self.retry_config.initial_retry_delay * retry_state.retry_count;
self.retry_nodes_queue.insert(node, timeout);
retry_state.retry_is_queued = true;
} else {
// node is dead
self.remove_node(node, "retries exceeded");
}
}
/// Calculate the next step needed to proceed the download for `kind`.
///
/// This is called once `kind` has reached the head of the queue, see [`Self::process_head`].
/// It can be called repeatedly, and does nothing on itself, only calculate what *should* be
/// done next.
///
/// See [`NextStep`] for details on the potential next steps returned from this method.
fn next_step(&self, kind: &DownloadKind) -> NextStep {
// If the total requests capacity is reached, we have to wait until an active request
// completes.
if self
.concurrency_limits
.at_requests_capacity(self.active_requests.len())
{
return NextStep::Wait;
};
let mut candidates = self.providers.get_candidates(&kind.hash()).peekable();
// If we have no provider candidates for this download, there's nothing else we can do.
if candidates.peek().is_none() {
return NextStep::OutOfProviders;
}
// Track if there is provider node to which we are connected and which is not at its request capacity.
// If there are more than one, take the one with the least amount of running transfers.
let mut best_connected: Option<(NodeId, usize)> = None;
// Track if there is a disconnected provider node to which we can potentially connect.
let mut next_to_dial = None;
// Track the number of provider nodes that are currently being dialed.
let mut currently_dialing = 0;
// Track if we have at least one provider node which is currently at its request capacity.
// If this is the case, we will never return [`NextStep::OutOfProviders`] but [`NextStep::Wait`]
// instead, because we can still try that node once it has finished its work.
let mut has_exhausted_provider = false;
// Track if we have at least one provider node that is currently in the retry queue.
let mut has_retrying_provider = false;
for node in candidates {
match self.node_state(node) {
NodeState::Connected(info) => {
let active_requests = info.active_requests();
if self
.concurrency_limits
.node_at_request_capacity(active_requests)
{
has_exhausted_provider = true;
} else {
best_connected = Some(match best_connected.take() {
Some(old) if old.1 <= active_requests => old,
_ => (node, active_requests),
});
}
}
NodeState::Dialing => {
currently_dialing += 1;
}
NodeState::WaitForRetry => {
has_retrying_provider = true;
}
NodeState::Disconnected => {
if next_to_dial.is_none() {
next_to_dial = Some(node);
}
}
}
}
let has_dialing = currently_dialing > 0;
// If we have a connected provider node with free slots, use it!
if let Some((node, _active_requests)) = best_connected {
NextStep::StartTransfer(node)
}
// If we have a node which could be dialed: Check capacity and act accordingly.
else if let Some(node) = next_to_dial {
// We check if the dial capacity for this hash is exceeded: We only start new dials for
// the hash if we are below the limit.
//
// If other requests trigger dials for providers of this hash, the limit may be
// exceeded, but then we just don't start further dials and wait until one completes.
let at_dial_capacity = has_dialing
&& self
.concurrency_limits
.at_dials_per_hash_capacity(currently_dialing);
// Check if we reached the global connection limit.
let at_connections_capacity = self.at_connections_capacity();
// All slots are free: We can dial our candidate.
if !at_connections_capacity && !at_dial_capacity {
NextStep::Dial(node)
}
// The hash has free dial capacity, but the global connection capacity is reached.
// But if we have idle nodes, we will disconnect the longest idling node, and then dial our
// candidate.
else if at_connections_capacity
&& !at_dial_capacity
&& !self.goodbye_nodes_queue.is_empty()
{
let key = self.goodbye_nodes_queue.peek().expect("just checked");
NextStep::DialQueuedDisconnect(node, key)
}
// No dial capacity, and no idling nodes: We have to wait until capacity is freed up.
else {
NextStep::Wait
}
}
// If we have pending dials to candidates, or connected candidates which are busy
// with other work: Wait for one of these to become available.
else if has_exhausted_provider || has_dialing {
NextStep::Wait
}
// All providers are in the retry queue: Park this request until they can be tried again.
else if has_retrying_provider {
NextStep::Park
}
// We have no candidates left: Nothing more to do.
else {
NextStep::OutOfProviders
}
}
/// Start downloading from the given node.
///
/// Panics if hash is not in self.requests or node is not in self.nodes.
fn start_download(&mut self, kind: DownloadKind, node: NodeId) {
let node_info = self.connected_nodes.get_mut(&node).expect("node exists");
let request_info = self.requests.get_mut(&kind).expect("request exists");
let progress = request_info.progress_sender.clone();
// .expect("queued state exists");
// create the active request state
let cancellation = CancellationToken::new();
let state = ActiveRequestInfo {
cancellation: cancellation.clone(),
node,
};
let conn = node_info.conn.clone();
// If this is the first provider node we try, we have an initial state
// from starting the generator in Self::handle_queue_new_download.
// If this not the first provider node we try, we have to recreate the generator, because
// we can only resume it once.
let get_state = match request_info.get_state.take() {
Some(state) => Either::Left(async move { Ok(GetOutput::NeedsConn(state)) }),
None => Either::Right(self.getter.get(kind, progress)),
};
let fut = async move {
// NOTE: it's an open question if we should do timeouts at this point. Considerations from @Frando:
// > at this stage we do not know the size of the download, so the timeout would have
// > to be so large that it won't be useful for non-huge downloads. At the same time,
// > this means that a super slow node would block a download from succeeding for a long
// > time, while faster nodes could be readily available.
// As a conclusion, timeouts should be added only after downloads are known to be bounded
let fut = async move {
match get_state.await? {
GetOutput::Complete(stats) => Ok(stats),
GetOutput::NeedsConn(state) => state.proceed(conn).await,
}
};
tokio::pin!(fut);
let res = tokio::select! {
_ = cancellation.cancelled() => Err(FailureAction::AllIntentsDropped),
res = &mut fut => res
};
trace!("transfer finished");
(kind, res)
}
.instrument(error_span!("transfer", %kind, node=%node.fmt_short()));
node_info.state = match &node_info.state {
ConnectedState::Busy { active_requests } => ConnectedState::Busy {
active_requests: active_requests.saturating_add(1),
},
ConnectedState::Idle { drop_key } => {
self.goodbye_nodes_queue.remove(drop_key);
ConnectedState::Busy {
active_requests: NonZeroUsize::new(1).expect("clearly non zero"),
}
}
};
self.active_requests.insert(kind, state);
self.in_progress_downloads.spawn_local(fut);
}
fn disconnect_idle_node(&mut self, node: NodeId, reason: &'static str) -> bool {
if let Some(info) = self.connected_nodes.remove(&node) {
match info.state {
ConnectedState::Idle { drop_key } => {
self.goodbye_nodes_queue.try_remove(&drop_key);
true
}
ConnectedState::Busy { .. } => {
warn!("expected removed node to be idle, but is busy (removal reason: {reason:?})");
self.connected_nodes.insert(node, info);
false
}
}
} else {
true
}
}
fn remove_node(&mut self, node: NodeId, reason: &'static str) {
debug!(node = %node.fmt_short(), %reason, "remove node");
if self.disconnect_idle_node(node, reason) {
self.providers.remove_node(&node);
self.retry_node_state.remove(&node);
}
}
fn node_state(&self, node: NodeId) -> NodeState<'_, D::Connection> {
if let Some(info) = self.connected_nodes.get(&node) {
NodeState::Connected(info)
} else if self.dialer.is_pending(node) {
NodeState::Dialing
} else {
match self.retry_node_state.get(&node) {
Some(state) if state.retry_is_queued => NodeState::WaitForRetry,
_ => NodeState::Disconnected,
}
}
}
/// Check if we have maxed our connection capacity.
fn at_connections_capacity(&self) -> bool {
self.concurrency_limits
.at_connections_capacity(self.connections_count())
}
/// Get the total number of connected and dialing nodes.
fn connections_count(&self) -> usize {
let connected_nodes = self.connected_nodes.values().count();
let dialing_nodes = self.dialer.pending_count();
connected_nodes + dialing_nodes
}
/// Remove a `hash` from the [`ProviderMap`], but only if [`Self::queue`] does not contain the
/// hash at all, even with the other [`BlobFormat`].
fn remove_hash_if_not_queued(&mut self, hash: &Hash) {
if !self.queue.contains_hash(*hash) {
self.providers.remove_hash(hash);
}
}
#[allow(clippy::unused_async)]
async fn shutdown(self) {
debug!("shutting down");
// TODO(@divma): how to make sure the download futures end gracefully?
}
}
/// The next step needed to continue a download.
///
/// See [`Service::next_step`] for details.
#[derive(Debug)]
enum NextStep {
/// Provider connection is ready, initiate the transfer.
StartTransfer(NodeId),
/// Start to dial `NodeId`.
///
/// This means: We have no non-exhausted connection to a provider node, but a free connection slot
/// and a provider node we are not yet connected to.
Dial(NodeId),
/// Start to dial `NodeId`, but first disconnect the idle node behind [`delay_queue::Key`] in
/// [`Service::goodbye_nodes_queue`] to free up a connection slot.
DialQueuedDisconnect(NodeId, delay_queue::Key),
/// Resource limits are exhausted, do nothing for now and wait until a slot frees up.
Wait,
/// All providers are currently in a retry timeout. Park the download aside, and move
/// to the next download in the queue.
Park,
/// We have tried all available providers. There is nothing else to do.
OutOfProviders,
}
/// Map of potential providers for a hash.
#[derive(Default, Debug)]
struct ProviderMap {
hash_node: HashMap<Hash, HashSet<NodeId>>,
node_hash: HashMap<NodeId, HashSet<Hash>>,
}
impl ProviderMap {
/// Get candidates to download this hash.
pub fn get_candidates<'a>(&'a self, hash: &Hash) -> impl Iterator<Item = NodeId> + 'a {
self.hash_node
.get(hash)
.map(|nodes| nodes.iter())
.into_iter()
.flatten()
.copied()
}
/// Whether we have any candidates to download this hash.
pub fn has_candidates(&self, hash: &Hash) -> bool {
self.hash_node
.get(hash)
.map(|nodes| !nodes.is_empty())
.unwrap_or(false)
}
/// Register nodes for a hash. Should only be done for hashes we care to download.
///
/// Returns `true` if new providers were added.
fn add_hash_with_nodes(&mut self, hash: Hash, nodes: impl Iterator<Item = NodeId>) -> bool {
let mut updated = false;
let hash_entry = self.hash_node.entry(hash).or_default();
for node in nodes {
updated |= hash_entry.insert(node);
let node_entry = self.node_hash.entry(node).or_default();
node_entry.insert(hash);
}
updated
}
/// Register nodes for a hash, but only if the hash is already in our queue.
///
/// Returns `true` if a new node was added.
fn add_nodes_if_hash_exists(
&mut self,
hash: Hash,
nodes: impl Iterator<Item = NodeId>,
) -> bool {
let mut updated = false;
if let Some(hash_entry) = self.hash_node.get_mut(&hash) {
for node in nodes {
updated |= hash_entry.insert(node);
let node_entry = self.node_hash.entry(node).or_default();
node_entry.insert(hash);
}
}
updated
}
/// Signal the registry that this hash is no longer of interest.
fn remove_hash(&mut self, hash: &Hash) {
if let Some(nodes) = self.hash_node.remove(hash) {
for node in nodes {
if let Some(hashes) = self.node_hash.get_mut(&node) {
hashes.remove(hash);
if hashes.is_empty() {
self.node_hash.remove(&node);
}
}
}
}
}
fn remove_node(&mut self, node: &NodeId) {
if let Some(hashes) = self.node_hash.remove(node) {
for hash in hashes {
if let Some(nodes) = self.hash_node.get_mut(&hash) {
nodes.remove(node);
if nodes.is_empty() {
self.hash_node.remove(&hash);
}
}
}
}
}
fn remove_hash_from_node(&mut self, hash: &Hash, node: &NodeId) {
if let Some(nodes) = self.hash_node.get_mut(hash) {
nodes.remove(node);
if nodes.is_empty() {
self.remove_hash(hash);
}
}
if let Some(hashes) = self.node_hash.get_mut(node) {
hashes.remove(hash);
if hashes.is_empty() {
self.remove_node(node);
}
}
}
}
/// The queue of requested downloads.
///
/// This manages two datastructures:
/// * The main queue, a FIFO queue where each item can only appear once.
/// New downloads are pushed to the back of the queue, and the next download to process is popped
/// from the front.
/// * The parked set, a hash set. Items can be moved from the main queue into the parked set.
/// Parked items will not be popped unless they are moved back into the main queue.
#[derive(Debug, Default)]
struct Queue {
main: LinkedHashSet<DownloadKind>,
parked: HashSet<DownloadKind>,
}
impl Queue {
/// Peek at the front element of the main queue.
pub fn front(&self) -> Option<&DownloadKind> {
self.main.front()
}
#[cfg(any(test, debug_assertions))]
pub fn iter_parked(&self) -> impl Iterator<Item = &DownloadKind> {
self.parked.iter()
}
#[cfg(any(test, debug_assertions))]
pub fn iter(&self) -> impl Iterator<Item = &DownloadKind> {
self.main.iter().chain(self.parked.iter())
}
/// Returns `true` if either the main queue or the parked set contain a download.
pub fn contains(&self, kind: &DownloadKind) -> bool {
self.main.contains(kind) || self.parked.contains(kind)
}
/// Returns `true` if either the main queue or the parked set contain a download for a hash.
pub fn contains_hash(&self, hash: Hash) -> bool {
let as_raw = HashAndFormat::raw(hash).into();
let as_hash_seq = HashAndFormat::hash_seq(hash).into();
self.contains(&as_raw) || self.contains(&as_hash_seq)
}
/// Returns `true` if a download is in the parked set.
pub fn is_parked(&self, kind: &DownloadKind) -> bool {
self.parked.contains(kind)
}
/// Insert an element at the back of the main queue.
pub fn insert(&mut self, kind: DownloadKind) {
if !self.main.contains(&kind) {
self.main.insert(kind);
}
}
/// Insert an element at the front of the main queue.
pub fn insert_front(&mut self, kind: DownloadKind) {
if !self.main.contains(&kind) {
self.main.insert(kind);
}
self.main.to_front(&kind);
}
/// Dequeue the first download of the main queue.
pub fn pop_front(&mut self) -> Option<DownloadKind> {
self.main.pop_front()
}
/// Move the front item of the main queue into the parked set.
pub fn park_front(&mut self) {
if let Some(item) = self.pop_front() {
self.parked.insert(item);
}
}
/// Move a download from the parked set to the front of the main queue.
pub fn unpark(&mut self, kind: &DownloadKind) {
if self.parked.remove(kind) {
self.main.insert(*kind);
self.main.to_front(kind);
}
}
/// Move any download for a hash from the parked set to the main queue.
pub fn unpark_hash(&mut self, hash: Hash) {
let as_raw = HashAndFormat::raw(hash).into();
let as_hash_seq = HashAndFormat::hash_seq(hash).into();
self.unpark(&as_raw);
self.unpark(&as_hash_seq);
}
/// Remove a download from both the main queue and the parked set.
pub fn remove(&mut self, kind: &DownloadKind) -> bool {
self.main.remove(kind) || self.parked.remove(kind)
}
}
impl Dialer for iroh_net::dialer::Dialer {
type Connection = endpoint::Connection;
fn queue_dial(&mut self, node_id: NodeId) {
self.queue_dial(node_id, crate::protocol::ALPN)
}
fn pending_count(&self) -> usize {
self.pending_count()
}
fn is_pending(&self, node: NodeId) -> bool {
self.is_pending(node)
}
fn node_id(&self) -> NodeId {
self.endpoint().node_id()
}
}