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 1877 1878 1879 1880 1881 1882 1883 1884 1885 1886 1887 1888 1889 1890 1891 1892 1893 1894 1895 1896 1897 1898 1899 1900 1901 1902 1903 1904 1905 1906 1907 1908 1909 1910 1911 1912 1913 1914 1915 1916 1917 1918 1919 1920 1921 1922 1923 1924 1925 1926 1927 1928 1929 1930 1931 1932 1933 1934 1935 1936 1937 1938 1939 1940 1941 1942 1943 1944 1945 1946 1947 1948 1949 1950 1951 1952 1953 1954 1955 1956 1957 1958 1959 1960 1961 1962 1963 1964 1965 1966 1967 1968 1969 1970 1971 1972 1973 1974 1975 1976 1977 1978 1979 1980 1981 1982 1983 1984 1985 1986 1987 1988 1989 1990 1991 1992 1993 1994 1995 1996 1997 1998 1999 2000 2001 2002 2003 2004 2005 2006 2007 2008 2009 2010 2011 2012 2013 2014 2015 2016 2017 2018 2019 2020 2021 2022 2023 2024 2025 2026 2027 2028 2029 2030 2031 2032 2033 2034 2035 2036 2037 2038 2039 2040 2041 2042 2043 2044 2045 2046 2047 2048 2049 2050 2051 2052 2053 2054 2055 2056 2057 2058 2059 2060 2061 2062 2063 2064 2065 2066 2067 2068 2069 2070 2071 2072 2073 2074 2075 2076 2077 2078 2079 2080 2081 2082 2083 2084 2085 2086 2087 2088 2089 2090 2091 2092 2093 2094 2095 2096 2097 2098 2099 2100 2101 2102 2103 2104 2105 2106 2107 2108 2109 2110 2111 2112 2113 2114 2115 2116 2117 2118 2119 2120 2121 2122 2123 2124 2125 2126 2127 2128 2129 2130 2131 2132 2133 2134 2135 2136 2137 2138 2139 2140 2141 2142 2143 2144 2145 2146 2147 2148 2149 2150 2151 2152 2153 2154 2155 2156 2157 2158 2159 2160 2161 2162 2163 2164 2165 2166 2167 2168 2169 2170 2171 2172 2173 2174 2175 2176 2177 2178 2179 2180 2181 2182 2183 2184 2185 2186 2187 2188 2189 2190 2191 2192 2193 2194 2195 2196 2197 2198 2199 2200 2201 2202 2203 2204 2205 2206 2207 2208 2209 2210 2211 2212 2213 2214 2215 2216 2217 2218 2219 2220 2221 2222 2223 2224 2225 2226 2227 2228 2229 2230 2231 2232 2233 2234 2235 2236 2237 2238 2239 2240 2241 2242 2243 2244 2245 2246 2247 2248 2249 2250 2251 2252 2253 2254 2255 2256 2257 2258 2259 2260 2261 2262 2263 2264 2265 2266 2267 2268 2269 2270 2271 2272 2273 2274 2275 2276 2277 2278 2279 2280 2281 2282 2283 2284 2285 2286 2287 2288 2289 2290 2291 2292 2293 2294 2295 2296 2297 2298 2299 2300 2301 2302 2303 2304 2305 2306 2307 2308 2309 2310 2311 2312 2313 2314 2315 2316 2317 2318 2319 2320 2321 2322 2323 2324 2325 2326 2327 2328 2329 2330 2331 2332 2333 2334 2335 2336 2337 2338 2339 2340 2341 2342 2343 2344 2345 2346 2347 2348 2349 2350 2351 2352 2353 2354 2355 2356 2357 2358 2359 2360 2361 2362 2363 2364 2365 2366 2367 2368 2369 2370 2371 2372 2373 2374 2375 2376 2377 2378 2379 2380 2381 2382 2383 2384 2385 2386 2387 2388 2389 2390 2391 2392 2393 2394 2395 2396 2397 2398 2399 2400 2401 2402 2403 2404 2405 2406 2407 2408 2409 2410 2411 2412 2413 2414 2415 2416 2417 2418 2419 2420 2421 2422 2423 2424 2425 2426 2427 2428 2429 2430 2431 2432 2433 2434 2435 2436 2437 2438 2439 2440 2441 2442 2443 2444 2445 2446 2447 2448 2449 2450 2451 2452 2453 2454 2455 2456 2457 2458 2459 2460 2461 2462 2463 2464 2465 2466 2467 2468 2469 2470 2471 2472 2473 2474 2475 2476 2477 2478 2479 2480 2481 2482 2483 2484 2485 2486 2487 2488 2489 2490 2491 2492 2493 2494 2495 2496 2497 2498 2499 2500 2501 2502 2503 2504 2505 2506 2507 2508 2509 2510 2511 2512 2513 2514 2515 2516 2517 2518 2519 2520 2521 2522 2523 2524 2525 2526 2527 2528 2529 2530 2531 2532 2533 2534 2535 2536 2537 2538 2539 2540 2541 2542 2543 2544 2545 2546 2547 2548 2549 2550 2551 2552 2553 2554 2555 2556 2557 2558 2559 2560 2561 2562 2563 2564 2565 2566 2567 2568 2569 2570 2571 2572 2573 2574 2575 2576 2577 2578 2579 2580 2581 2582 2583 2584 2585 2586 2587 2588 2589 2590 2591 2592 2593 2594 2595 2596 2597 2598 2599 2600 2601 2602 2603 2604 2605 2606 2607 2608 2609 2610 2611 2612 2613 2614 2615 2616 2617 2618 2619 2620 2621 2622 2623 2624 2625 2626 2627 2628 2629 2630 2631 2632 2633 2634 2635 2636 2637 2638 2639 2640 2641 2642 2643 2644 2645 2646 2647 2648 2649 2650 2651 2652 2653 2654 2655 2656 2657 2658 2659 2660 2661 2662 2663 2664 2665 2666 2667 2668 2669 2670 2671 2672 2673 2674 2675 2676 2677 2678 2679 2680 2681 2682 2683 2684 2685 2686 2687 2688 2689 2690 2691 2692 2693 2694 2695 2696 2697 2698 2699 2700 2701 2702 2703 2704 2705 2706 2707 2708 2709 2710 2711 2712 2713 2714 2715 2716 2717 2718 2719 2720 2721 2722 2723 2724 2725 2726 2727 2728 2729 2730 2731 2732 2733
// Smoldot
// Copyright (C) 2019-2022 Parity Technologies (UK) Ltd.
// SPDX-License-Identifier: GPL-3.0-or-later WITH Classpath-exception-2.0
// This program is free software: you can redistribute it and/or modify
// it under the terms of the GNU General Public License as published by
// the Free Software Foundation, either version 3 of the License, or
// (at your option) any later version.
// This program is distributed in the hope that it will be useful,
// but WITHOUT ANY WARRANTY; without even the implied warranty of
// MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
// GNU General Public License for more details.
// You should have received a copy of the GNU General Public License
// along with this program. If not, see <http://www.gnu.org/licenses/>.
//! Background network service.
//!
//! The [`NetworkService`] manages background tasks dedicated to connecting to other nodes.
//! Importantly, its design is oriented towards the particular use case of the light client.
//!
//! The [`NetworkService`] spawns one background task (using [`PlatformRef::spawn_task`]) for
//! each active connection.
//!
//! The objective of the [`NetworkService`] in general is to try stay connected as much as
//! possible to the nodes of the peer-to-peer network of the chain, and maintain open substreams
//! with them in order to send out requests (e.g. block requests) and notifications (e.g. block
//! announces).
//!
//! Connectivity to the network is performed in the background as an implementation detail of
//! the service. The public API only allows emitting requests and notifications towards the
//! already-connected nodes.
//!
//! After a [`NetworkService`] is created, one can add chains using [`NetworkService::add_chain`].
//! If all references to a [`NetworkServiceChain`] are destroyed, the chain is automatically
//! purged.
//!
//! An important part of the API is the list of channel receivers of [`Event`] returned by
//! [`NetworkServiceChain::subscribe`]. These channels inform the foreground about updates to the
//! network connectivity.
use crate::{
log,
platform::{self, address_parse, PlatformRef},
};
use alloc::{
borrow::ToOwned as _,
boxed::Box,
collections::BTreeMap,
format,
string::{String, ToString as _},
sync::Arc,
vec::{self, Vec},
};
use core::{cmp, mem, num::NonZero, pin::Pin, time::Duration};
use futures_channel::oneshot;
use futures_lite::FutureExt as _;
use futures_util::{future, stream, StreamExt as _};
use hashbrown::{HashMap, HashSet};
use rand::seq::IteratorRandom as _;
use rand_chacha::rand_core::SeedableRng as _;
use smoldot::{
header,
informant::{BytesDisplay, HashDisplay},
libp2p::{
connection,
multiaddr::{self, Multiaddr},
peer_id,
},
network::{basic_peering_strategy, codec, service},
};
pub use codec::{CallProofRequestConfig, Role};
pub use service::{ChainId, EncodedMerkleProof, PeerId, QueueNotificationError};
mod tasks;
/// Configuration for a [`NetworkService`].
pub struct Config<TPlat> {
/// Access to the platform's capabilities.
pub platform: TPlat,
/// Value sent back for the agent version when receiving an identification request.
pub identify_agent_version: String,
/// Capacity to allocate for the list of chains.
pub chains_capacity: usize,
/// Maximum number of connections that the service can open simultaneously. After this value
/// has been reached, a new connection can be opened after each
/// [`Config::connections_open_pool_restore_delay`].
pub connections_open_pool_size: u32,
/// Delay after which the service can open a new connection.
/// The delay is cumulative. If no connection has been opened for example for twice this
/// duration, then two connections can be opened at the same time, up to a maximum of
/// [`Config::connections_open_pool_size`].
pub connections_open_pool_restore_delay: Duration,
}
/// See [`NetworkService::add_chain`].
///
/// Note that this configuration is intentionally missing a field containing the bootstrap
/// nodes of the chain. Bootstrap nodes are supposed to be added afterwards by calling
/// [`NetworkServiceChain::discover`].
pub struct ConfigChain {
/// Name of the chain, for logging purposes.
pub log_name: String,
/// Number of "out slots" of this chain. We establish simultaneously gossip substreams up to
/// this number of peers.
pub num_out_slots: usize,
/// Hash of the genesis block of the chain. Sent to other nodes in order to determine whether
/// the chains match.
///
/// > **Note**: Be aware that this *must* be the *genesis* block, not any block known to be
/// > in the chain.
pub genesis_block_hash: [u8; 32],
/// Number and hash of the current best block. Can later be updated with
/// [`NetworkServiceChain::set_local_best_block`].
pub best_block: (u64, [u8; 32]),
/// Optional identifier to insert into the networking protocol names. Used to differentiate
/// between chains with the same genesis hash.
pub fork_id: Option<String>,
/// Number of bytes of the block number in the networking protocol.
pub block_number_bytes: usize,
/// Must be `Some` if and only if the chain uses the GrandPa networking protocol. Contains the
/// number of the finalized block at the time of the initialization.
pub grandpa_protocol_finalized_block_height: Option<u64>,
}
pub struct NetworkService<TPlat: PlatformRef> {
/// Channel connected to the background service.
messages_tx: async_channel::Sender<ToBackground<TPlat>>,
/// See [`Config::platform`].
platform: TPlat,
}
impl<TPlat: PlatformRef> NetworkService<TPlat> {
/// Initializes the network service with the given configuration.
pub fn new(config: Config<TPlat>) -> Arc<Self> {
let (main_messages_tx, main_messages_rx) = async_channel::bounded(4);
let network = service::ChainNetwork::new(service::Config {
chains_capacity: config.chains_capacity,
connections_capacity: 32,
handshake_timeout: Duration::from_secs(8),
randomness_seed: {
let mut seed = [0; 32];
config.platform.fill_random_bytes(&mut seed);
seed
},
});
// Spawn main task that processes the network service.
let (tasks_messages_tx, tasks_messages_rx) = async_channel::bounded(32);
let task = Box::pin(background_task(BackgroundTask {
randomness: rand_chacha::ChaCha20Rng::from_seed({
let mut seed = [0; 32];
config.platform.fill_random_bytes(&mut seed);
seed
}),
identify_agent_version: config.identify_agent_version,
tasks_messages_tx,
tasks_messages_rx: Box::pin(tasks_messages_rx),
peering_strategy: basic_peering_strategy::BasicPeeringStrategy::new(
basic_peering_strategy::Config {
randomness_seed: {
let mut seed = [0; 32];
config.platform.fill_random_bytes(&mut seed);
seed
},
peers_capacity: 50, // TODO: ?
chains_capacity: config.chains_capacity,
},
),
network,
connections_open_pool_size: config.connections_open_pool_size,
connections_open_pool_restore_delay: config.connections_open_pool_restore_delay,
num_recent_connection_opening: 0,
next_recent_connection_restore: None,
platform: config.platform.clone(),
open_gossip_links: BTreeMap::new(),
event_pending_send: None,
event_senders: either::Left(Vec::new()),
pending_new_subscriptions: Vec::new(),
important_nodes: HashSet::with_capacity_and_hasher(16, Default::default()),
main_messages_rx: Box::pin(main_messages_rx),
messages_rx: stream::SelectAll::new(),
blocks_requests: HashMap::with_capacity_and_hasher(8, Default::default()),
grandpa_warp_sync_requests: HashMap::with_capacity_and_hasher(8, Default::default()),
storage_proof_requests: HashMap::with_capacity_and_hasher(8, Default::default()),
call_proof_requests: HashMap::with_capacity_and_hasher(8, Default::default()),
chains_by_next_discovery: BTreeMap::new(),
}));
config.platform.spawn_task("network-service".into(), {
let platform = config.platform.clone();
async move {
task.await;
log!(&platform, Debug, "network", "shutdown");
}
});
Arc::new(NetworkService {
messages_tx: main_messages_tx,
platform: config.platform,
})
}
/// Adds a chain to the list of chains that the network service connects to.
///
/// Returns an object representing the chain and that allows interacting with it. If all
/// references to [`NetworkServiceChain`] are destroyed, the network service automatically
/// purges that chain.
pub fn add_chain(&self, config: ConfigChain) -> Arc<NetworkServiceChain<TPlat>> {
let (messages_tx, messages_rx) = async_channel::bounded(32);
// TODO: this code is hacky because we don't want to make `add_chain` async at the moment, because it's not convenient for lib.rs
self.platform.spawn_task("add-chain-message-send".into(), {
let config = service::ChainConfig {
grandpa_protocol_config: config.grandpa_protocol_finalized_block_height.map(
|commit_finalized_height| service::GrandpaState {
commit_finalized_height,
round_number: 1,
set_id: 0,
},
),
fork_id: config.fork_id.clone(),
block_number_bytes: config.block_number_bytes,
best_hash: config.best_block.1,
best_number: config.best_block.0,
genesis_hash: config.genesis_block_hash,
role: Role::Light,
allow_inbound_block_requests: false,
user_data: Chain {
log_name: config.log_name,
block_number_bytes: config.block_number_bytes,
num_out_slots: config.num_out_slots,
num_references: NonZero::<usize>::new(1).unwrap(),
next_discovery_period: Duration::from_secs(2),
next_discovery_when: self.platform.now(),
},
};
let messages_tx = self.messages_tx.clone();
async move {
let _ = messages_tx
.send(ToBackground::AddChain {
messages_rx,
config,
})
.await;
}
});
Arc::new(NetworkServiceChain {
_keep_alive_messages_tx: self.messages_tx.clone(),
messages_tx,
marker: core::marker::PhantomData,
})
}
}
pub struct NetworkServiceChain<TPlat: PlatformRef> {
/// Copy of [`NetworkService::messages_tx`]. Used in order to maintain the network service
/// background task alive.
_keep_alive_messages_tx: async_channel::Sender<ToBackground<TPlat>>,
/// Channel to send messages to the background task.
messages_tx: async_channel::Sender<ToBackgroundChain>,
/// Dummy to hold the `TPlat` type.
marker: core::marker::PhantomData<TPlat>,
}
/// Severity of a ban. See [`NetworkServiceChain::ban_and_disconnect`].
#[derive(Debug, Copy, Clone, PartialEq, Eq)]
pub enum BanSeverity {
Low,
High,
}
impl<TPlat: PlatformRef> NetworkServiceChain<TPlat> {
/// Subscribes to the networking events that happen on the given chain.
///
/// Calling this function returns a `Receiver` that receives events about the chain.
/// The new channel will immediately receive events about all the existing connections, so
/// that it is able to maintain a coherent view of the network.
///
/// Note that this function is `async`, but it should return very quickly.
///
/// The `Receiver` **must** be polled continuously. When the channel is full, the networking
/// connections will be back-pressured until the channel isn't full anymore.
///
/// The `Receiver` never yields `None` unless the [`NetworkService`] crashes or is destroyed.
/// If `None` is yielded and the [`NetworkService`] is still alive, you should call
/// [`NetworkServiceChain::subscribe`] again to obtain a new `Receiver`.
///
/// # Panic
///
/// Panics if the given [`ChainId`] is invalid.
///
// TODO: consider not killing the background until the channel is destroyed, as that would be a more sensical behaviour
pub async fn subscribe(&self) -> async_channel::Receiver<Event> {
let (tx, rx) = async_channel::bounded(128);
self.messages_tx
.send(ToBackgroundChain::Subscribe { sender: tx })
.await
.unwrap();
rx
}
/// Starts asynchronously disconnecting the given peer. A [`Event::Disconnected`] will later be
/// generated. Prevents a new gossip link with the same peer from being reopened for a
/// little while.
///
/// `reason` is a human-readable string printed in the logs.
///
/// Due to race conditions, it is possible to reconnect to the peer soon after, in case the
/// reconnection was already happening as the call to this function is still being processed.
/// If that happens another [`Event::Disconnected`] will be delivered afterwards. In other
/// words, this function guarantees that we will be disconnected in the future rather than
/// guarantees that we will disconnect.
pub async fn ban_and_disconnect(
&self,
peer_id: PeerId,
severity: BanSeverity,
reason: &'static str,
) {
let _ = self
.messages_tx
.send(ToBackgroundChain::DisconnectAndBan {
peer_id,
severity,
reason,
})
.await;
}
/// Sends a blocks request to the given peer.
// TODO: more docs
pub async fn blocks_request(
self: Arc<Self>,
target: PeerId,
config: codec::BlocksRequestConfig,
timeout: Duration,
) -> Result<Vec<codec::BlockData>, BlocksRequestError> {
let (tx, rx) = oneshot::channel();
self.messages_tx
.send(ToBackgroundChain::StartBlocksRequest {
target: target.clone(),
config,
timeout,
result: tx,
})
.await
.unwrap();
rx.await.unwrap()
}
/// Sends a grandpa warp sync request to the given peer.
// TODO: more docs
pub async fn grandpa_warp_sync_request(
self: Arc<Self>,
target: PeerId,
begin_hash: [u8; 32],
timeout: Duration,
) -> Result<service::EncodedGrandpaWarpSyncResponse, WarpSyncRequestError> {
let (tx, rx) = oneshot::channel();
self.messages_tx
.send(ToBackgroundChain::StartWarpSyncRequest {
target: target.clone(),
begin_hash,
timeout,
result: tx,
})
.await
.unwrap();
rx.await.unwrap()
}
pub async fn set_local_best_block(&self, best_hash: [u8; 32], best_number: u64) {
self.messages_tx
.send(ToBackgroundChain::SetLocalBestBlock {
best_hash,
best_number,
})
.await
.unwrap();
}
pub async fn set_local_grandpa_state(&self, grandpa_state: service::GrandpaState) {
self.messages_tx
.send(ToBackgroundChain::SetLocalGrandpaState { grandpa_state })
.await
.unwrap();
}
/// Sends a storage proof request to the given peer.
// TODO: more docs
pub async fn storage_proof_request(
self: Arc<Self>,
target: PeerId, // TODO: takes by value because of futures longevity issue
config: codec::StorageProofRequestConfig<impl Iterator<Item = impl AsRef<[u8]> + Clone>>,
timeout: Duration,
) -> Result<service::EncodedMerkleProof, StorageProofRequestError> {
let (tx, rx) = oneshot::channel();
self.messages_tx
.send(ToBackgroundChain::StartStorageProofRequest {
target: target.clone(),
config: codec::StorageProofRequestConfig {
block_hash: config.block_hash,
keys: config
.keys
.map(|key| key.as_ref().to_vec()) // TODO: to_vec() overhead
.collect::<Vec<_>>()
.into_iter(),
},
timeout,
result: tx,
})
.await
.unwrap();
rx.await.unwrap()
}
/// Sends a call proof request to the given peer.
///
/// See also [`NetworkServiceChain::call_proof_request`].
// TODO: more docs
pub async fn call_proof_request(
self: Arc<Self>,
target: PeerId, // TODO: takes by value because of futures longevity issue
config: codec::CallProofRequestConfig<'_, impl Iterator<Item = impl AsRef<[u8]>>>,
timeout: Duration,
) -> Result<EncodedMerkleProof, CallProofRequestError> {
let (tx, rx) = oneshot::channel();
self.messages_tx
.send(ToBackgroundChain::StartCallProofRequest {
target: target.clone(),
config: codec::CallProofRequestConfig {
block_hash: config.block_hash,
method: config.method.into_owned().into(),
parameter_vectored: config
.parameter_vectored
.map(|v| v.as_ref().to_vec()) // TODO: to_vec() overhead
.collect::<Vec<_>>()
.into_iter(),
},
timeout,
result: tx,
})
.await
.unwrap();
rx.await.unwrap()
}
/// Announces transaction to the peers we are connected to.
///
/// Returns a list of peers that we have sent the transaction to. Can return an empty `Vec`
/// if we didn't send the transaction to any peer.
///
/// Note that the remote doesn't confirm that it has received the transaction. Because
/// networking is inherently unreliable, successfully sending a transaction to a peer doesn't
/// necessarily mean that the remote has received it. In practice, however, the likelihood of
/// a transaction not being received are extremely low. This can be considered as known flaw.
pub async fn announce_transaction(self: Arc<Self>, transaction: &[u8]) -> Vec<PeerId> {
let (tx, rx) = oneshot::channel();
self.messages_tx
.send(ToBackgroundChain::AnnounceTransaction {
transaction: transaction.to_vec(), // TODO: ovheread
result: tx,
})
.await
.unwrap();
rx.await.unwrap()
}
/// See [`service::ChainNetwork::gossip_send_block_announce`].
pub async fn send_block_announce(
self: Arc<Self>,
target: &PeerId,
scale_encoded_header: &[u8],
is_best: bool,
) -> Result<(), QueueNotificationError> {
let (tx, rx) = oneshot::channel();
self.messages_tx
.send(ToBackgroundChain::SendBlockAnnounce {
target: target.clone(), // TODO: overhead
scale_encoded_header: scale_encoded_header.to_vec(), // TODO: overhead
is_best,
result: tx,
})
.await
.unwrap();
rx.await.unwrap()
}
/// Marks the given peers as belonging to the given chain, and adds some addresses to these
/// peers to the address book.
///
/// The `important_nodes` parameter indicates whether these nodes are considered note-worthy
/// and should have additional logging.
pub async fn discover(
&self,
list: impl IntoIterator<Item = (PeerId, impl IntoIterator<Item = Multiaddr>)>,
important_nodes: bool,
) {
self.messages_tx
.send(ToBackgroundChain::Discover {
// TODO: overhead
list: list
.into_iter()
.map(|(peer_id, addrs)| {
(peer_id, addrs.into_iter().collect::<Vec<_>>().into_iter())
})
.collect::<Vec<_>>()
.into_iter(),
important_nodes,
})
.await
.unwrap();
}
/// Returns a list of nodes (their [`PeerId`] and multiaddresses) that we know are part of
/// the network.
///
/// Nodes that are discovered might disappear over time. In other words, there is no guarantee
/// that a node that has been added through [`NetworkServiceChain::discover`] will later be
/// returned by [`NetworkServiceChain::discovered_nodes`].
pub async fn discovered_nodes(
&self,
) -> impl Iterator<Item = (PeerId, impl Iterator<Item = Multiaddr>)> {
let (tx, rx) = oneshot::channel();
self.messages_tx
.send(ToBackgroundChain::DiscoveredNodes { result: tx })
.await
.unwrap();
rx.await
.unwrap()
.into_iter()
.map(|(peer_id, addrs)| (peer_id, addrs.into_iter()))
}
/// Returns an iterator to the list of [`PeerId`]s that we have an established connection
/// with.
pub async fn peers_list(&self) -> impl Iterator<Item = PeerId> {
let (tx, rx) = oneshot::channel();
self.messages_tx
.send(ToBackgroundChain::PeersList { result: tx })
.await
.unwrap();
rx.await.unwrap().into_iter()
}
}
/// Event that can happen on the network service.
#[derive(Debug, Clone)]
pub enum Event {
Connected {
peer_id: PeerId,
role: Role,
best_block_number: u64,
best_block_hash: [u8; 32],
},
Disconnected {
peer_id: PeerId,
},
BlockAnnounce {
peer_id: PeerId,
announce: service::EncodedBlockAnnounce,
},
GrandpaNeighborPacket {
peer_id: PeerId,
finalized_block_height: u64,
},
/// Received a GrandPa commit message from the network.
GrandpaCommitMessage {
peer_id: PeerId,
message: service::EncodedGrandpaCommitMessage,
},
}
/// Error returned by [`NetworkServiceChain::blocks_request`].
#[derive(Debug, derive_more::Display, derive_more::Error)]
pub enum BlocksRequestError {
/// No established connection with the target.
NoConnection,
/// Error during the request.
#[display("{_0}")]
Request(service::BlocksRequestError),
}
/// Error returned by [`NetworkServiceChain::grandpa_warp_sync_request`].
#[derive(Debug, derive_more::Display, derive_more::Error)]
pub enum WarpSyncRequestError {
/// No established connection with the target.
NoConnection,
/// Error during the request.
#[display("{_0}")]
Request(service::GrandpaWarpSyncRequestError),
}
/// Error returned by [`NetworkServiceChain::storage_proof_request`].
#[derive(Debug, derive_more::Display, derive_more::Error, Clone)]
pub enum StorageProofRequestError {
/// No established connection with the target.
NoConnection,
/// Storage proof request is too large and can't be sent.
RequestTooLarge,
/// Error during the request.
#[display("{_0}")]
Request(service::StorageProofRequestError),
}
/// Error returned by [`NetworkServiceChain::call_proof_request`].
#[derive(Debug, derive_more::Display, derive_more::Error, Clone)]
pub enum CallProofRequestError {
/// No established connection with the target.
NoConnection,
/// Call proof request is too large and can't be sent.
RequestTooLarge,
/// Error during the request.
#[display("{_0}")]
Request(service::CallProofRequestError),
}
impl CallProofRequestError {
/// Returns `true` if this is caused by networking issues, as opposed to a consensus-related
/// issue.
pub fn is_network_problem(&self) -> bool {
match self {
CallProofRequestError::Request(err) => err.is_network_problem(),
CallProofRequestError::RequestTooLarge => false,
CallProofRequestError::NoConnection => true,
}
}
}
enum ToBackground<TPlat: PlatformRef> {
AddChain {
messages_rx: async_channel::Receiver<ToBackgroundChain>,
config: service::ChainConfig<Chain<TPlat>>,
},
}
enum ToBackgroundChain {
RemoveChain,
Subscribe {
sender: async_channel::Sender<Event>,
},
DisconnectAndBan {
peer_id: PeerId,
severity: BanSeverity,
reason: &'static str,
},
// TODO: serialize the request before sending over channel
StartBlocksRequest {
target: PeerId, // TODO: takes by value because of future longevity issue
config: codec::BlocksRequestConfig,
timeout: Duration,
result: oneshot::Sender<Result<Vec<codec::BlockData>, BlocksRequestError>>,
},
// TODO: serialize the request before sending over channel
StartWarpSyncRequest {
target: PeerId,
begin_hash: [u8; 32],
timeout: Duration,
result:
oneshot::Sender<Result<service::EncodedGrandpaWarpSyncResponse, WarpSyncRequestError>>,
},
// TODO: serialize the request before sending over channel
StartStorageProofRequest {
target: PeerId,
config: codec::StorageProofRequestConfig<vec::IntoIter<Vec<u8>>>,
timeout: Duration,
result: oneshot::Sender<Result<service::EncodedMerkleProof, StorageProofRequestError>>,
},
// TODO: serialize the request before sending over channel
StartCallProofRequest {
target: PeerId, // TODO: takes by value because of futures longevity issue
config: codec::CallProofRequestConfig<'static, vec::IntoIter<Vec<u8>>>,
timeout: Duration,
result: oneshot::Sender<Result<service::EncodedMerkleProof, CallProofRequestError>>,
},
SetLocalBestBlock {
best_hash: [u8; 32],
best_number: u64,
},
SetLocalGrandpaState {
grandpa_state: service::GrandpaState,
},
AnnounceTransaction {
transaction: Vec<u8>,
result: oneshot::Sender<Vec<PeerId>>,
},
SendBlockAnnounce {
target: PeerId,
scale_encoded_header: Vec<u8>,
is_best: bool,
result: oneshot::Sender<Result<(), QueueNotificationError>>,
},
Discover {
list: vec::IntoIter<(PeerId, vec::IntoIter<Multiaddr>)>,
important_nodes: bool,
},
DiscoveredNodes {
result: oneshot::Sender<Vec<(PeerId, Vec<Multiaddr>)>>,
},
PeersList {
result: oneshot::Sender<Vec<PeerId>>,
},
}
struct BackgroundTask<TPlat: PlatformRef> {
/// See [`Config::platform`].
platform: TPlat,
/// Random number generator.
randomness: rand_chacha::ChaCha20Rng,
/// Value provided through [`Config::identify_agent_version`].
identify_agent_version: String,
/// Channel to send messages to the background task.
tasks_messages_tx:
async_channel::Sender<(service::ConnectionId, service::ConnectionToCoordinator)>,
/// Channel to receive messages destined to the background task.
tasks_messages_rx: Pin<
Box<async_channel::Receiver<(service::ConnectionId, service::ConnectionToCoordinator)>>,
>,
/// Data structure holding the entire state of the networking.
network: service::ChainNetwork<
Chain<TPlat>,
async_channel::Sender<service::CoordinatorToConnection>,
TPlat::Instant,
>,
/// All known peers and their addresses.
peering_strategy: basic_peering_strategy::BasicPeeringStrategy<ChainId, TPlat::Instant>,
/// See [`Config::connections_open_pool_size`].
connections_open_pool_size: u32,
/// See [`Config::connections_open_pool_restore_delay`].
connections_open_pool_restore_delay: Duration,
/// Every time a connection is opened, the value in this field is increased by one. After
/// [`BackgroundTask::next_recent_connection_restore`] has yielded, the value is reduced by
/// one.
num_recent_connection_opening: u32,
/// Delay after which [`BackgroundTask::num_recent_connection_opening`] is increased by one.
next_recent_connection_restore: Option<Pin<Box<TPlat::Delay>>>,
/// List of all open gossip links.
// TODO: using this data structure unfortunately means that PeerIds are cloned a lot, maybe some user data in ChainNetwork is better? not sure
open_gossip_links: BTreeMap<(ChainId, PeerId), OpenGossipLinkState>,
/// List of nodes that are considered as important for logging purposes.
// TODO: should also detect whenever we fail to open a block announces substream with any of these peers
important_nodes: HashSet<PeerId, fnv::FnvBuildHasher>,
/// Event about to be sent on the senders of [`BackgroundTask::event_senders`].
event_pending_send: Option<(ChainId, Event)>,
/// Sending events through the public API.
///
/// Contains either senders, or a `Future` that is currently sending an event and will yield
/// the senders back once it is finished.
// TODO: sort by ChainId instead of using a Vec?
event_senders: either::Either<
Vec<(ChainId, async_channel::Sender<Event>)>,
Pin<Box<dyn future::Future<Output = Vec<(ChainId, async_channel::Sender<Event>)>> + Send>>,
>,
/// Whenever [`NetworkServiceChain::subscribe`] is called, the new sender is added to this list.
/// Once [`BackgroundTask::event_senders`] is ready, we properly initialize these senders.
pending_new_subscriptions: Vec<(ChainId, async_channel::Sender<Event>)>,
main_messages_rx: Pin<Box<async_channel::Receiver<ToBackground<TPlat>>>>,
messages_rx:
stream::SelectAll<Pin<Box<dyn stream::Stream<Item = (ChainId, ToBackgroundChain)> + Send>>>,
blocks_requests: HashMap<
service::SubstreamId,
oneshot::Sender<Result<Vec<codec::BlockData>, BlocksRequestError>>,
fnv::FnvBuildHasher,
>,
grandpa_warp_sync_requests: HashMap<
service::SubstreamId,
oneshot::Sender<Result<service::EncodedGrandpaWarpSyncResponse, WarpSyncRequestError>>,
fnv::FnvBuildHasher,
>,
storage_proof_requests: HashMap<
service::SubstreamId,
oneshot::Sender<Result<service::EncodedMerkleProof, StorageProofRequestError>>,
fnv::FnvBuildHasher,
>,
call_proof_requests: HashMap<
service::SubstreamId,
oneshot::Sender<Result<service::EncodedMerkleProof, CallProofRequestError>>,
fnv::FnvBuildHasher,
>,
/// All chains, indexed by the value of [`Chain::next_discovery_when`].
chains_by_next_discovery: BTreeMap<(TPlat::Instant, ChainId), Pin<Box<TPlat::Delay>>>,
}
struct Chain<TPlat: PlatformRef> {
log_name: String,
// TODO: this field is a hack due to the fact that `add_chain` can't be `async`; should eventually be fixed after a lib.rs refactor
num_references: NonZero<usize>,
/// See [`ConfigChain::block_number_bytes`].
// TODO: redundant with ChainNetwork? since we might not need to know this in the future i'm reluctant to add a getter to ChainNetwork
block_number_bytes: usize,
/// See [`ConfigChain::num_out_slots`].
num_out_slots: usize,
/// When the next discovery should be started for this chain.
next_discovery_when: TPlat::Instant,
/// After [`Chain::next_discovery_when`] is reached, the following discovery happens after
/// the given duration.
next_discovery_period: Duration,
}
#[derive(Clone)]
struct OpenGossipLinkState {
role: Role,
best_block_number: u64,
best_block_hash: [u8; 32],
/// `None` if unknown.
finalized_block_height: Option<u64>,
}
async fn background_task<TPlat: PlatformRef>(mut task: BackgroundTask<TPlat>) {
loop {
// Yield at every loop in order to provide better tasks granularity.
futures_lite::future::yield_now().await;
enum WakeUpReason<TPlat: PlatformRef> {
ForegroundClosed,
Message(ToBackground<TPlat>),
MessageForChain(ChainId, ToBackgroundChain),
NetworkEvent(service::Event<async_channel::Sender<service::CoordinatorToConnection>>),
CanAssignSlot(PeerId, ChainId),
NextRecentConnectionRestore,
CanStartConnect(PeerId),
CanOpenGossip(PeerId, ChainId),
MessageFromConnection {
connection_id: service::ConnectionId,
message: service::ConnectionToCoordinator,
},
MessageToConnection {
connection_id: service::ConnectionId,
message: service::CoordinatorToConnection,
},
EventSendersReady,
StartDiscovery(ChainId),
}
let wake_up_reason = {
let message_received = async {
task.main_messages_rx
.next()
.await
.map_or(WakeUpReason::ForegroundClosed, WakeUpReason::Message)
};
let message_for_chain_received = async {
// Note that when the last entry of `messages_rx` yields `None`, `messages_rx`
// itself will yield `None`. For this reason, we can't use
// `task.messages_rx.is_empty()` to determine whether `messages_rx` will
// yield `None`.
let Some((chain_id, message)) = task.messages_rx.next().await else {
future::pending().await
};
WakeUpReason::MessageForChain(chain_id, message)
};
let message_from_task_received = async {
let (connection_id, message) = task.tasks_messages_rx.next().await.unwrap();
WakeUpReason::MessageFromConnection {
connection_id,
message,
}
};
let service_event = async {
if let Some(event) = (task.event_pending_send.is_none()
&& task.pending_new_subscriptions.is_empty())
.then(|| task.network.next_event())
.flatten()
{
WakeUpReason::NetworkEvent(event)
} else if let Some(start_connect) = {
let x = (task.num_recent_connection_opening < task.connections_open_pool_size)
.then(|| {
task.network
.unconnected_desired()
.choose(&mut task.randomness)
.cloned()
})
.flatten();
x
} {
WakeUpReason::CanStartConnect(start_connect)
} else if let Some((peer_id, chain_id)) = {
let x = task
.network
.connected_unopened_gossip_desired()
.choose(&mut task.randomness)
.map(|(peer_id, chain_id, _)| (peer_id.clone(), chain_id));
x
} {
WakeUpReason::CanOpenGossip(peer_id, chain_id)
} else if let Some((connection_id, message)) =
task.network.pull_message_to_connection()
{
WakeUpReason::MessageToConnection {
connection_id,
message,
}
} else {
'search: loop {
let mut earlier_unban = None;
for chain_id in task.network.chains().collect::<Vec<_>>() {
if task.network.gossip_desired_num(
chain_id,
service::GossipKind::ConsensusTransactions,
) >= task.network[chain_id].num_out_slots
{
continue;
}
match task
.peering_strategy
.pick_assignable_peer(&chain_id, &task.platform.now())
{
basic_peering_strategy::AssignablePeer::Assignable(peer_id) => {
break 'search WakeUpReason::CanAssignSlot(
peer_id.clone(),
chain_id,
)
}
basic_peering_strategy::AssignablePeer::AllPeersBanned {
next_unban,
} => {
if earlier_unban.as_ref().map_or(true, |b| b > next_unban) {
earlier_unban = Some(next_unban.clone());
}
}
basic_peering_strategy::AssignablePeer::NoPeer => continue,
}
}
if let Some(earlier_unban) = earlier_unban {
task.platform.sleep_until(earlier_unban).await;
} else {
future::pending::<()>().await;
}
}
}
};
let next_recent_connection_restore = async {
if task.num_recent_connection_opening != 0
&& task.next_recent_connection_restore.is_none()
{
task.next_recent_connection_restore = Some(Box::pin(
task.platform
.sleep(task.connections_open_pool_restore_delay),
));
}
if let Some(delay) = task.next_recent_connection_restore.as_mut() {
delay.await;
task.next_recent_connection_restore = None;
WakeUpReason::NextRecentConnectionRestore
} else {
future::pending().await
}
};
let finished_sending_event = async {
if let either::Right(event_sending_future) = &mut task.event_senders {
let event_senders = event_sending_future.await;
task.event_senders = either::Left(event_senders);
WakeUpReason::EventSendersReady
} else if task.event_pending_send.is_some()
|| !task.pending_new_subscriptions.is_empty()
{
WakeUpReason::EventSendersReady
} else {
future::pending().await
}
};
let start_discovery = async {
let Some(mut next_discovery) = task.chains_by_next_discovery.first_entry() else {
future::pending().await
};
next_discovery.get_mut().await;
let ((_, chain_id), _) = next_discovery.remove_entry();
WakeUpReason::StartDiscovery(chain_id)
};
message_for_chain_received
.or(message_received)
.or(message_from_task_received)
.or(service_event)
.or(next_recent_connection_restore)
.or(finished_sending_event)
.or(start_discovery)
.await
};
match wake_up_reason {
WakeUpReason::ForegroundClosed => {
// End the task.
return;
}
WakeUpReason::Message(ToBackground::AddChain {
messages_rx,
config,
}) => {
// TODO: this is not a completely clean way of handling duplicate chains, because the existing chain might have a different best block and role and all ; also, multiple sync services will call set_best_block and set_finalized_block
let chain_id = match task.network.add_chain(config) {
Ok(id) => id,
Err(service::AddChainError::Duplicate { existing_identical }) => {
task.network[existing_identical].num_references = task.network
[existing_identical]
.num_references
.checked_add(1)
.unwrap();
existing_identical
}
};
task.chains_by_next_discovery.insert(
(task.network[chain_id].next_discovery_when.clone(), chain_id),
Box::pin(
task.platform
.sleep_until(task.network[chain_id].next_discovery_when.clone()),
),
);
task.messages_rx
.push(Box::pin(
messages_rx
.map(move |msg| (chain_id, msg))
.chain(stream::once(future::ready((
chain_id,
ToBackgroundChain::RemoveChain,
)))),
) as Pin<Box<_>>);
log!(
&task.platform,
Debug,
"network",
"chain-added",
id = task.network[chain_id].log_name
);
}
WakeUpReason::EventSendersReady => {
// Dispatch the pending event, if any, to the various senders.
// We made sure that the senders were ready before generating an event.
let either::Left(event_senders) = &mut task.event_senders else {
unreachable!()
};
if let Some((event_to_dispatch_chain_id, event_to_dispatch)) =
task.event_pending_send.take()
{
let mut event_senders = mem::take(event_senders);
task.event_senders = either::Right(Box::pin(async move {
// Elements in `event_senders` are removed one by one and inserted
// back if the channel is still open.
for index in (0..event_senders.len()).rev() {
let (event_sender_chain_id, event_sender) =
event_senders.swap_remove(index);
if event_sender_chain_id == event_to_dispatch_chain_id {
if event_sender.send(event_to_dispatch.clone()).await.is_err() {
continue;
}
}
event_senders.push((event_sender_chain_id, event_sender));
}
event_senders
}));
} else if !task.pending_new_subscriptions.is_empty() {
let pending_new_subscriptions = mem::take(&mut task.pending_new_subscriptions);
let mut event_senders = mem::take(event_senders);
// TODO: cloning :-/
let open_gossip_links = task.open_gossip_links.clone();
task.event_senders = either::Right(Box::pin(async move {
for (chain_id, new_subscription) in pending_new_subscriptions {
for ((link_chain_id, peer_id), state) in &open_gossip_links {
// TODO: optimize? this is O(n) by chain
if *link_chain_id != chain_id {
continue;
}
let _ = new_subscription
.send(Event::Connected {
peer_id: peer_id.clone(),
role: state.role,
best_block_number: state.best_block_number,
best_block_hash: state.best_block_hash,
})
.await;
if let Some(finalized_block_height) = state.finalized_block_height {
let _ = new_subscription
.send(Event::GrandpaNeighborPacket {
peer_id: peer_id.clone(),
finalized_block_height,
})
.await;
}
}
event_senders.push((chain_id, new_subscription));
}
event_senders
}));
}
}
WakeUpReason::MessageFromConnection {
connection_id,
message,
} => {
task.network
.inject_connection_message(connection_id, message);
}
WakeUpReason::MessageForChain(chain_id, ToBackgroundChain::RemoveChain) => {
if let Some(new_ref) =
NonZero::<usize>::new(task.network[chain_id].num_references.get() - 1)
{
task.network[chain_id].num_references = new_ref;
continue;
}
for peer_id in task
.network
.gossip_connected_peers(chain_id, service::GossipKind::ConsensusTransactions)
.cloned()
.collect::<Vec<_>>()
{
task.network
.gossip_close(
chain_id,
&peer_id,
service::GossipKind::ConsensusTransactions,
)
.unwrap();
let _was_in = task.open_gossip_links.remove(&(chain_id, peer_id));
debug_assert!(_was_in.is_some());
}
let _was_in = task
.chains_by_next_discovery
.remove(&(task.network[chain_id].next_discovery_when.clone(), chain_id));
debug_assert!(_was_in.is_some());
log!(
&task.platform,
Debug,
"network",
"chain-removed",
id = task.network[chain_id].log_name
);
task.network.remove_chain(chain_id).unwrap();
task.peering_strategy.remove_chain_peers(&chain_id);
}
WakeUpReason::MessageForChain(chain_id, ToBackgroundChain::Subscribe { sender }) => {
task.pending_new_subscriptions.push((chain_id, sender));
}
WakeUpReason::MessageForChain(
chain_id,
ToBackgroundChain::DisconnectAndBan {
peer_id,
severity,
reason,
},
) => {
let ban_duration = Duration::from_secs(match severity {
BanSeverity::Low => 10,
BanSeverity::High => 40,
});
let had_slot = matches!(
task.peering_strategy.unassign_slot_and_ban(
&chain_id,
&peer_id,
task.platform.now() + ban_duration,
),
basic_peering_strategy::UnassignSlotAndBan::Banned { had_slot: true }
);
if had_slot {
log!(
&task.platform,
Debug,
"network",
"slot-unassigned",
chain = &task.network[chain_id].log_name,
peer_id,
?ban_duration,
reason = "user-ban",
user_reason = reason
);
task.network.gossip_remove_desired(
chain_id,
&peer_id,
service::GossipKind::ConsensusTransactions,
);
}
if task.network.gossip_is_connected(
chain_id,
&peer_id,
service::GossipKind::ConsensusTransactions,
) {
let _closed_result = task.network.gossip_close(
chain_id,
&peer_id,
service::GossipKind::ConsensusTransactions,
);
debug_assert!(_closed_result.is_ok());
log!(
&task.platform,
Debug,
"network",
"gossip-closed",
chain = &task.network[chain_id].log_name,
peer_id,
);
let _was_in = task.open_gossip_links.remove(&(chain_id, peer_id.clone()));
debug_assert!(_was_in.is_some());
debug_assert!(task.event_pending_send.is_none());
task.event_pending_send = Some((chain_id, Event::Disconnected { peer_id }));
}
}
WakeUpReason::MessageForChain(
chain_id,
ToBackgroundChain::StartBlocksRequest {
target,
config,
timeout,
result,
},
) => {
match &config.start {
codec::BlocksRequestConfigStart::Hash(hash) => {
log!(
&task.platform,
Debug,
"network",
"blocks-request-started",
chain = task.network[chain_id].log_name, target,
start = HashDisplay(hash),
num = config.desired_count.get(),
descending = ?matches!(config.direction, codec::BlocksRequestDirection::Descending),
header = ?config.fields.header, body = ?config.fields.body,
justifications = ?config.fields.justifications
);
}
codec::BlocksRequestConfigStart::Number(number) => {
log!(
&task.platform,
Debug,
"network",
"blocks-request-started",
chain = task.network[chain_id].log_name, target, start = number,
num = config.desired_count.get(),
descending = ?matches!(config.direction, codec::BlocksRequestDirection::Descending),
header = ?config.fields.header, body = ?config.fields.body, justifications = ?config.fields.justifications
);
}
}
match task
.network
.start_blocks_request(&target, chain_id, config.clone(), timeout)
{
Ok(substream_id) => {
task.blocks_requests.insert(substream_id, result);
}
Err(service::StartRequestError::NoConnection) => {
log!(
&task.platform,
Debug,
"network",
"blocks-request-error",
chain = task.network[chain_id].log_name,
target,
error = "NoConnection"
);
let _ = result.send(Err(BlocksRequestError::NoConnection));
}
}
}
WakeUpReason::MessageForChain(
chain_id,
ToBackgroundChain::StartWarpSyncRequest {
target,
begin_hash,
timeout,
result,
},
) => {
log!(
&task.platform,
Debug,
"network",
"warp-sync-request-started",
chain = task.network[chain_id].log_name,
target,
start = HashDisplay(&begin_hash)
);
match task
.network
.start_grandpa_warp_sync_request(&target, chain_id, begin_hash, timeout)
{
Ok(substream_id) => {
task.grandpa_warp_sync_requests.insert(substream_id, result);
}
Err(service::StartRequestError::NoConnection) => {
log!(
&task.platform,
Debug,
"network",
"warp-sync-request-error",
chain = task.network[chain_id].log_name,
target,
error = "NoConnection"
);
let _ = result.send(Err(WarpSyncRequestError::NoConnection));
}
}
}
WakeUpReason::MessageForChain(
chain_id,
ToBackgroundChain::StartStorageProofRequest {
target,
config,
timeout,
result,
},
) => {
log!(
&task.platform,
Debug,
"network",
"storage-proof-request-started",
chain = task.network[chain_id].log_name,
target,
block_hash = HashDisplay(&config.block_hash)
);
match task.network.start_storage_proof_request(
&target,
chain_id,
config.clone(),
timeout,
) {
Ok(substream_id) => {
task.storage_proof_requests.insert(substream_id, result);
}
Err(service::StartRequestMaybeTooLargeError::NoConnection) => {
log!(
&task.platform,
Debug,
"network",
"storage-proof-request-error",
chain = task.network[chain_id].log_name,
target,
error = "NoConnection"
);
let _ = result.send(Err(StorageProofRequestError::NoConnection));
}
Err(service::StartRequestMaybeTooLargeError::RequestTooLarge) => {
log!(
&task.platform,
Debug,
"network",
"storage-proof-request-error",
chain = task.network[chain_id].log_name,
target,
error = "RequestTooLarge"
);
let _ = result.send(Err(StorageProofRequestError::RequestTooLarge));
}
};
}
WakeUpReason::MessageForChain(
chain_id,
ToBackgroundChain::StartCallProofRequest {
target,
config,
timeout,
result,
},
) => {
log!(
&task.platform,
Debug,
"network",
"call-proof-request-started",
chain = task.network[chain_id].log_name,
target,
block_hash = HashDisplay(&config.block_hash),
function = config.method
);
// TODO: log parameter
match task.network.start_call_proof_request(
&target,
chain_id,
config.clone(),
timeout,
) {
Ok(substream_id) => {
task.call_proof_requests.insert(substream_id, result);
}
Err(service::StartRequestMaybeTooLargeError::NoConnection) => {
log!(
&task.platform,
Debug,
"network",
"call-proof-request-error",
chain = task.network[chain_id].log_name,
target,
error = "NoConnection"
);
let _ = result.send(Err(CallProofRequestError::NoConnection));
}
Err(service::StartRequestMaybeTooLargeError::RequestTooLarge) => {
log!(
&task.platform,
Debug,
"network",
"call-proof-request-error",
chain = task.network[chain_id].log_name,
target,
error = "RequestTooLarge"
);
let _ = result.send(Err(CallProofRequestError::RequestTooLarge));
}
};
}
WakeUpReason::MessageForChain(
chain_id,
ToBackgroundChain::SetLocalBestBlock {
best_hash,
best_number,
},
) => {
task.network
.set_chain_local_best_block(chain_id, best_hash, best_number);
}
WakeUpReason::MessageForChain(
chain_id,
ToBackgroundChain::SetLocalGrandpaState { grandpa_state },
) => {
log!(
&task.platform,
Debug,
"network",
"local-grandpa-state-announced",
chain = task.network[chain_id].log_name,
set_id = grandpa_state.set_id,
commit_finalized_height = grandpa_state.commit_finalized_height,
);
// TODO: log the list of peers we sent the packet to
task.network
.gossip_broadcast_grandpa_state_and_update(chain_id, grandpa_state);
}
WakeUpReason::MessageForChain(
chain_id,
ToBackgroundChain::AnnounceTransaction {
transaction,
result,
},
) => {
// TODO: keep track of which peer knows about which transaction, and don't send it again
let peers_to_send = task
.network
.gossip_connected_peers(chain_id, service::GossipKind::ConsensusTransactions)
.cloned()
.collect::<Vec<_>>();
let mut peers_sent = Vec::with_capacity(peers_to_send.len());
let mut peers_queue_full = Vec::with_capacity(peers_to_send.len());
for peer in &peers_to_send {
match task
.network
.gossip_send_transaction(peer, chain_id, &transaction)
{
Ok(()) => peers_sent.push(peer.to_base58()),
Err(QueueNotificationError::QueueFull) => {
peers_queue_full.push(peer.to_base58())
}
Err(QueueNotificationError::NoConnection) => unreachable!(),
}
}
log!(
&task.platform,
Debug,
"network",
"transaction-announced",
chain = task.network[chain_id].log_name,
transaction =
hex::encode(blake2_rfc::blake2b::blake2b(32, &[], &transaction).as_bytes()),
size = transaction.len(),
peers_sent = peers_sent.join(", "),
peers_queue_full = peers_queue_full.join(", "),
);
let _ = result.send(peers_to_send);
}
WakeUpReason::MessageForChain(
chain_id,
ToBackgroundChain::SendBlockAnnounce {
target,
scale_encoded_header,
is_best,
result,
},
) => {
// TODO: log who the announce was sent to
let _ = result.send(task.network.gossip_send_block_announce(
&target,
chain_id,
&scale_encoded_header,
is_best,
));
}
WakeUpReason::MessageForChain(
chain_id,
ToBackgroundChain::Discover {
list,
important_nodes,
},
) => {
for (peer_id, addrs) in list {
if important_nodes {
task.important_nodes.insert(peer_id.clone());
}
// Note that we must call this function before `insert_address`, as documented
// in `basic_peering_strategy`.
task.peering_strategy
.insert_chain_peer(chain_id, peer_id.clone(), 30); // TODO: constant
for addr in addrs {
let _ =
task.peering_strategy
.insert_address(&peer_id, addr.into_bytes(), 10);
// TODO: constant
}
}
}
WakeUpReason::MessageForChain(
chain_id,
ToBackgroundChain::DiscoveredNodes { result },
) => {
// TODO: consider returning Vec<u8>s for the addresses?
let _ = result.send(
task.peering_strategy
.chain_peers_unordered(&chain_id)
.map(|peer_id| {
let addrs = task
.peering_strategy
.peer_addresses(peer_id)
.map(|a| Multiaddr::from_bytes(a.to_owned()).unwrap())
.collect::<Vec<_>>();
(peer_id.clone(), addrs)
})
.collect::<Vec<_>>(),
);
}
WakeUpReason::MessageForChain(chain_id, ToBackgroundChain::PeersList { result }) => {
let _ = result.send(
task.network
.gossip_connected_peers(
chain_id,
service::GossipKind::ConsensusTransactions,
)
.cloned()
.collect(),
);
}
WakeUpReason::StartDiscovery(chain_id) => {
// Re-insert the chain in `chains_by_next_discovery`.
let chain = &mut task.network[chain_id];
chain.next_discovery_when = task.platform.now() + chain.next_discovery_period;
chain.next_discovery_period =
cmp::min(chain.next_discovery_period * 2, Duration::from_secs(120));
task.chains_by_next_discovery.insert(
(chain.next_discovery_when.clone(), chain_id),
Box::pin(
task.platform
.sleep(task.network[chain_id].next_discovery_period),
),
);
let random_peer_id = {
let mut pub_key = [0; 32];
rand_chacha::rand_core::RngCore::fill_bytes(&mut task.randomness, &mut pub_key);
PeerId::from_public_key(&peer_id::PublicKey::Ed25519(pub_key))
};
// TODO: select target closest to the random peer instead
let target = task
.network
.gossip_connected_peers(chain_id, service::GossipKind::ConsensusTransactions)
.next()
.cloned();
if let Some(target) = target {
match task.network.start_kademlia_find_node_request(
&target,
chain_id,
&random_peer_id,
Duration::from_secs(20),
) {
Ok(_) => {}
Err(service::StartRequestError::NoConnection) => unreachable!(),
};
log!(
&task.platform,
Debug,
"network",
"discovery-find-node-started",
chain = &task.network[chain_id].log_name,
request_target = target,
requested_peer_id = random_peer_id
);
} else {
log!(
&task.platform,
Debug,
"network",
"discovery-skipped-no-peer",
chain = &task.network[chain_id].log_name
);
}
}
WakeUpReason::NetworkEvent(service::Event::HandshakeFinished {
peer_id,
expected_peer_id,
id,
}) => {
let remote_addr =
Multiaddr::from_bytes(task.network.connection_remote_addr(id)).unwrap(); // TODO: review this unwrap
if let Some(expected_peer_id) = expected_peer_id.as_ref().filter(|p| **p != peer_id)
{
log!(
&task.platform,
Debug,
"network",
"handshake-finished-peer-id-mismatch",
remote_addr,
expected_peer_id,
actual_peer_id = peer_id
);
let _was_in = task
.peering_strategy
.decrease_address_connections_and_remove_if_zero(
expected_peer_id,
remote_addr.as_ref(),
);
debug_assert!(_was_in.is_ok());
let _ = task.peering_strategy.increase_address_connections(
&peer_id,
remote_addr.into_bytes().to_vec(),
10,
);
} else {
log!(
&task.platform,
Debug,
"network",
"handshake-finished",
remote_addr,
peer_id
);
}
}
WakeUpReason::NetworkEvent(service::Event::PreHandshakeDisconnected {
expected_peer_id: Some(_),
..
})
| WakeUpReason::NetworkEvent(service::Event::Disconnected { .. }) => {
let (address, peer_id, handshake_finished) = match wake_up_reason {
WakeUpReason::NetworkEvent(service::Event::PreHandshakeDisconnected {
address,
expected_peer_id: Some(peer_id),
..
}) => (address, peer_id, false),
WakeUpReason::NetworkEvent(service::Event::Disconnected {
address,
peer_id,
..
}) => (address, peer_id, true),
_ => unreachable!(),
};
task.peering_strategy
.decrease_address_connections(&peer_id, &address)
.unwrap();
let address = Multiaddr::from_bytes(address).unwrap();
log!(
&task.platform,
Debug,
"network",
"connection-shutdown",
peer_id,
address,
?handshake_finished
);
// Ban the peer in order to avoid trying over and over again the same address(es).
// Even if the handshake was finished, it is possible that the peer simply shuts
// down connections immediately after it has been opened, hence the ban.
// Due to race conditions and peerid mismatches, it is possible that there is
// another existing connection or connection attempt with that same peer. However,
// it is not possible to be sure that we will reach 0 connections or connection
// attempts, and thus we ban the peer every time.
let ban_duration = Duration::from_secs(5);
task.network.gossip_remove_desired_all(
&peer_id,
service::GossipKind::ConsensusTransactions,
);
for (&chain_id, what_happened) in task
.peering_strategy
.unassign_slots_and_ban(&peer_id, task.platform.now() + ban_duration)
{
if matches!(
what_happened,
basic_peering_strategy::UnassignSlotsAndBan::Banned { had_slot: true }
) {
log!(
&task.platform,
Debug,
"network",
"slot-unassigned",
chain = &task.network[chain_id].log_name,
peer_id,
?ban_duration,
reason = "pre-handshake-disconnect"
);
}
}
}
WakeUpReason::NetworkEvent(service::Event::PreHandshakeDisconnected {
expected_peer_id: None,
..
}) => {
// This path can't be reached as we always set an expected peer id when creating
// a connection.
debug_assert!(false);
}
WakeUpReason::NetworkEvent(service::Event::PingOutSuccess {
id,
peer_id,
ping_time,
}) => {
let remote_addr =
Multiaddr::from_bytes(task.network.connection_remote_addr(id)).unwrap(); // TODO: review this unwrap
log!(
&task.platform,
Debug,
"network",
"pong",
peer_id,
remote_addr,
?ping_time
);
}
WakeUpReason::NetworkEvent(service::Event::BlockAnnounce {
chain_id,
peer_id,
announce,
}) => {
log!(
&task.platform,
Debug,
"network",
"block-announce-received",
chain = &task.network[chain_id].log_name,
peer_id,
block_hash = HashDisplay(&header::hash_from_scale_encoded_header(
announce.decode().scale_encoded_header
)),
is_best = announce.decode().is_best
);
let decoded_announce = announce.decode();
if decoded_announce.is_best {
let link = task
.open_gossip_links
.get_mut(&(chain_id, peer_id.clone()))
.unwrap();
if let Ok(decoded) = header::decode(
decoded_announce.scale_encoded_header,
task.network[chain_id].block_number_bytes,
) {
link.best_block_hash = header::hash_from_scale_encoded_header(
decoded_announce.scale_encoded_header,
);
link.best_block_number = decoded.number;
}
}
debug_assert!(task.event_pending_send.is_none());
task.event_pending_send =
Some((chain_id, Event::BlockAnnounce { peer_id, announce }));
}
WakeUpReason::NetworkEvent(service::Event::GossipConnected {
peer_id,
chain_id,
role,
best_number,
best_hash,
kind: service::GossipKind::ConsensusTransactions,
}) => {
log!(
&task.platform,
Debug,
"network",
"gossip-open-success",
chain = &task.network[chain_id].log_name,
peer_id,
best_number,
best_hash = HashDisplay(&best_hash)
);
let _prev_value = task.open_gossip_links.insert(
(chain_id, peer_id.clone()),
OpenGossipLinkState {
best_block_number: best_number,
best_block_hash: best_hash,
role,
finalized_block_height: None,
},
);
debug_assert!(_prev_value.is_none());
debug_assert!(task.event_pending_send.is_none());
task.event_pending_send = Some((
chain_id,
Event::Connected {
peer_id,
role,
best_block_number: best_number,
best_block_hash: best_hash,
},
));
}
WakeUpReason::NetworkEvent(service::Event::GossipOpenFailed {
peer_id,
chain_id,
error,
kind: service::GossipKind::ConsensusTransactions,
}) => {
log!(
&task.platform,
Debug,
"network",
"gossip-open-error",
chain = &task.network[chain_id].log_name,
peer_id,
?error,
);
let ban_duration = Duration::from_secs(15);
// Note that peer doesn't necessarily have an out slot, as this event might happen
// as a result of an inbound gossip connection.
let had_slot = if let service::GossipConnectError::GenesisMismatch { .. } = error {
matches!(
task.peering_strategy
.unassign_slot_and_remove_chain_peer(&chain_id, &peer_id),
basic_peering_strategy::UnassignSlotAndRemoveChainPeer::HadSlot
)
} else {
matches!(
task.peering_strategy.unassign_slot_and_ban(
&chain_id,
&peer_id,
task.platform.now() + ban_duration,
),
basic_peering_strategy::UnassignSlotAndBan::Banned { had_slot: true }
)
};
if had_slot {
log!(
&task.platform,
Debug,
"network",
"slot-unassigned",
chain = &task.network[chain_id].log_name,
peer_id,
?ban_duration,
reason = "gossip-open-failed"
);
task.network.gossip_remove_desired(
chain_id,
&peer_id,
service::GossipKind::ConsensusTransactions,
);
}
}
WakeUpReason::NetworkEvent(service::Event::GossipDisconnected {
peer_id,
chain_id,
kind: service::GossipKind::ConsensusTransactions,
}) => {
log!(
&task.platform,
Debug,
"network",
"gossip-closed",
chain = &task.network[chain_id].log_name,
peer_id,
);
let ban_duration = Duration::from_secs(10);
let _was_in = task.open_gossip_links.remove(&(chain_id, peer_id.clone()));
debug_assert!(_was_in.is_some());
// Note that peer doesn't necessarily have an out slot, as this event might happen
// as a result of an inbound gossip connection.
if matches!(
task.peering_strategy.unassign_slot_and_ban(
&chain_id,
&peer_id,
task.platform.now() + ban_duration,
),
basic_peering_strategy::UnassignSlotAndBan::Banned { had_slot: true }
) {
log!(
&task.platform,
Debug,
"network",
"slot-unassigned",
chain = &task.network[chain_id].log_name,
peer_id,
?ban_duration,
reason = "gossip-closed"
);
task.network.gossip_remove_desired(
chain_id,
&peer_id,
service::GossipKind::ConsensusTransactions,
);
}
debug_assert!(task.event_pending_send.is_none());
task.event_pending_send = Some((chain_id, Event::Disconnected { peer_id }));
}
WakeUpReason::NetworkEvent(service::Event::RequestResult {
substream_id,
peer_id,
chain_id,
response: service::RequestResult::Blocks(response),
}) => {
match &response {
Ok(blocks) => {
log!(
&task.platform,
Debug,
"network",
"blocks-request-success",
chain = task.network[chain_id].log_name,
target = peer_id,
num_blocks = blocks.len(),
block_data_total_size =
BytesDisplay(blocks.iter().fold(0, |sum, block| {
let block_size = block.header.as_ref().map_or(0, |h| h.len())
+ block
.body
.as_ref()
.map_or(0, |b| b.iter().fold(0, |s, e| s + e.len()))
+ block
.justifications
.as_ref()
.into_iter()
.flat_map(|l| l.iter())
.fold(0, |s, j| s + j.justification.len());
sum + u64::try_from(block_size).unwrap()
}))
);
}
Err(error) => {
log!(
&task.platform,
Debug,
"network",
"blocks-request-error",
chain = task.network[chain_id].log_name,
target = peer_id,
?error
);
}
}
match &response {
Ok(_) => {}
Err(service::BlocksRequestError::Request(err)) if !err.is_protocol_error() => {}
Err(err) => {
log!(
&task.platform,
Debug,
"network",
format!(
"Error in block request with {}. This might indicate an \
incompatibility. Error: {}",
peer_id, err
)
);
}
}
let _ = task
.blocks_requests
.remove(&substream_id)
.unwrap()
.send(response.map_err(BlocksRequestError::Request));
}
WakeUpReason::NetworkEvent(service::Event::RequestResult {
substream_id,
peer_id,
chain_id,
response: service::RequestResult::GrandpaWarpSync(response),
}) => {
match &response {
Ok(response) => {
// TODO: print total bytes size
let decoded = response.decode();
log!(
&task.platform,
Debug,
"network",
"warp-sync-request-success",
chain = task.network[chain_id].log_name,
target = peer_id,
num_fragments = decoded.fragments.len(),
is_finished = ?decoded.is_finished,
);
}
Err(error) => {
log!(
&task.platform,
Debug,
"network",
"warp-sync-request-error",
chain = task.network[chain_id].log_name,
target = peer_id,
?error,
);
}
}
let _ = task
.grandpa_warp_sync_requests
.remove(&substream_id)
.unwrap()
.send(response.map_err(WarpSyncRequestError::Request));
}
WakeUpReason::NetworkEvent(service::Event::RequestResult {
substream_id,
peer_id,
chain_id,
response: service::RequestResult::StorageProof(response),
}) => {
match &response {
Ok(items) => {
let decoded = items.decode();
log!(
&task.platform,
Debug,
"network",
"storage-proof-request-success",
chain = task.network[chain_id].log_name,
target = peer_id,
total_size = BytesDisplay(u64::try_from(decoded.len()).unwrap()),
);
}
Err(error) => {
log!(
&task.platform,
Debug,
"network",
"storage-proof-request-error",
chain = task.network[chain_id].log_name,
target = peer_id,
?error
);
}
}
let _ = task
.storage_proof_requests
.remove(&substream_id)
.unwrap()
.send(response.map_err(StorageProofRequestError::Request));
}
WakeUpReason::NetworkEvent(service::Event::RequestResult {
substream_id,
peer_id,
chain_id,
response: service::RequestResult::CallProof(response),
}) => {
match &response {
Ok(items) => {
let decoded = items.decode();
log!(
&task.platform,
Debug,
"network",
"call-proof-request-success",
chain = task.network[chain_id].log_name,
target = peer_id,
total_size = BytesDisplay(u64::try_from(decoded.len()).unwrap())
);
}
Err(error) => {
log!(
&task.platform,
Debug,
"network",
"call-proof-request-error",
chain = task.network[chain_id].log_name,
target = peer_id,
?error
);
}
}
let _ = task
.call_proof_requests
.remove(&substream_id)
.unwrap()
.send(response.map_err(CallProofRequestError::Request));
}
WakeUpReason::NetworkEvent(service::Event::RequestResult {
peer_id: requestee_peer_id,
chain_id,
response: service::RequestResult::KademliaFindNode(Ok(nodes)),
..
}) => {
for (peer_id, mut addrs) in nodes {
// Make sure to not insert too many address for a single peer.
// While the .
if addrs.len() >= 10 {
addrs.truncate(10);
}
let mut valid_addrs = Vec::with_capacity(addrs.len());
for addr in addrs {
match Multiaddr::from_bytes(addr) {
Ok(a) => {
if platform::address_parse::multiaddr_to_address(&a)
.ok()
.map_or(false, |addr| {
task.platform.supports_connection_type((&addr).into())
})
{
valid_addrs.push(a)
} else {
log!(
&task.platform,
Debug,
"network",
"discovered-address-not-supported",
chain = &task.network[chain_id].log_name,
peer_id,
addr = &a,
obtained_from = requestee_peer_id
);
}
}
Err((error, addr)) => {
log!(
&task.platform,
Debug,
"network",
"discovered-address-invalid",
chain = &task.network[chain_id].log_name,
peer_id,
error,
addr = hex::encode(&addr),
obtained_from = requestee_peer_id
);
}
}
}
if !valid_addrs.is_empty() {
// Note that we must call this function before `insert_address`,
// as documented in `basic_peering_strategy`.
let insert_outcome =
task.peering_strategy
.insert_chain_peer(chain_id, peer_id.clone(), 30); // TODO: constant
if let basic_peering_strategy::InsertChainPeerResult::Inserted {
peer_removed,
} = insert_outcome
{
if let Some(peer_removed) = peer_removed {
log!(
&task.platform,
Debug,
"network",
"peer-purged-from-address-book",
chain = &task.network[chain_id].log_name,
peer_id = peer_removed,
);
}
log!(
&task.platform,
Debug,
"network",
"peer-discovered",
chain = &task.network[chain_id].log_name,
peer_id,
addrs = ?valid_addrs.iter().map(|a| a.to_string()).collect::<Vec<_>>(), // TODO: better formatting?
obtained_from = requestee_peer_id
);
}
}
for addr in valid_addrs {
let _insert_result =
task.peering_strategy
.insert_address(&peer_id, addr.into_bytes(), 10); // TODO: constant
debug_assert!(!matches!(
_insert_result,
basic_peering_strategy::InsertAddressResult::UnknownPeer
));
}
}
}
WakeUpReason::NetworkEvent(service::Event::RequestResult {
peer_id,
chain_id,
response: service::RequestResult::KademliaFindNode(Err(error)),
..
}) => {
log!(
&task.platform,
Debug,
"network",
"discovery-find-node-error",
chain = &task.network[chain_id].log_name,
?error,
find_node_target = peer_id,
);
// No error is printed if the request fails due to a benign networking error such
// as an unresponsive peer.
match error {
service::KademliaFindNodeError::RequestFailed(err)
if !err.is_protocol_error() => {}
service::KademliaFindNodeError::RequestFailed(
service::RequestError::Substream(
connection::established::RequestError::ProtocolNotAvailable,
),
) => {
// TODO: remove this warning in a long time
log!(
&task.platform,
Warn,
"network",
format!(
"Problem during discovery on {}: protocol not available. \
This might indicate that the version of Substrate used by \
the chain doesn't include \
<https://github.com/paritytech/substrate/pull/12545>.",
&task.network[chain_id].log_name
)
);
}
_ => {
log!(
&task.platform,
Debug,
"network",
format!(
"Problem during discovery on {}: {}",
&task.network[chain_id].log_name, error
)
);
}
}
}
WakeUpReason::NetworkEvent(service::Event::RequestResult { .. }) => {
// We never start any other kind of requests.
unreachable!()
}
WakeUpReason::NetworkEvent(service::Event::GossipInDesired {
peer_id,
chain_id,
kind: service::GossipKind::ConsensusTransactions,
}) => {
// The networking state machine guarantees that `GossipInDesired`
// can't happen if we are already opening an out slot, which we do
// immediately.
// TODO: add debug_assert! ^
if task
.network
.opened_gossip_undesired_by_chain(chain_id)
.count()
< 4
{
log!(
&task.platform,
Debug,
"network",
"gossip-in-request",
chain = &task.network[chain_id].log_name,
peer_id,
outcome = "accepted"
);
task.network
.gossip_open(
chain_id,
&peer_id,
service::GossipKind::ConsensusTransactions,
)
.unwrap();
} else {
log!(
&task.platform,
Debug,
"network",
"gossip-in-request",
chain = &task.network[chain_id].log_name,
peer_id,
outcome = "rejected",
);
task.network
.gossip_close(
chain_id,
&peer_id,
service::GossipKind::ConsensusTransactions,
)
.unwrap();
}
}
WakeUpReason::NetworkEvent(service::Event::GossipInDesiredCancel { .. }) => {
// Can't happen as we already instantaneously accept or reject gossip in requests.
unreachable!()
}
WakeUpReason::NetworkEvent(service::Event::IdentifyRequestIn {
peer_id,
substream_id,
}) => {
log!(
&task.platform,
Debug,
"network",
"identify-request-received",
peer_id,
);
task.network
.respond_identify(substream_id, &task.identify_agent_version);
}
WakeUpReason::NetworkEvent(service::Event::BlocksRequestIn { .. }) => unreachable!(),
WakeUpReason::NetworkEvent(service::Event::RequestInCancel { .. }) => {
// All incoming requests are immediately answered.
unreachable!()
}
WakeUpReason::NetworkEvent(service::Event::GrandpaNeighborPacket {
chain_id,
peer_id,
state,
}) => {
log!(
&task.platform,
Debug,
"network",
"grandpa-neighbor-packet-received",
chain = &task.network[chain_id].log_name,
peer_id,
round_number = state.round_number,
set_id = state.set_id,
commit_finalized_height = state.commit_finalized_height,
);
task.open_gossip_links
.get_mut(&(chain_id, peer_id.clone()))
.unwrap()
.finalized_block_height = Some(state.commit_finalized_height);
debug_assert!(task.event_pending_send.is_none());
task.event_pending_send = Some((
chain_id,
Event::GrandpaNeighborPacket {
peer_id,
finalized_block_height: state.commit_finalized_height,
},
));
}
WakeUpReason::NetworkEvent(service::Event::GrandpaCommitMessage {
chain_id,
peer_id,
message,
}) => {
log!(
&task.platform,
Debug,
"network",
"grandpa-commit-message-received",
chain = &task.network[chain_id].log_name,
peer_id,
target_block_hash = HashDisplay(message.decode().target_hash),
);
debug_assert!(task.event_pending_send.is_none());
task.event_pending_send =
Some((chain_id, Event::GrandpaCommitMessage { peer_id, message }));
}
WakeUpReason::NetworkEvent(service::Event::ProtocolError { peer_id, error }) => {
// TODO: handle properly?
log!(
&task.platform,
Warn,
"network",
"protocol-error",
peer_id,
?error
);
// TODO: disconnect peer
}
WakeUpReason::CanAssignSlot(peer_id, chain_id) => {
task.peering_strategy.assign_slot(&chain_id, &peer_id);
log!(
&task.platform,
Debug,
"network",
"slot-assigned",
chain = &task.network[chain_id].log_name,
peer_id
);
task.network.gossip_insert_desired(
chain_id,
peer_id,
service::GossipKind::ConsensusTransactions,
);
}
WakeUpReason::NextRecentConnectionRestore => {
task.num_recent_connection_opening =
task.num_recent_connection_opening.saturating_sub(1);
}
WakeUpReason::CanStartConnect(expected_peer_id) => {
let Some(multiaddr) = task
.peering_strategy
.pick_address_and_add_connection(&expected_peer_id)
else {
// There is no address for that peer in the address book.
task.network.gossip_remove_desired_all(
&expected_peer_id,
service::GossipKind::ConsensusTransactions,
);
let ban_duration = Duration::from_secs(10);
for (&chain_id, what_happened) in task.peering_strategy.unassign_slots_and_ban(
&expected_peer_id,
task.platform.now() + ban_duration,
) {
if matches!(
what_happened,
basic_peering_strategy::UnassignSlotsAndBan::Banned { had_slot: true }
) {
log!(
&task.platform,
Debug,
"network",
"slot-unassigned",
chain = &task.network[chain_id].log_name,
peer_id = expected_peer_id,
?ban_duration,
reason = "no-address"
);
}
}
continue;
};
let multiaddr = match multiaddr::Multiaddr::from_bytes(multiaddr.to_owned()) {
Ok(a) => a,
Err((multiaddr::FromBytesError, addr)) => {
// Address is in an invalid format.
let _was_in = task
.peering_strategy
.decrease_address_connections_and_remove_if_zero(
&expected_peer_id,
&addr,
);
debug_assert!(_was_in.is_ok());
continue;
}
};
let address = address_parse::multiaddr_to_address(&multiaddr)
.ok()
.filter(|addr| {
task.platform.supports_connection_type(match &addr {
address_parse::AddressOrMultiStreamAddress::Address(addr) => {
From::from(addr)
}
address_parse::AddressOrMultiStreamAddress::MultiStreamAddress(
addr,
) => From::from(addr),
})
});
let Some(address) = address else {
// Address is in an invalid format or isn't supported by the platform.
let _was_in = task
.peering_strategy
.decrease_address_connections_and_remove_if_zero(
&expected_peer_id,
multiaddr.as_ref(),
);
debug_assert!(_was_in.is_ok());
continue;
};
// Each connection has its own individual Noise key.
let noise_key = {
let mut noise_static_key = zeroize::Zeroizing::new([0u8; 32]);
task.platform.fill_random_bytes(&mut *noise_static_key);
let mut libp2p_key = zeroize::Zeroizing::new([0u8; 32]);
task.platform.fill_random_bytes(&mut *libp2p_key);
connection::NoiseKey::new(&libp2p_key, &noise_static_key)
};
log!(
&task.platform,
Debug,
"network",
"connection-started",
expected_peer_id,
remote_addr = multiaddr,
local_peer_id =
peer_id::PublicKey::Ed25519(*noise_key.libp2p_public_ed25519_key())
.into_peer_id(),
);
task.num_recent_connection_opening += 1;
let (coordinator_to_connection_tx, coordinator_to_connection_rx) =
async_channel::bounded(8);
let task_name = format!("connection-{}", multiaddr);
match address {
address_parse::AddressOrMultiStreamAddress::Address(address) => {
// As documented in the `PlatformRef` trait, `connect_stream` must
// return as soon as possible.
let connection = task.platform.connect_stream(address).await;
let (connection_id, connection_task) =
task.network.add_single_stream_connection(
task.platform.now(),
service::SingleStreamHandshakeKind::MultistreamSelectNoiseYamux {
is_initiator: true,
noise_key: &noise_key,
},
multiaddr.clone().into_bytes(),
Some(expected_peer_id.clone()),
coordinator_to_connection_tx,
);
task.platform.spawn_task(
task_name.into(),
tasks::single_stream_connection_task::<TPlat>(
connection,
multiaddr.to_string(),
task.platform.clone(),
connection_id,
connection_task,
coordinator_to_connection_rx,
task.tasks_messages_tx.clone(),
),
);
}
address_parse::AddressOrMultiStreamAddress::MultiStreamAddress(
platform::MultiStreamAddress::WebRtc {
ip,
port,
remote_certificate_sha256,
},
) => {
// We need to know the local TLS certificate in order to insert the
// connection, and as such we need to call `connect_multistream` here.
// As documented in the `PlatformRef` trait, `connect_multistream` must
// return as soon as possible.
let connection = task
.platform
.connect_multistream(platform::MultiStreamAddress::WebRtc {
ip,
port,
remote_certificate_sha256,
})
.await;
// Convert the SHA256 hashes into multihashes.
let local_tls_certificate_multihash = [18u8, 32]
.into_iter()
.chain(connection.local_tls_certificate_sha256.into_iter())
.collect();
let remote_tls_certificate_multihash = [18u8, 32]
.into_iter()
.chain(remote_certificate_sha256.iter().copied())
.collect();
let (connection_id, connection_task) =
task.network.add_multi_stream_connection(
task.platform.now(),
service::MultiStreamHandshakeKind::WebRtc {
is_initiator: true,
local_tls_certificate_multihash,
remote_tls_certificate_multihash,
noise_key: &noise_key,
},
multiaddr.clone().into_bytes(),
Some(expected_peer_id.clone()),
coordinator_to_connection_tx,
);
task.platform.spawn_task(
task_name.into(),
tasks::webrtc_multi_stream_connection_task::<TPlat>(
connection.connection,
multiaddr.to_string(),
task.platform.clone(),
connection_id,
connection_task,
coordinator_to_connection_rx,
task.tasks_messages_tx.clone(),
),
);
}
}
}
WakeUpReason::CanOpenGossip(peer_id, chain_id) => {
task.network
.gossip_open(
chain_id,
&peer_id,
service::GossipKind::ConsensusTransactions,
)
.unwrap();
log!(
&task.platform,
Debug,
"network",
"gossip-open-start",
chain = &task.network[chain_id].log_name,
peer_id,
);
}
WakeUpReason::MessageToConnection {
connection_id,
message,
} => {
// Note that it is critical for the sending to not take too long here, in order to
// not block the process of the network service.
// In particular, if sending the message to the connection is blocked due to
// sending a message on the connection-to-coordinator channel, this will result
// in a deadlock.
// For this reason, the connection task is always ready to immediately accept a
// message on the coordinator-to-connection channel.
let _send_result = task.network[connection_id].send(message).await;
debug_assert!(_send_result.is_ok());
}
}
}
}