iroh_net/endpoint.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 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 1515 1516 1517 1518 1519 1520 1521 1522 1523 1524 1525 1526 1527 1528 1529 1530 1531 1532 1533 1534 1535 1536 1537 1538 1539 1540 1541 1542 1543 1544 1545 1546 1547 1548 1549 1550 1551 1552 1553 1554 1555 1556 1557 1558 1559 1560 1561 1562 1563 1564 1565 1566 1567 1568 1569 1570 1571 1572 1573 1574 1575 1576 1577 1578 1579 1580 1581 1582 1583 1584 1585 1586 1587 1588 1589 1590 1591 1592 1593 1594 1595 1596 1597 1598 1599 1600 1601 1602 1603 1604 1605 1606 1607 1608 1609 1610 1611 1612 1613 1614 1615 1616 1617 1618 1619 1620 1621 1622 1623 1624 1625 1626 1627 1628 1629 1630 1631 1632 1633 1634 1635 1636 1637 1638 1639 1640 1641 1642 1643 1644 1645 1646 1647 1648 1649 1650 1651 1652 1653 1654 1655 1656 1657 1658 1659 1660 1661 1662 1663 1664 1665 1666 1667 1668 1669 1670 1671 1672 1673 1674 1675 1676 1677 1678 1679 1680 1681 1682 1683 1684 1685 1686 1687 1688 1689 1690 1691 1692 1693 1694 1695 1696 1697 1698 1699 1700 1701 1702 1703 1704 1705 1706 1707 1708 1709 1710 1711 1712 1713 1714 1715 1716 1717 1718 1719 1720 1721 1722 1723 1724 1725 1726 1727 1728 1729 1730 1731 1732 1733 1734 1735 1736 1737 1738 1739 1740 1741 1742 1743 1744 1745 1746 1747 1748 1749 1750 1751 1752 1753 1754 1755 1756 1757 1758 1759 1760 1761 1762 1763 1764 1765 1766 1767 1768 1769 1770 1771 1772 1773 1774 1775 1776 1777 1778 1779 1780 1781 1782 1783 1784 1785 1786 1787 1788 1789 1790 1791 1792 1793 1794 1795 1796 1797 1798 1799 1800 1801 1802 1803 1804 1805 1806 1807 1808 1809 1810 1811 1812 1813 1814 1815 1816 1817 1818 1819 1820 1821 1822 1823 1824 1825 1826 1827 1828 1829 1830 1831 1832 1833 1834 1835 1836 1837 1838 1839 1840 1841 1842 1843 1844 1845 1846 1847 1848 1849 1850 1851 1852 1853 1854 1855 1856 1857 1858 1859 1860 1861 1862 1863 1864 1865 1866 1867 1868 1869 1870 1871 1872 1873 1874 1875 1876
//! The [`Endpoint`] allows establishing connections to other iroh-net nodes.
//!
//! The [`Endpoint`] is the main API interface to manage a local iroh-net node. It allows
//! connecting to and accepting connections from other nodes. See the [module docs] for
//! more details on how iroh-net connections work.
//!
//! The main items in this module are:
//!
//! - [`Endpoint`] to establish iroh-net connections with other nodes.
//! - [`Builder`] to create an [`Endpoint`].
//!
//! [module docs]: crate
use std::{
any::Any,
future::{Future, IntoFuture},
net::{IpAddr, SocketAddr, SocketAddrV4, SocketAddrV6},
pin::Pin,
sync::Arc,
task::Poll,
time::Duration,
};
use anyhow::{anyhow, bail, Context, Result};
use derive_more::Debug;
use futures_lite::{Stream, StreamExt};
use pin_project::pin_project;
use tokio_util::sync::{CancellationToken, WaitForCancellationFuture};
use tracing::{debug, instrument, trace, warn};
use url::Url;
use crate::{
discovery::{
dns::DnsDiscovery, pkarr::PkarrPublisher, ConcurrentDiscovery, Discovery, DiscoveryTask,
},
dns::{default_resolver, DnsResolver},
key::{PublicKey, SecretKey},
magicsock::{self, Handle, QuicMappedAddr},
relay::{force_staging_infra, RelayMode, RelayUrl},
tls, NodeId,
};
mod rtt_actor;
pub use bytes::Bytes;
pub use iroh_base::node_addr::{AddrInfo, NodeAddr};
// Missing still: SendDatagram and ConnectionClose::frame_type's Type.
pub use quinn::{
AcceptBi, AcceptUni, AckFrequencyConfig, ApplicationClose, Chunk, ClosedStream, Connection,
ConnectionClose, ConnectionError, ConnectionStats, MtuDiscoveryConfig, OpenBi, OpenUni,
ReadDatagram, ReadError, ReadExactError, ReadToEndError, RecvStream, ResetError, RetryError,
SendDatagramError, SendStream, ServerConfig, StoppedError, StreamId, TransportConfig, VarInt,
WeakConnectionHandle, WriteError, ZeroRttAccepted,
};
pub use quinn_proto::{
congestion::{Controller, ControllerFactory},
crypto::{
AeadKey, CryptoError, ExportKeyingMaterialError, HandshakeTokenKey,
ServerConfig as CryptoServerConfig, UnsupportedVersion,
},
FrameStats, PathStats, TransportError, TransportErrorCode, UdpStats, Written,
};
use self::rtt_actor::RttMessage;
pub use super::magicsock::{
ConnectionType, ConnectionTypeStream, ControlMsg, DirectAddr, DirectAddrInfo, DirectAddrType,
DirectAddrsStream, RemoteInfo, Source,
};
/// The delay to fall back to discovery when direct addresses fail.
///
/// When a connection is attempted with a [`NodeAddr`] containing direct addresses the
/// [`Endpoint`] assumes one of those addresses probably works. If after this delay there
/// is still no connection the configured [`Discovery`] will be used however.
const DISCOVERY_WAIT_PERIOD: Duration = Duration::from_millis(500);
type DiscoveryBuilder = Box<dyn FnOnce(&SecretKey) -> Option<Box<dyn Discovery>> + Send + Sync>;
/// Builder for [`Endpoint`].
///
/// By default the endpoint will generate a new random [`SecretKey`], which will result in a
/// new [`NodeId`].
///
/// To create the [`Endpoint`] call [`Builder::bind`].
#[derive(Debug)]
pub struct Builder {
secret_key: Option<SecretKey>,
relay_mode: RelayMode,
alpn_protocols: Vec<Vec<u8>>,
transport_config: Option<quinn::TransportConfig>,
keylog: bool,
#[debug(skip)]
discovery: Vec<DiscoveryBuilder>,
proxy_url: Option<Url>,
/// List of known nodes. See [`Builder::known_nodes`].
node_map: Option<Vec<NodeAddr>>,
dns_resolver: Option<DnsResolver>,
#[cfg(any(test, feature = "test-utils"))]
#[cfg_attr(iroh_docsrs, doc(cfg(any(test, feature = "test-utils"))))]
insecure_skip_relay_cert_verify: bool,
addr_v4: Option<SocketAddrV4>,
addr_v6: Option<SocketAddrV6>,
}
impl Default for Builder {
fn default() -> Self {
Self {
secret_key: Default::default(),
relay_mode: default_relay_mode(),
alpn_protocols: Default::default(),
transport_config: Default::default(),
keylog: Default::default(),
discovery: Default::default(),
proxy_url: None,
node_map: None,
dns_resolver: None,
#[cfg(any(test, feature = "test-utils"))]
insecure_skip_relay_cert_verify: false,
addr_v4: None,
addr_v6: None,
}
}
}
impl Builder {
// The ordering of public methods is reflected directly in the documentation. This is
// roughly ordered by what is most commonly needed by users.
// # The final constructor that everyone needs.
/// Binds the magic endpoint.
pub async fn bind(self) -> Result<Endpoint> {
let relay_map = self.relay_mode.relay_map();
let secret_key = self.secret_key.unwrap_or_else(SecretKey::generate);
let static_config = StaticConfig {
transport_config: Arc::new(self.transport_config.unwrap_or_default()),
keylog: self.keylog,
secret_key: secret_key.clone(),
};
let dns_resolver = self
.dns_resolver
.unwrap_or_else(|| default_resolver().clone());
let discovery = self
.discovery
.into_iter()
.filter_map(|f| f(&secret_key))
.collect::<Vec<_>>();
let discovery: Option<Box<dyn Discovery>> = match discovery.len() {
0 => None,
1 => Some(discovery.into_iter().next().unwrap()),
_ => Some(Box::new(ConcurrentDiscovery::from_services(discovery))),
};
let msock_opts = magicsock::Options {
addr_v4: self.addr_v4,
addr_v6: self.addr_v6,
secret_key,
relay_map,
node_map: self.node_map,
discovery,
proxy_url: self.proxy_url,
dns_resolver,
#[cfg(any(test, feature = "test-utils"))]
insecure_skip_relay_cert_verify: self.insecure_skip_relay_cert_verify,
};
Endpoint::bind(static_config, msock_opts, self.alpn_protocols).await
}
// # The very common methods everyone basically needs.
/// Sets the IPv4 bind address.
///
/// Setting the port to `0` will use a random port.
/// If the port specified is already in use, it will fallback to choosing a random port.
///
/// By default will use `0.0.0.0:0` to bind to.
pub fn bind_addr_v4(mut self, addr: SocketAddrV4) -> Self {
self.addr_v4.replace(addr);
self
}
/// Sets the IPv6 bind address.
///
/// Setting the port to `0` will use a random port.
/// If the port specified is already in use, it will fallback to choosing a random port.
///
/// By default will use `[::]:0` to bind to.
pub fn bind_addr_v6(mut self, addr: SocketAddrV6) -> Self {
self.addr_v6.replace(addr);
self
}
/// Sets a secret key to authenticate with other peers.
///
/// This secret key's public key will be the [`PublicKey`] of this endpoint and thus
/// also its [`NodeId`]
///
/// If not set, a new secret key will be generated.
pub fn secret_key(mut self, secret_key: SecretKey) -> Self {
self.secret_key = Some(secret_key);
self
}
/// Sets the [ALPN] protocols that this endpoint will accept on incoming connections.
///
/// Not setting this will still allow creating connections, but to accept incoming
/// connections the [ALPN] must be set.
///
/// [ALPN]: https://en.wikipedia.org/wiki/Application-Layer_Protocol_Negotiation
pub fn alpns(mut self, alpn_protocols: Vec<Vec<u8>>) -> Self {
self.alpn_protocols = alpn_protocols;
self
}
// # Methods for common customisation items.
/// Sets the relay servers to assist in establishing connectivity.
///
/// Relay servers are used to establish initial connection with another iroh-net node.
/// They also perform various functions related to hole punching, see the [crate docs]
/// for more details.
///
/// By default the [number 0] relay servers are used, see [`RelayMode::Default`].
///
/// When using [RelayMode::Custom], the provided `relay_map` must contain at least one
/// configured relay node. If an invalid RelayMap is provided [`bind`]
/// will result in an error.
///
/// [`bind`]: Builder::bind
/// [crate docs]: crate
/// [number 0]: https://n0.computer
pub fn relay_mode(mut self, relay_mode: RelayMode) -> Self {
self.relay_mode = relay_mode;
self
}
/// Removes all discovery services from the builder.
pub fn clear_discovery(mut self) -> Self {
self.discovery.clear();
self
}
/// Optionally sets a discovery mechanism for this endpoint.
///
/// If you want to combine multiple discovery services, you can use
/// [`Builder::add_discovery`] instead. This will internally create a
/// [`crate::discovery::ConcurrentDiscovery`].
///
/// If no discovery service is set, connecting to a node without providing its
/// direct addresses or relay URLs will fail.
///
/// See the documentation of the [`Discovery`] trait for details.
pub fn discovery(mut self, discovery: Box<dyn Discovery>) -> Self {
self.discovery.clear();
self.discovery.push(Box::new(move |_| Some(discovery)));
self
}
/// Adds a discovery mechanism for this endpoint.
///
/// The function `discovery`
/// will be called on endpoint creation with the configured secret key of
/// the endpoint. Discovery services that need to publish information need
/// to use this secret key to sign the information.
///
/// If you add multiple discovery services, they will be combined using a
/// [`crate::discovery::ConcurrentDiscovery`].
///
/// If no discovery service is set, connecting to a node without providing its
/// direct addresses or relay URLs will fail.
///
/// To clear all discovery services, use [`Builder::clear_discovery`].
///
/// See the documentation of the [`Discovery`] trait for details.
pub fn add_discovery<F, D>(mut self, discovery: F) -> Self
where
F: FnOnce(&SecretKey) -> Option<D> + Send + Sync + 'static,
D: Discovery + 'static,
{
let discovery: DiscoveryBuilder =
Box::new(move |secret_key| discovery(secret_key).map(|x| Box::new(x) as _));
self.discovery.push(discovery);
self
}
/// Configures the endpoint to use the default n0 DNS discovery service.
///
/// The default discovery service publishes to and resolves from the
/// n0.computer dns server `iroh.link`.
///
/// This is equivalent to adding both a [`crate::discovery::pkarr::PkarrPublisher`]
/// and a [`crate::discovery::dns::DnsDiscovery`], both configured to use the
/// n0.computer dns server.
///
/// This will by default use [`N0_DNS_PKARR_RELAY_PROD`].
/// When in tests, or when the `test-utils` feature is enabled, this will use the
/// [`N0_DNS_PKARR_RELAY_STAGING`].
///
/// [`N0_DNS_PKARR_RELAY_PROD`]: crate::discovery::pkarr::N0_DNS_PKARR_RELAY_PROD
/// [`N0_DNS_PKARR_RELAY_STAGING`]: crate::discovery::pkarr::N0_DNS_PKARR_RELAY_STAGING
pub fn discovery_n0(mut self) -> Self {
self.discovery.push(Box::new(|secret_key| {
Some(Box::new(PkarrPublisher::n0_dns(secret_key.clone())))
}));
self.discovery
.push(Box::new(|_| Some(Box::new(DnsDiscovery::n0_dns()))));
self
}
#[cfg(feature = "discovery-pkarr-dht")]
/// Configures the endpoint to also use the mainline DHT with default settings.
///
/// This is equivalent to adding a [`crate::discovery::pkarr::dht::DhtDiscovery`]
/// with default settings. Note that DhtDiscovery has various more advanced
/// configuration options. If you need any of those, you should manually
/// create a DhtDiscovery and add it with [`Builder::add_discovery`].
pub fn discovery_dht(mut self) -> Self {
use crate::discovery::pkarr::dht::DhtDiscovery;
self.discovery.push(Box::new(|secret_key| {
Some(Box::new(
DhtDiscovery::builder()
.secret_key(secret_key.clone())
.build()
.unwrap(),
))
}));
self
}
#[cfg(feature = "discovery-local-network")]
/// Configures the endpoint to also use local network discovery.
///
/// This is equivalent to adding a [`crate::discovery::local_swarm_discovery::LocalSwarmDiscovery`]
/// with default settings. Note that LocalSwarmDiscovery has various more advanced
/// configuration options. If you need any of those, you should manually
/// create a LocalSwarmDiscovery and add it with [`Builder::add_discovery`].
pub fn discovery_local_network(mut self) -> Self {
use crate::discovery::local_swarm_discovery::LocalSwarmDiscovery;
self.discovery.push(Box::new(|secret_key| {
LocalSwarmDiscovery::new(secret_key.public())
.map(|x| Box::new(x) as _)
.ok()
}));
self
}
/// Optionally set a list of known nodes.
pub fn known_nodes(mut self, nodes: Vec<NodeAddr>) -> Self {
self.node_map = Some(nodes);
self
}
// # Methods for more specialist customisation.
/// Sets a custom [`quinn::TransportConfig`] for this endpoint.
///
/// The transport config contains parameters governing the QUIC state machine.
///
/// If unset, the default config is used. Default values should be suitable for most
/// internet applications. Applications protocols which forbid remotely-initiated
/// streams should set `max_concurrent_bidi_streams` and `max_concurrent_uni_streams` to
/// zero.
pub fn transport_config(mut self, transport_config: quinn::TransportConfig) -> Self {
self.transport_config = Some(transport_config);
self
}
/// Optionally sets a custom DNS resolver to use for this endpoint.
///
/// The DNS resolver is used to resolve relay hostnames, and node addresses if
/// [`crate::discovery::dns::DnsDiscovery`] is configured.
///
/// By default, all endpoints share a DNS resolver, which is configured to use the
/// host system's DNS configuration. You can pass a custom instance of [`DnsResolver`]
/// here to use a differently configured DNS resolver for this endpoint.
pub fn dns_resolver(mut self, dns_resolver: DnsResolver) -> Self {
self.dns_resolver = Some(dns_resolver);
self
}
/// Sets an explicit proxy url to proxy all HTTP(S) traffic through.
pub fn proxy_url(mut self, url: Url) -> Self {
self.proxy_url.replace(url);
self
}
/// Sets the proxy url from the environment, in this order:
///
/// - `HTTP_PROXY`
/// - `http_proxy`
/// - `HTTPS_PROXY`
/// - `https_proxy`
pub fn proxy_from_env(mut self) -> Self {
self.proxy_url = proxy_url_from_env();
self
}
/// Enables saving the TLS pre-master key for connections.
///
/// This key should normally remain secret but can be useful to debug networking issues
/// by decrypting captured traffic.
///
/// If *keylog* is `true` then setting the `SSLKEYLOGFILE` environment variable to a
/// filename will result in this file being used to log the TLS pre-master keys.
pub fn keylog(mut self, keylog: bool) -> Self {
self.keylog = keylog;
self
}
/// Skip verification of SSL certificates from relay servers
///
/// May only be used in tests.
#[cfg(any(test, feature = "test-utils"))]
#[cfg_attr(iroh_docsrs, doc(cfg(any(test, feature = "test-utils"))))]
pub fn insecure_skip_relay_cert_verify(mut self, skip_verify: bool) -> Self {
self.insecure_skip_relay_cert_verify = skip_verify;
self
}
}
/// Configuration for a [`quinn::Endpoint`] that cannot be changed at runtime.
#[derive(Debug)]
struct StaticConfig {
secret_key: SecretKey,
transport_config: Arc<quinn::TransportConfig>,
keylog: bool,
}
impl StaticConfig {
/// Create a [`quinn::ServerConfig`] with the specified ALPN protocols.
fn create_server_config(&self, alpn_protocols: Vec<Vec<u8>>) -> Result<ServerConfig> {
let server_config = make_server_config(
&self.secret_key,
alpn_protocols,
self.transport_config.clone(),
self.keylog,
)?;
Ok(server_config)
}
}
/// Creates a [`ServerConfig`] with the given secret key and limits.
// This return type can not longer be used anywhere in our public API. It is however still
// used by iroh::node::Node (or rather iroh::node::Builder) to create a plain Quinn
// endpoint.
pub fn make_server_config(
secret_key: &SecretKey,
alpn_protocols: Vec<Vec<u8>>,
transport_config: Arc<TransportConfig>,
keylog: bool,
) -> Result<ServerConfig> {
let quic_server_config = tls::make_server_config(secret_key, alpn_protocols, keylog)?;
let mut server_config = ServerConfig::with_crypto(Arc::new(quic_server_config));
server_config.transport_config(transport_config);
Ok(server_config)
}
/// Controls an iroh-net node, establishing connections with other nodes.
///
/// This is the main API interface to create connections to, and accept connections from
/// other iroh-net nodes. The connections are peer-to-peer and encrypted, a Relay server is
/// used to make the connections reliable. See the [crate docs] for a more detailed
/// overview of iroh-net.
///
/// It is recommended to only create a single instance per application. This ensures all
/// the connections made share the same peer-to-peer connections to other iroh-net nodes,
/// while still remaining independent connections. This will result in more optimal network
/// behaviour.
///
/// New connections are typically created using the [`Endpoint::connect`] and
/// [`Endpoint::accept`] methods. Once established, the [`Connection`] gives access to most
/// [QUIC] features. Individual streams to send data to the peer are created using the
/// [`Connection::open_bi`], [`Connection::accept_bi`], [`Connection::open_uni`] and
/// [`Connection::open_bi`] functions.
///
/// Note that due to the light-weight properties of streams a stream will only be accepted
/// once the initiating peer has sent some data on it.
///
/// [QUIC]: https://quicwg.org
#[derive(Clone, Debug)]
pub struct Endpoint {
msock: Handle,
endpoint: quinn::Endpoint,
rtt_actor: Arc<rtt_actor::RttHandle>,
cancel_token: CancellationToken,
static_config: Arc<StaticConfig>,
}
impl Endpoint {
// The ordering of public methods is reflected directly in the documentation. This is
// roughly ordered by what is most commonly needed by users, but grouped in similar
// items.
// # Methods relating to construction.
/// Returns the builder for an [`Endpoint`], with a production configuration.
pub fn builder() -> Builder {
Builder::default()
}
/// Creates a quinn endpoint backed by a magicsock.
///
/// This is for internal use, the public interface is the [`Builder`] obtained from
/// [Self::builder]. See the methods on the builder for documentation of the parameters.
#[instrument("ep", skip_all, fields(me = %static_config.secret_key.public().fmt_short()))]
async fn bind(
static_config: StaticConfig,
msock_opts: magicsock::Options,
initial_alpns: Vec<Vec<u8>>,
) -> Result<Self> {
let msock = magicsock::MagicSock::spawn(msock_opts).await?;
trace!("created magicsock");
let server_config = static_config.create_server_config(initial_alpns)?;
let mut endpoint_config = quinn::EndpointConfig::default();
// Setting this to false means that quinn will ignore packets that have the QUIC fixed bit
// set to 0. The fixed bit is the 3rd bit of the first byte of a packet.
// For performance reasons and to not rewrite buffers we pass non-QUIC UDP packets straight
// through to quinn. We set the first byte of the packet to zero, which makes quinn ignore
// the packet if grease_quic_bit is set to false.
endpoint_config.grease_quic_bit(false);
let endpoint = quinn::Endpoint::new_with_abstract_socket(
endpoint_config,
Some(server_config),
Arc::new(msock.clone()),
Arc::new(quinn::TokioRuntime),
)?;
trace!("created quinn endpoint");
debug!(version = env!("CARGO_PKG_VERSION"), "iroh Endpoint created");
Ok(Self {
msock,
endpoint,
rtt_actor: Arc::new(rtt_actor::RttHandle::new()),
cancel_token: CancellationToken::new(),
static_config: Arc::new(static_config),
})
}
/// Sets the list of accepted ALPN protocols.
///
/// This will only affect new incoming connections.
/// Note that this *overrides* the current list of ALPNs.
pub fn set_alpns(&self, alpns: Vec<Vec<u8>>) -> Result<()> {
let server_config = self.static_config.create_server_config(alpns)?;
self.endpoint.set_server_config(Some(server_config));
Ok(())
}
// # Methods for establishing connectivity.
/// Connects to a remote [`Endpoint`].
///
/// A value that can be converted into a [`NodeAddr`] is required. This can be either a
/// [`NodeAddr`], a [`NodeId`] or a [`iroh_base::ticket::NodeTicket`].
///
/// The [`NodeAddr`] must contain the [`NodeId`] to dial and may also contain a [`RelayUrl`]
/// and direct addresses. If direct addresses are provided, they will be used to try and
/// establish a direct connection without involving a relay server.
///
/// If neither a [`RelayUrl`] or direct addresses are configured in the [`NodeAddr`] it
/// may still be possible a connection can be established. This depends on other calls
/// to [`Endpoint::add_node_addr`] which may provide contact information, or via the
/// [`Discovery`] service configured using [`Builder::discovery`]. The discovery
/// service will also be used if the remote node is not reachable on the provided direct
/// addresses and there is no [`RelayUrl`].
///
/// If addresses or relay servers are neither provided nor can be discovered, the
/// connection attempt will fail with an error.
///
/// The `alpn`, or application-level protocol identifier, is also required. The remote
/// endpoint must support this `alpn`, otherwise the connection attempt will fail with
/// an error.
#[instrument(skip_all, fields(me = %self.node_id().fmt_short(), alpn = ?String::from_utf8_lossy(alpn)))]
pub async fn connect(&self, node_addr: impl Into<NodeAddr>, alpn: &[u8]) -> Result<Connection> {
let node_addr = node_addr.into();
tracing::Span::current().record("remote", node_addr.node_id.fmt_short());
// Connecting to ourselves is not supported.
if node_addr.node_id == self.node_id() {
bail!(
"Connecting to ourself is not supported ({} is the node id of this node)",
node_addr.node_id.fmt_short()
);
}
if !node_addr.info.is_empty() {
self.add_node_addr(node_addr.clone())?;
}
let NodeAddr { node_id, info } = node_addr.clone();
// Get the mapped IPv6 address from the magic socket. Quinn will connect to this address.
// Start discovery for this node if it's enabled and we have no valid or verified
// address information for this node.
let (addr, discovery) = self
.get_mapping_addr_and_maybe_start_discovery(node_addr)
.await
.with_context(|| {
format!(
"No addressing information for NodeId({}), unable to connect",
node_id.fmt_short()
)
})?;
debug!(
"connecting to {}: (via {} - {:?})",
node_id, addr, info.direct_addresses
);
// Start connecting via quinn. This will time out after 10 seconds if no reachable address
// is available.
let conn = self.connect_quinn(node_id, alpn, addr).await;
// Cancel the node discovery task (if still running).
if let Some(discovery) = discovery {
discovery.cancel();
}
conn
}
/// Connects to a remote endpoint, using just the nodes's [`NodeId`].
///
/// This is a convenience function for [`Endpoint::connect`]. It relies on addressing
/// information being provided by either the discovery service or using
/// [`Endpoint::add_node_addr`]. See [`Endpoint::connect`] for the details of how it
/// uses the discovery service to establish a connection to a remote node.
#[deprecated(
since = "0.27.0",
note = "Please use `connect` directly with a NodeId. This fn will be removed in 0.28.0."
)]
pub async fn connect_by_node_id(&self, node_id: NodeId, alpn: &[u8]) -> Result<Connection> {
let addr = NodeAddr::new(node_id);
self.connect(addr, alpn).await
}
#[instrument(
skip_all,
fields(remote_node = node_id.fmt_short(), alpn = %String::from_utf8_lossy(alpn))
)]
async fn connect_quinn(
&self,
node_id: NodeId,
alpn: &[u8],
addr: QuicMappedAddr,
) -> Result<Connection> {
debug!("Attempting connection...");
let client_config = {
let alpn_protocols = vec![alpn.to_vec()];
let quic_client_config = tls::make_client_config(
&self.static_config.secret_key,
Some(node_id),
alpn_protocols,
self.static_config.keylog,
)?;
let mut client_config = quinn::ClientConfig::new(Arc::new(quic_client_config));
let mut transport_config = quinn::TransportConfig::default();
transport_config.keep_alive_interval(Some(Duration::from_secs(1)));
client_config.transport_config(Arc::new(transport_config));
client_config
};
// TODO: We'd eventually want to replace "localhost" with something that makes more sense.
let connect = self
.endpoint
.connect_with(client_config, addr.0, "localhost")?;
let connection = connect
.await
.context("failed connecting to remote endpoint")?;
let rtt_msg = RttMessage::NewConnection {
connection: connection.weak_handle(),
conn_type_changes: self.conn_type_stream(node_id)?,
node_id,
};
if let Err(err) = self.rtt_actor.msg_tx.send(rtt_msg).await {
// If this actor is dead, that's not great but we can still function.
warn!("rtt-actor not reachable: {err:#}");
}
debug!("Connection established");
Ok(connection)
}
/// Accepts an incoming connection on the endpoint.
///
/// Only connections with the ALPNs configured in [`Builder::alpns`] will be accepted.
/// If multiple ALPNs have been configured the ALPN can be inspected before accepting
/// the connection using [`Connecting::alpn`].
///
/// The returned future will yield `None` if the endpoint is closed by calling
/// [`Endpoint::close`].
pub fn accept(&self) -> Accept<'_> {
Accept {
inner: self.endpoint.accept(),
ep: self.clone(),
}
}
// # Methods for manipulating the internal state about other nodes.
/// Informs this [`Endpoint`] about addresses of the iroh-net node.
///
/// This updates the local state for the remote node. If the provided [`NodeAddr`]
/// contains a [`RelayUrl`] this will be used as the new relay server for this node. If
/// it contains any new IP endpoints they will also be stored and tried when next
/// connecting to this node. Any address that matches this node's direct addresses will be
/// silently ignored.
///
/// See also [`Endpoint::add_node_addr_with_source`].
///
/// # Errors
///
/// Will return an error if we attempt to add our own [`PublicKey`] to the node map or if the
/// direct addresses are a subset of ours.
pub fn add_node_addr(&self, node_addr: NodeAddr) -> Result<()> {
self.add_node_addr_inner(node_addr, magicsock::Source::App)
}
/// Informs this [`Endpoint`] about addresses of the iroh-net node, noting the source.
///
/// This updates the local state for the remote node. If the provided [`NodeAddr`] contains a
/// [`RelayUrl`] this will be used as the new relay server for this node. If it contains any
/// new IP endpoints they will also be stored and tried when next connecting to this node. Any
/// address that matches this node's direct addresses will be silently ignored. The *source* is
/// used for logging exclusively and will not be stored.
///
/// # Errors
///
/// Will return an error if we attempt to add our own [`PublicKey`] to the node map or if the
/// direct addresses are a subset of ours.
pub fn add_node_addr_with_source(
&self,
node_addr: NodeAddr,
source: &'static str,
) -> Result<()> {
self.add_node_addr_inner(
node_addr,
magicsock::Source::NamedApp {
name: source.into(),
},
)
}
fn add_node_addr_inner(&self, node_addr: NodeAddr, source: magicsock::Source) -> Result<()> {
// Connecting to ourselves is not supported.
if node_addr.node_id == self.node_id() {
bail!(
"Adding our own address is not supported ({} is the node id of this node)",
node_addr.node_id.fmt_short()
);
}
self.msock.add_node_addr(node_addr, source)
}
// # Getter methods for properties of this Endpoint itself.
/// Returns the secret_key of this endpoint.
pub fn secret_key(&self) -> &SecretKey {
&self.static_config.secret_key
}
/// Returns the node id of this endpoint.
///
/// This ID is the unique addressing information of this node and other peers must know
/// it to be able to connect to this node.
pub fn node_id(&self) -> NodeId {
self.static_config.secret_key.public()
}
/// Returns the current [`NodeAddr`] for this endpoint.
///
/// The returned [`NodeAddr`] will have the current [`RelayUrl`] and local IP endpoints
/// as they would be returned by [`Endpoint::home_relay`] and
/// [`Endpoint::direct_addresses`].
pub async fn node_addr(&self) -> Result<NodeAddr> {
let addrs = self
.direct_addresses()
.next()
.await
.ok_or(anyhow!("No IP endpoints found"))?;
let relay = self.home_relay();
Ok(NodeAddr::from_parts(
self.node_id(),
relay,
addrs.into_iter().map(|x| x.addr),
))
}
/// Returns the [`RelayUrl`] of the Relay server used as home relay.
///
/// Every endpoint has a home Relay server which it chooses as the server with the
/// lowest latency out of the configured servers provided by [`Builder::relay_mode`].
/// This is the server other iroh-net nodes can use to reliably establish a connection
/// to this node.
///
/// Returns `None` if we are not connected to any Relay server.
///
/// Note that this will be `None` right after the [`Endpoint`] is created since it takes
/// some time to connect to find and connect to the home relay server. Use
/// [`Endpoint::watch_home_relay`] to wait until the home relay server is available.
pub fn home_relay(&self) -> Option<RelayUrl> {
self.msock.my_relay()
}
/// Watches for changes to the home relay.
///
/// If there is currently a home relay it will be yielded immediately as the first item
/// in the stream. This makes it possible to use this function to wait for the initial
/// home relay to be known.
///
/// Note that it is not guaranteed that a home relay will ever become available. If no
/// servers are configured with [`Builder::relay_mode`] this stream will never yield an
/// item.
pub fn watch_home_relay(&self) -> impl Stream<Item = RelayUrl> {
self.msock.watch_home_relay()
}
/// Returns the direct addresses of this [`Endpoint`].
///
/// The direct addresses of the [`Endpoint`] are those that could be used by other
/// iroh-net nodes to establish direct connectivity, depending on the network
/// situation. The yielded lists of direct addresses contain both the locally-bound
/// addresses and the [`Endpoint`]'s publicly reachable addresses discovered through
/// mechanisms such as [STUN] and port mapping. Hence usually only a subset of these
/// will be applicable to a certain remote iroh-net node.
///
/// The [`Endpoint`] continuously monitors the direct addresses for changes as its own
/// location in the network might change. Whenever changes are detected this stream
/// will yield a new list of direct addresses.
///
/// When issuing the first call to this method the first direct address discovery might
/// still be underway, in this case the first item of the returned stream will not be
/// immediately available. Once this first set of local IP endpoints are discovered the
/// stream will always return the first set of IP endpoints immediately, which are the
/// most recently discovered IP endpoints.
///
/// # Examples
///
/// To get the current endpoints, drop the stream after the first item was received:
/// ```
/// use futures_lite::StreamExt;
/// use iroh_net::Endpoint;
///
/// # let rt = tokio::runtime::Builder::new_current_thread().enable_all().build().unwrap();
/// # rt.block_on(async move {
/// let mep = Endpoint::builder().bind().await.unwrap();
/// let _addrs = mep.direct_addresses().next().await;
/// # });
/// ```
///
/// [STUN]: https://en.wikipedia.org/wiki/STUN
pub fn direct_addresses(&self) -> DirectAddrsStream {
self.msock.direct_addresses()
}
/// Returns the local socket addresses on which the underlying sockets are bound.
///
/// The [`Endpoint`] always binds on an IPv4 address and also tries to bind on an IPv6
/// address if available.
pub fn bound_sockets(&self) -> (SocketAddr, Option<SocketAddr>) {
self.msock.local_addr()
}
// # Getter methods for information about other nodes.
/// Returns information about the remote node identified by a [`NodeId`].
///
/// The [`Endpoint`] keeps some information about remote iroh-net nodes, which it uses to find
/// the best path to a node. Having information on a remote node, however, does not mean we have
/// ever connected to it to or even whether a connection is even possible. The information about a
/// remote node will change over time, as the [`Endpoint`] learns more about the node. Future
/// calls may return different information. Furthermore, node information may even be
/// completely evicted as it becomes stale.
///
/// See also [`Endpoint::remote_info_iter`] which returns information on all nodes known
/// by this [`Endpoint`].
pub fn remote_info(&self, node_id: NodeId) -> Option<RemoteInfo> {
self.msock.remote_info(node_id)
}
/// Returns information about all the remote nodes this [`Endpoint`] knows about.
///
/// This returns the same information as [`Endpoint::remote_info`] for each node known to this
/// [`Endpoint`].
///
/// The [`Endpoint`] keeps some information about remote iroh-net nodes, which it uses to find
/// the best path to a node. This returns all the nodes it knows about, regardless of whether a
/// connection was ever made or is even possible.
///
/// See also [`Endpoint::remote_info`] to only retrieve information about a single node.
pub fn remote_info_iter(&self) -> impl Iterator<Item = RemoteInfo> {
self.msock.list_remote_infos().into_iter()
}
// # Methods for less common getters.
//
// Partially they return things passed into the builder.
/// Returns a stream that reports connection type changes for the remote node.
///
/// This returns a stream of [`ConnectionType`] items, each time the underlying
/// connection to a remote node changes it yields an item. These connection changes are
/// when the connection switches between using the Relay server and a direct connection.
///
/// If there is currently a connection with the remote node the first item in the stream
/// will yield immediately returning the current connection type.
///
/// Note that this does not guarantee each connection change is yielded in the stream.
/// If the connection type changes several times before this stream is polled only the
/// last recorded state is returned. This can be observed e.g. right at the start of a
/// connection when the switch from a relayed to a direct connection can be so fast that
/// the relayed state is never exposed.
///
/// # Errors
///
/// Will error if we do not have any address information for the given `node_id`.
pub fn conn_type_stream(&self, node_id: NodeId) -> Result<ConnectionTypeStream> {
self.msock.conn_type_stream(node_id)
}
/// Returns the DNS resolver used in this [`Endpoint`].
///
/// See [`Builder::discovery`].
pub fn dns_resolver(&self) -> &DnsResolver {
self.msock.dns_resolver()
}
/// Returns the discovery mechanism, if configured.
///
/// See [`Builder::dns_resolver`].
pub fn discovery(&self) -> Option<&dyn Discovery> {
self.msock.discovery()
}
// # Methods for less common state updates.
/// Notifies the system of potential network changes.
///
/// On many systems iroh is able to detect network changes by itself, however
/// some systems like android do not expose this functionality to native code.
/// Android does however provide this functionality to Java code. This
/// function allows for notifying iroh of any potential network changes like
/// this.
///
/// Even when the network did not change, or iroh was already able to detect
/// the network change itself, there is no harm in calling this function.
pub async fn network_change(&self) {
self.msock.network_change().await;
}
// # Methods for terminating the endpoint.
/// Closes the QUIC endpoint and the magic socket.
///
/// This will close all open QUIC connections with the provided error_code and
/// reason. See [`quinn::Connection`] for details on how these are interpreted.
///
/// It will then wait for all connections to actually be shutdown, and afterwards
/// close the magic socket.
///
/// Returns an error if closing the magic socket failed.
/// TODO: Document error cases.
pub async fn close(self, error_code: VarInt, reason: &[u8]) -> Result<()> {
let Endpoint {
msock,
endpoint,
cancel_token,
..
} = self;
cancel_token.cancel();
tracing::debug!("Closing connections");
endpoint.close(error_code, reason);
endpoint.wait_idle().await;
// In case this is the last clone of `Endpoint`, dropping the `quinn::Endpoint` will
// make it more likely that the underlying socket is not polled by quinn anymore after this
drop(endpoint);
tracing::debug!("Connections closed");
msock.close().await?;
Ok(())
}
// # Remaining private methods
pub(crate) fn cancelled(&self) -> WaitForCancellationFuture<'_> {
self.cancel_token.cancelled()
}
/// Return the quic mapped address for this `node_id` and possibly start discovery
/// services if discovery is enabled on this magic endpoint.
///
/// This will launch discovery in all cases except if:
/// 1) we do not have discovery enabled
/// 2) we have discovery enabled, but already have at least one verified, unexpired
/// addresses for this `node_id`
///
/// # Errors
///
/// This method may fail if we have no way of dialing the node. This can occur if
/// we were given no dialing information in the [`NodeAddr`] and no discovery
/// services were configured or if discovery failed to fetch any dialing information.
async fn get_mapping_addr_and_maybe_start_discovery(
&self,
node_addr: NodeAddr,
) -> Result<(QuicMappedAddr, Option<DiscoveryTask>)> {
let node_id = node_addr.node_id;
// Only return a mapped addr if we have some way of dialing this node, in other
// words, we have either a relay URL or at least one direct address.
let addr = if self.msock.has_send_address(node_id) {
self.msock.get_mapping_addr(node_id)
} else {
None
};
match addr {
Some(addr) => {
// We have some way of dialing this node, but that doesn't actually mean
// we can actually connect to any of these addresses.
// Therefore, we will invoke the discovery service if we haven't received from the
// endpoint on any of the existing paths recently.
// If the user provided addresses in this connect call, we will add a delay
// followed by a recheck before starting the discovery, to give the magicsocket a
// chance to test the newly provided addresses.
let delay = (!node_addr.info.is_empty()).then_some(DISCOVERY_WAIT_PERIOD);
let discovery = DiscoveryTask::maybe_start_after_delay(self, node_id, delay)
.ok()
.flatten();
Ok((addr, discovery))
}
None => {
// We have no known addresses or relay URLs for this node.
// So, we start a discovery task and wait for the first result to arrive, and
// only then continue, because otherwise we wouldn't have any
// path to the remote endpoint.
let mut discovery = DiscoveryTask::start(self.clone(), node_id)
.context("Discovery service required due to missing addressing information")?;
discovery
.first_arrived()
.await
.context("Discovery service failed")?;
if let Some(addr) = self.msock.get_mapping_addr(node_id) {
Ok((addr, Some(discovery)))
} else {
bail!("Discovery did not find addressing information");
}
}
}
}
#[cfg(test)]
pub(crate) fn magic_sock(&self) -> Handle {
self.msock.clone()
}
#[cfg(test)]
pub(crate) fn endpoint(&self) -> &quinn::Endpoint {
&self.endpoint
}
}
/// Future produced by [`Endpoint::accept`].
#[derive(Debug)]
#[pin_project]
pub struct Accept<'a> {
#[pin]
#[debug("quinn::Accept")]
inner: quinn::Accept<'a>,
ep: Endpoint,
}
impl<'a> Future for Accept<'a> {
type Output = Option<Incoming>;
fn poll(self: Pin<&mut Self>, cx: &mut std::task::Context<'_>) -> Poll<Self::Output> {
let this = self.project();
match this.inner.poll(cx) {
Poll::Pending => Poll::Pending,
Poll::Ready(None) => Poll::Ready(None),
Poll::Ready(Some(inner)) => Poll::Ready(Some(Incoming {
inner,
ep: this.ep.clone(),
})),
}
}
}
/// An incoming connection for which the server has not yet begun its parts of the
/// handshake.
#[derive(Debug)]
pub struct Incoming {
inner: quinn::Incoming,
ep: Endpoint,
}
impl Incoming {
/// Attempts to accept this incoming connection (an error may still occur).
///
/// Errors occurring here are likely not caused by the application or remote. The QUIC
/// connection listens on a normal UDP socket and any reachable network endpoint can
/// send datagrams to it, solicited or not. Even if the first few bytes look like a
/// QUIC packet, it might not even be a QUIC packet that is being received.
///
/// Thus it is common to simply log the errors here and accept them as something which
/// can happen.
pub fn accept(self) -> Result<Connecting, ConnectionError> {
self.inner.accept().map(|conn| Connecting {
inner: conn,
ep: self.ep,
})
}
/// Accepts this incoming connection using a custom configuration.
///
/// See [`accept()`] for more details.
///
/// [`accept()`]: Incoming::accept
pub fn accept_with(
self,
server_config: Arc<ServerConfig>,
) -> Result<Connecting, ConnectionError> {
self.inner
.accept_with(server_config)
.map(|conn| Connecting {
inner: conn,
ep: self.ep,
})
}
/// Rejects this incoming connection attempt.
pub fn refuse(self) {
self.inner.refuse()
}
/// Responds with a retry packet.
///
/// This requires the client to retry with address validation.
///
/// Errors if `remote_address_validated()` is true.
pub fn retry(self) -> Result<(), RetryError> {
self.inner.retry()
}
/// Ignores this incoming connection attempt, not sending any packet in response.
pub fn ignore(self) {
self.inner.ignore()
}
/// Returns the local IP address which was used when the peer established the
/// connection.
pub fn local_ip(&self) -> Option<IpAddr> {
self.inner.local_ip()
}
/// Returns the peer's UDP address.
pub fn remote_address(&self) -> SocketAddr {
self.inner.remote_address()
}
/// Whether the socket address that is initiating this connection has been validated.
///
/// This means that the sender of the initial packet has proved that they can receive
/// traffic sent to `self.remote_address()`.
pub fn remote_address_validated(&self) -> bool {
self.inner.remote_address_validated()
}
}
impl IntoFuture for Incoming {
type Output = Result<Connection, ConnectionError>;
type IntoFuture = IncomingFuture;
fn into_future(self) -> Self::IntoFuture {
IncomingFuture {
inner: self.inner.into_future(),
ep: self.ep,
}
}
}
/// Adaptor to let [`Incoming`] be `await`ed like a [`Connecting`].
#[derive(Debug)]
#[pin_project]
pub struct IncomingFuture {
#[pin]
inner: quinn::IncomingFuture,
ep: Endpoint,
}
impl Future for IncomingFuture {
type Output = Result<quinn::Connection, ConnectionError>;
fn poll(self: Pin<&mut Self>, cx: &mut std::task::Context<'_>) -> Poll<Self::Output> {
let this = self.project();
match this.inner.poll(cx) {
Poll::Pending => Poll::Pending,
Poll::Ready(Err(err)) => Poll::Ready(Err(err)),
Poll::Ready(Ok(conn)) => {
try_send_rtt_msg(&conn, this.ep);
Poll::Ready(Ok(conn))
}
}
}
}
/// In-progress connection attempt future
#[derive(Debug)]
#[pin_project]
pub struct Connecting {
#[pin]
inner: quinn::Connecting,
ep: Endpoint,
}
impl Connecting {
/// Convert into a 0-RTT or 0.5-RTT connection at the cost of weakened security.
pub fn into_0rtt(self) -> Result<(Connection, ZeroRttAccepted), Self> {
match self.inner.into_0rtt() {
Ok((conn, zrtt_accepted)) => {
try_send_rtt_msg(&conn, &self.ep);
Ok((conn, zrtt_accepted))
}
Err(inner) => Err(Self { inner, ep: self.ep }),
}
}
/// Parameters negotiated during the handshake
pub async fn handshake_data(&mut self) -> Result<Box<dyn Any>, ConnectionError> {
self.inner.handshake_data().await
}
/// The local IP address which was used when the peer established the connection.
pub fn local_ip(&self) -> Option<IpAddr> {
self.inner.local_ip()
}
/// The peer's UDP address.
pub fn remote_address(&self) -> SocketAddr {
self.inner.remote_address()
}
/// Extracts the ALPN protocol from the peer's handshake data.
// Note, we could totally provide this method to be on a Connection as well. But we'd
// need to wrap Connection too.
pub async fn alpn(&mut self) -> Result<Vec<u8>> {
let data = self.handshake_data().await?;
match data.downcast::<quinn::crypto::rustls::HandshakeData>() {
Ok(data) => match data.protocol {
Some(protocol) => Ok(protocol),
None => bail!("no ALPN protocol available"),
},
Err(_) => bail!("unknown handshake type"),
}
}
}
impl Future for Connecting {
type Output = Result<Connection, ConnectionError>;
fn poll(self: Pin<&mut Self>, cx: &mut std::task::Context<'_>) -> Poll<Self::Output> {
let this = self.project();
match this.inner.poll(cx) {
Poll::Pending => Poll::Pending,
Poll::Ready(Err(err)) => Poll::Ready(Err(err)),
Poll::Ready(Ok(conn)) => {
try_send_rtt_msg(&conn, this.ep);
Poll::Ready(Ok(conn))
}
}
}
}
/// Extract the [`PublicKey`] from the peer's TLS certificate.
// TODO: make this a method now
pub fn get_remote_node_id(connection: &Connection) -> Result<PublicKey> {
let data = connection.peer_identity();
match data {
None => bail!("no peer certificate found"),
Some(data) => match data.downcast::<Vec<rustls::pki_types::CertificateDer>>() {
Ok(certs) => {
if certs.len() != 1 {
bail!(
"expected a single peer certificate, but {} found",
certs.len()
);
}
let cert = tls::certificate::parse(&certs[0])?;
Ok(cert.peer_id())
}
Err(_) => bail!("invalid peer certificate"),
},
}
}
/// Try send a message to the rtt-actor.
///
/// If we can't notify the actor that will impact performance a little, but we can still
/// function.
fn try_send_rtt_msg(conn: &Connection, magic_ep: &Endpoint) {
// If we can't notify the rtt-actor that's not great but not critical.
let Ok(peer_id) = get_remote_node_id(conn) else {
warn!(?conn, "failed to get remote node id");
return;
};
let Ok(conn_type_changes) = magic_ep.conn_type_stream(peer_id) else {
warn!(?conn, "failed to create conn_type_stream");
return;
};
let rtt_msg = RttMessage::NewConnection {
connection: conn.weak_handle(),
conn_type_changes,
node_id: peer_id,
};
if let Err(err) = magic_ep.rtt_actor.msg_tx.try_send(rtt_msg) {
warn!(?conn, "rtt-actor not reachable: {err:#}");
}
}
/// Read a proxy url from the environment, in this order
///
/// - `HTTP_PROXY`
/// - `http_proxy`
/// - `HTTPS_PROXY`
/// - `https_proxy`
fn proxy_url_from_env() -> Option<Url> {
if let Some(url) = std::env::var("HTTP_PROXY")
.ok()
.and_then(|s| s.parse::<Url>().ok())
{
if is_cgi() {
warn!("HTTP_PROXY environment variable ignored in CGI");
} else {
return Some(url);
}
}
if let Some(url) = std::env::var("http_proxy")
.ok()
.and_then(|s| s.parse::<Url>().ok())
{
return Some(url);
}
if let Some(url) = std::env::var("HTTPS_PROXY")
.ok()
.and_then(|s| s.parse::<Url>().ok())
{
return Some(url);
}
if let Some(url) = std::env::var("https_proxy")
.ok()
.and_then(|s| s.parse::<Url>().ok())
{
return Some(url);
}
None
}
/// Returns the default relay mode.
///
/// If the `IROH_FORCE_STAGING_RELAYS` environment variable is non empty, it will return `RelayMode::Staging`.
/// Otherwise, it will return `RelayMode::Default`.
pub fn default_relay_mode() -> RelayMode {
// Use staging in testing
match force_staging_infra() {
true => RelayMode::Staging,
false => RelayMode::Default,
}
}
/// Check if we are being executed in a CGI context.
///
/// If so, a malicious client can send the `Proxy:` header, and it will
/// be in the `HTTP_PROXY` env var. So we don't use it :)
fn is_cgi() -> bool {
std::env::var_os("REQUEST_METHOD").is_some()
}
// TODO: These tests could still be flaky, lets fix that:
// https://github.com/n0-computer/iroh/issues/1183
#[cfg(test)]
mod tests {
use std::time::Instant;
use iroh_test::CallOnDrop;
use rand::SeedableRng;
use tracing::{error_span, info, info_span, Instrument};
use super::*;
use crate::test_utils::{run_relay_server, run_relay_server_with};
const TEST_ALPN: &[u8] = b"n0/iroh/test";
#[test]
fn test_addr_info_debug() {
let info = AddrInfo {
relay_url: Some("https://relay.example.com".parse().unwrap()),
direct_addresses: vec![SocketAddr::from(([1, 2, 3, 4], 1234))]
.into_iter()
.collect(),
};
assert_eq!(
format!("{:?}", info),
r#"AddrInfo { relay_url: Some(RelayUrl("https://relay.example.com./")), direct_addresses: {1.2.3.4:1234} }"#
);
}
#[tokio::test]
async fn test_connect_self() {
let _guard = iroh_test::logging::setup();
let ep = Endpoint::builder()
.alpns(vec![TEST_ALPN.to_vec()])
.bind()
.await
.unwrap();
let my_addr = ep.node_addr().await.unwrap();
let res = ep.connect(my_addr.clone(), TEST_ALPN).await;
assert!(res.is_err());
let err = res.err().unwrap();
assert!(err.to_string().starts_with("Connecting to ourself"));
let res = ep.add_node_addr(my_addr);
assert!(res.is_err());
let err = res.err().unwrap();
assert!(err.to_string().starts_with("Adding our own address"));
}
#[tokio::test]
async fn endpoint_connect_close() {
let _guard = iroh_test::logging::setup();
let (relay_map, relay_url, _guard) = run_relay_server().await.unwrap();
let server_secret_key = SecretKey::generate();
let server_peer_id = server_secret_key.public();
let server = {
let relay_map = relay_map.clone();
tokio::spawn(
async move {
let ep = Endpoint::builder()
.secret_key(server_secret_key)
.alpns(vec![TEST_ALPN.to_vec()])
.relay_mode(RelayMode::Custom(relay_map))
.insecure_skip_relay_cert_verify(true)
.bind()
.await
.unwrap();
info!("accepting connection");
let incoming = ep.accept().await.unwrap();
let conn = incoming.await.unwrap();
let mut stream = conn.accept_uni().await.unwrap();
let mut buf = [0u8; 5];
stream.read_exact(&mut buf).await.unwrap();
info!("Accepted 1 stream, received {buf:?}. Closing now.");
// close the connection
conn.close(7u8.into(), b"bye");
let res = conn.accept_uni().await;
assert_eq!(res.unwrap_err(), quinn::ConnectionError::LocallyClosed);
let res = stream.read_to_end(10).await;
assert_eq!(
res.unwrap_err(),
quinn::ReadToEndError::Read(quinn::ReadError::ConnectionLost(
quinn::ConnectionError::LocallyClosed
))
);
info!("server test completed");
}
.instrument(info_span!("test-server")),
)
};
let client = tokio::spawn(
async move {
let ep = Endpoint::builder()
.alpns(vec![TEST_ALPN.to_vec()])
.relay_mode(RelayMode::Custom(relay_map))
.insecure_skip_relay_cert_verify(true)
.bind()
.await
.unwrap();
info!("client connecting");
let node_addr = NodeAddr::new(server_peer_id).with_relay_url(relay_url);
let conn = ep.connect(node_addr, TEST_ALPN).await.unwrap();
let mut stream = conn.open_uni().await.unwrap();
// First write is accepted by server. We need this bit of synchronisation
// because if the server closes after simply accepting the connection we can
// not be sure our .open_uni() call would succeed as it may already receive
// the error.
stream.write_all(b"hello").await.unwrap();
info!("waiting for closed");
// Remote now closes the connection, we should see an error sometime soon.
let err = conn.closed().await;
let expected_err =
quinn::ConnectionError::ApplicationClosed(quinn::ApplicationClose {
error_code: 7u8.into(),
reason: b"bye".to_vec().into(),
});
assert_eq!(err, expected_err);
info!("opening new - expect it to fail");
let res = conn.open_uni().await;
assert_eq!(res.unwrap_err(), expected_err);
info!("client test completed");
}
.instrument(info_span!("test-client")),
);
let (server, client) = tokio::time::timeout(
Duration::from_secs(30),
futures_lite::future::zip(server, client),
)
.await
.expect("timeout");
server.unwrap();
client.unwrap();
}
/// Test that peers are properly restored
#[tokio::test]
async fn restore_peers() {
let _guard = iroh_test::logging::setup();
let secret_key = SecretKey::generate();
/// Create an endpoint for the test.
async fn new_endpoint(secret_key: SecretKey, nodes: Option<Vec<NodeAddr>>) -> Endpoint {
let mut transport_config = quinn::TransportConfig::default();
transport_config.max_idle_timeout(Some(Duration::from_secs(10).try_into().unwrap()));
let mut builder = Endpoint::builder()
.secret_key(secret_key.clone())
.transport_config(transport_config);
if let Some(nodes) = nodes {
builder = builder.known_nodes(nodes);
}
builder
.alpns(vec![TEST_ALPN.to_vec()])
.bind()
.await
.unwrap()
}
// create the peer that will be added to the peer map
let peer_id = SecretKey::generate().public();
let direct_addr: SocketAddr =
(std::net::IpAddr::V4(std::net::Ipv4Addr::LOCALHOST), 8758u16).into();
let node_addr = NodeAddr::new(peer_id).with_direct_addresses([direct_addr]);
info!("setting up first endpoint");
// first time, create a magic endpoint without peers but a peers file and add addressing
// information for a peer
let endpoint = new_endpoint(secret_key.clone(), None).await;
assert_eq!(endpoint.remote_info_iter().count(), 0);
endpoint.add_node_addr(node_addr.clone()).unwrap();
// Grab the current addrs
let node_addrs: Vec<NodeAddr> = endpoint.remote_info_iter().map(Into::into).collect();
assert_eq!(node_addrs.len(), 1);
assert_eq!(node_addrs[0], node_addr);
info!("closing endpoint");
// close the endpoint and restart it
endpoint.close(0u32.into(), b"done").await.unwrap();
info!("restarting endpoint");
// now restart it and check the addressing info of the peer
let endpoint = new_endpoint(secret_key, Some(node_addrs)).await;
let RemoteInfo { mut addrs, .. } = endpoint.remote_info(peer_id).unwrap();
let conn_addr = addrs.pop().unwrap().addr;
assert_eq!(conn_addr, direct_addr);
}
#[tokio::test]
async fn endpoint_relay_connect_loop() {
let _logging_guard = iroh_test::logging::setup();
let start = Instant::now();
let n_clients = 5;
let n_chunks_per_client = 2;
let chunk_size = 10;
let mut rng = rand_chacha::ChaCha8Rng::seed_from_u64(42);
let (relay_map, relay_url, _relay_guard) = run_relay_server().await.unwrap();
let server_secret_key = SecretKey::generate_with_rng(&mut rng);
let server_node_id = server_secret_key.public();
// The server accepts the connections of the clients sequentially.
let server = {
let relay_map = relay_map.clone();
tokio::spawn(
async move {
let ep = Endpoint::builder()
.insecure_skip_relay_cert_verify(true)
.secret_key(server_secret_key)
.alpns(vec![TEST_ALPN.to_vec()])
.relay_mode(RelayMode::Custom(relay_map))
.bind()
.await
.unwrap();
let eps = ep.bound_sockets();
info!(me = %ep.node_id().fmt_short(), ipv4=%eps.0, ipv6=?eps.1, "server bound");
for i in 0..n_clients {
let now = Instant::now();
println!("[server] round {}", i + 1);
let incoming = ep.accept().await.unwrap();
let conn = incoming.await.unwrap();
let peer_id = get_remote_node_id(&conn).unwrap();
info!(%i, peer = %peer_id.fmt_short(), "accepted connection");
let (mut send, mut recv) = conn.accept_bi().await.unwrap();
let mut buf = vec![0u8; chunk_size];
for _i in 0..n_chunks_per_client {
recv.read_exact(&mut buf).await.unwrap();
send.write_all(&buf).await.unwrap();
}
send.finish().unwrap();
send.stopped().await.unwrap();
recv.read_to_end(0).await.unwrap();
info!(%i, peer = %peer_id.fmt_short(), "finished");
println!("[server] round {} done in {:?}", i + 1, now.elapsed());
}
}
.instrument(error_span!("server")),
)
};
let abort_handle = server.abort_handle();
let _server_guard = CallOnDrop::new(move || {
abort_handle.abort();
});
for i in 0..n_clients {
let now = Instant::now();
println!("[client] round {}", i + 1);
let relay_map = relay_map.clone();
let client_secret_key = SecretKey::generate_with_rng(&mut rng);
let relay_url = relay_url.clone();
async {
info!("client binding");
let ep = Endpoint::builder()
.alpns(vec![TEST_ALPN.to_vec()])
.insecure_skip_relay_cert_verify(true)
.relay_mode(RelayMode::Custom(relay_map))
.secret_key(client_secret_key)
.bind()
.await
.unwrap();
let eps = ep.bound_sockets();
info!(me = %ep.node_id().fmt_short(), ipv4=%eps.0, ipv6=?eps.1, "client bound");
let node_addr = NodeAddr::new(server_node_id).with_relay_url(relay_url);
info!(to = ?node_addr, "client connecting");
let conn = ep.connect(node_addr, TEST_ALPN).await.unwrap();
info!("client connected");
let (mut send, mut recv) = conn.open_bi().await.unwrap();
for i in 0..n_chunks_per_client {
let mut buf = vec![i; chunk_size];
send.write_all(&buf).await.unwrap();
recv.read_exact(&mut buf).await.unwrap();
assert_eq!(buf, vec![i; chunk_size]);
}
send.finish().unwrap();
send.stopped().await.unwrap();
recv.read_to_end(0).await.unwrap();
info!("client finished");
ep.close(0u32.into(), &[]).await.unwrap();
info!("client closed");
}
.instrument(error_span!("client", %i))
.await;
println!("[client] round {} done in {:?}", i + 1, now.elapsed());
}
server.await.unwrap();
// We appear to have seen this being very slow at times. So ensure we fail if this
// test is too slow. We're only making two connections transferring very little
// data, this really shouldn't take long.
if start.elapsed() > Duration::from_secs(15) {
panic!("Test too slow, something went wrong");
}
}
#[tokio::test]
async fn endpoint_bidi_send_recv() {
let _logging_guard = iroh_test::logging::setup();
let ep1 = Endpoint::builder()
.alpns(vec![TEST_ALPN.to_vec()])
.relay_mode(RelayMode::Disabled)
.bind()
.await
.unwrap();
let ep2 = Endpoint::builder()
.alpns(vec![TEST_ALPN.to_vec()])
.relay_mode(RelayMode::Disabled)
.bind()
.await
.unwrap();
let ep1_nodeaddr = ep1.node_addr().await.unwrap();
let ep2_nodeaddr = ep2.node_addr().await.unwrap();
ep1.add_node_addr(ep2_nodeaddr.clone()).unwrap();
ep2.add_node_addr(ep1_nodeaddr.clone()).unwrap();
let ep1_nodeid = ep1.node_id();
let ep2_nodeid = ep2.node_id();
eprintln!("node id 1 {ep1_nodeid}");
eprintln!("node id 2 {ep2_nodeid}");
async fn connect_hello(ep: Endpoint, dst: NodeAddr) {
let conn = ep.connect(dst, TEST_ALPN).await.unwrap();
let (mut send, mut recv) = conn.open_bi().await.unwrap();
info!("sending hello");
send.write_all(b"hello").await.unwrap();
send.finish().unwrap();
info!("receiving world");
let m = recv.read_to_end(100).await.unwrap();
assert_eq!(m, b"world");
conn.close(1u8.into(), b"done");
}
async fn accept_world(ep: Endpoint, src: NodeId) {
let incoming = ep.accept().await.unwrap();
let mut iconn = incoming.accept().unwrap();
let alpn = iconn.alpn().await.unwrap();
let conn = iconn.await.unwrap();
let node_id = get_remote_node_id(&conn).unwrap();
assert_eq!(node_id, src);
assert_eq!(alpn, TEST_ALPN);
let (mut send, mut recv) = conn.accept_bi().await.unwrap();
info!("receiving hello");
let m = recv.read_to_end(100).await.unwrap();
assert_eq!(m, b"hello");
info!("sending hello");
send.write_all(b"world").await.unwrap();
send.finish().unwrap();
match conn.closed().await {
ConnectionError::ApplicationClosed(closed) => {
assert_eq!(closed.error_code, 1u8.into());
}
_ => panic!("wrong close error"),
}
}
let p1_accept = tokio::spawn(accept_world(ep1.clone(), ep2_nodeid).instrument(info_span!(
"p1_accept",
ep1 = %ep1.node_id().fmt_short(),
dst = %ep2_nodeid.fmt_short(),
)));
let p2_accept = tokio::spawn(accept_world(ep2.clone(), ep1_nodeid).instrument(info_span!(
"p2_accept",
ep2 = %ep2.node_id().fmt_short(),
dst = %ep1_nodeid.fmt_short(),
)));
let p1_connect = tokio::spawn(connect_hello(ep1.clone(), ep2_nodeaddr).instrument(
info_span!(
"p1_connect",
ep1 = %ep1.node_id().fmt_short(),
dst = %ep2_nodeid.fmt_short(),
),
));
let p2_connect = tokio::spawn(connect_hello(ep2.clone(), ep1_nodeaddr).instrument(
info_span!(
"p2_connect",
ep2 = %ep2.node_id().fmt_short(),
dst = %ep1_nodeid.fmt_short(),
),
));
p1_accept.await.unwrap();
p2_accept.await.unwrap();
p1_connect.await.unwrap();
p2_connect.await.unwrap();
}
#[tokio::test]
async fn endpoint_conn_type_stream() {
const TIMEOUT: Duration = std::time::Duration::from_secs(15);
let _logging_guard = iroh_test::logging::setup();
let (relay_map, _relay_url, _relay_guard) = run_relay_server().await.unwrap();
let mut rng = rand_chacha::ChaCha8Rng::seed_from_u64(42);
let ep1_secret_key = SecretKey::generate_with_rng(&mut rng);
let ep2_secret_key = SecretKey::generate_with_rng(&mut rng);
let ep1 = Endpoint::builder()
.secret_key(ep1_secret_key)
.insecure_skip_relay_cert_verify(true)
.alpns(vec![TEST_ALPN.to_vec()])
.relay_mode(RelayMode::Custom(relay_map.clone()))
.bind()
.await
.unwrap();
let ep2 = Endpoint::builder()
.secret_key(ep2_secret_key)
.insecure_skip_relay_cert_verify(true)
.alpns(vec![TEST_ALPN.to_vec()])
.relay_mode(RelayMode::Custom(relay_map))
.bind()
.await
.unwrap();
async fn handle_direct_conn(ep: &Endpoint, node_id: PublicKey) -> Result<()> {
let mut stream = ep.conn_type_stream(node_id)?;
let src = ep.node_id().fmt_short();
let dst = node_id.fmt_short();
while let Some(conn_type) = stream.next().await {
tracing::info!(me = %src, dst = %dst, conn_type = ?conn_type);
if matches!(conn_type, ConnectionType::Direct(_)) {
return Ok(());
}
}
anyhow::bail!("conn_type stream ended before `ConnectionType::Direct`");
}
async fn accept(ep: &Endpoint) -> NodeId {
let incoming = ep.accept().await.unwrap();
let conn = incoming.await.unwrap();
let node_id = get_remote_node_id(&conn).unwrap();
tracing::info!(node_id=%node_id.fmt_short(), "accepted connection");
node_id
}
let ep1_nodeid = ep1.node_id();
let ep2_nodeid = ep2.node_id();
let ep1_nodeaddr = ep1.node_addr().await.unwrap();
tracing::info!(
"node id 1 {ep1_nodeid}, relay URL {:?}",
ep1_nodeaddr.relay_url()
);
tracing::info!("node id 2 {ep2_nodeid}");
let ep1_side = async move {
accept(&ep1).await;
handle_direct_conn(&ep1, ep2_nodeid).await
};
let ep2_side = async move {
ep2.connect(ep1_nodeaddr, TEST_ALPN).await.unwrap();
handle_direct_conn(&ep2, ep1_nodeid).await
};
let res_ep1 = tokio::spawn(tokio::time::timeout(TIMEOUT, ep1_side));
let ep1_abort_handle = res_ep1.abort_handle();
let _ep1_guard = CallOnDrop::new(move || {
ep1_abort_handle.abort();
});
let res_ep2 = tokio::spawn(tokio::time::timeout(TIMEOUT, ep2_side));
let ep2_abort_handle = res_ep2.abort_handle();
let _ep2_guard = CallOnDrop::new(move || {
ep2_abort_handle.abort();
});
let (r1, r2) = tokio::try_join!(res_ep1, res_ep2).unwrap();
r1.expect("ep1 timeout").unwrap();
r2.expect("ep2 timeout").unwrap();
}
#[tokio::test]
async fn test_direct_addresses_no_stun_relay() {
let _guard = iroh_test::logging::setup();
let (relay_map, _, _guard) = run_relay_server_with(None).await.unwrap();
let ep = Endpoint::builder()
.alpns(vec![TEST_ALPN.to_vec()])
.relay_mode(RelayMode::Custom(relay_map))
.insecure_skip_relay_cert_verify(true)
.bind()
.await
.unwrap();
tokio::time::timeout(Duration::from_secs(10), ep.direct_addresses().next())
.await
.unwrap()
.unwrap();
}
}