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
// 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 runtime download service.
//!
//! This service plugs on top of a [`sync_service`], listens for new best blocks and checks
//! whether the runtime has changed in any way. Its objective is to always provide an up-to-date
//! [`executor::host::HostVmPrototype`] ready to be called by other services.
//!
//! # Usage
//!
//! The runtime service lets user subscribe to block updates, similar to the [`sync_service`].
//! These subscriptions are implemented by subscribing to the underlying [`sync_service`] and,
//! for each notification, checking whether the runtime has changed (thanks to the presence or
//! absence of a header digest item), and downloading the runtime code if necessary. Therefore,
//! these notifications might come with a delay compared to directly using the [`sync_service`].
//!
//! If it isn't possible to download the runtime code of a block (for example because peers refuse
//! to answer or have already pruned the block) or if the runtime service already has too many
//! pending downloads, this block is simply not reported on the subscriptions. The download will
//! be repeatedly tried until it succeeds.
//!
//! Consequently, you are strongly encouraged to not use both the [`sync_service`] *and* the
//! [`RuntimeService`] of the same chain. They each provide a consistent view of the chain, but
//! this view isn't necessarily the same on both services.
//!
//! The main service offered by the runtime service is [`RuntimeService::subscribe_all`], that
//! notifies about new blocks once their runtime is known.
//!
//! # Blocks pinning
//!
//! Blocks that are reported through [`RuntimeService::subscribe_all`] are automatically *pinned*.
//! If multiple subscriptions exist, each block is pinned once per subscription.
//!
//! As long as a block is pinned, the [`RuntimeService`] is guaranteed to keep in its internal
//! state the runtime of this block and its properties.
//!
//! Blocks must be manually unpinned by calling [`Subscription::unpin_block`].
//! Failing to do so is effectively a memory leak. If the number of pinned blocks becomes too
//! large, the subscription is force-killed by the [`RuntimeService`].
//!
use crate::{platform::PlatformRef, sync_service};
use alloc::{
borrow::ToOwned as _,
boxed::Box,
collections::BTreeMap,
format,
string::{String, ToString as _},
sync::{Arc, Weak},
vec::Vec,
};
use async_lock::{Mutex, MutexGuard};
use core::{
iter, mem,
num::{NonZeroU32, NonZeroUsize},
pin::Pin,
time::Duration,
};
use futures_channel::mpsc;
use futures_util::{future, stream, FutureExt as _, Stream, StreamExt as _};
use itertools::Itertools as _;
use smoldot::{
chain::async_tree,
executor, header,
informant::{BytesDisplay, HashDisplay},
network::protocol,
trie::{self, proof_decode, Nibble, TrieEntryVersion},
};
/// Configuration for a runtime service.
pub struct Config<TPlat: PlatformRef> {
/// Name of the chain, for logging purposes.
///
/// > **Note**: This name will be directly printed out. Any special character should already
/// > have been filtered out from this name.
pub log_name: String,
/// Access to the platform's capabilities.
pub platform: TPlat,
/// Service responsible for synchronizing the chain.
pub sync_service: Arc<sync_service::SyncService<TPlat>>,
/// Header of the genesis block of the chain, in SCALE encoding.
pub genesis_block_scale_encoded_header: Vec<u8>,
}
/// Identifies a runtime currently pinned within a [`RuntimeService`].
#[derive(Clone)]
pub struct PinnedRuntimeId(Arc<Runtime>);
/// See [the module-level documentation](..).
pub struct RuntimeService<TPlat: PlatformRef> {
/// See [`Config::sync_service`].
sync_service: Arc<sync_service::SyncService<TPlat>>,
/// Fields behind a `Mutex`. Should only be locked for short-lived operations.
guarded: Arc<Mutex<Guarded<TPlat>>>,
/// Handle to abort the background task.
background_task_abort: future::AbortHandle,
}
impl<TPlat: PlatformRef> RuntimeService<TPlat> {
/// Initializes a new runtime service.
///
/// The future returned by this function is expected to finish relatively quickly and is
/// necessary only for locking purposes.
pub async fn new(config: Config<TPlat>) -> Self {
// Target to use for all the logs of this service.
let log_target = format!("runtime-{}", config.log_name);
let best_near_head_of_chain = config.sync_service.is_near_head_of_chain_heuristic().await;
let tree = {
let mut tree = async_tree::AsyncTree::new(async_tree::Config {
finalized_async_user_data: None,
retry_after_failed: Duration::from_secs(10),
blocks_capacity: 32,
});
let node_index = tree.input_insert_block(
Block {
hash: header::hash_from_scale_encoded_header(
&config.genesis_block_scale_encoded_header,
),
scale_encoded_header: config.genesis_block_scale_encoded_header,
},
None,
false,
true,
);
tree.input_finalize(node_index, node_index);
GuardedInner::FinalizedBlockRuntimeUnknown {
tree,
when_known: event_listener::Event::new(),
}
};
let guarded = Arc::new(Mutex::new(Guarded {
next_subscription_id: 0,
best_near_head_of_chain,
tree,
runtimes: slab::Slab::with_capacity(2),
}));
// Spawns a task that runs in the background and updates the content of the mutex.
let background_task_abort;
config.platform.spawn_task(log_target.clone().into(), {
let sync_service = config.sync_service.clone();
let guarded = guarded.clone();
let platform = config.platform.clone();
let (abortable, abort) = future::abortable(run_background(
log_target.clone(),
platform,
sync_service,
guarded,
));
background_task_abort = abort;
abortable
.map(move |_| {
log::debug!(target: &log_target, "Shutdown");
})
.boxed()
});
RuntimeService {
sync_service: config.sync_service,
guarded,
background_task_abort,
}
}
/// Calls [`sync_service::SyncService::block_number_bytes`] on the sync service associated to
/// this runtime service.
pub fn block_number_bytes(&self) -> usize {
self.sync_service.block_number_bytes()
}
/// Subscribes to the state of the chain: the current state and the new blocks.
///
/// This function only returns once the runtime of the current finalized block is known. This
/// might take a long time.
///
/// A name must be passed to be used for debugging purposes.
///
/// Only up to `buffer_size` block notifications are buffered in the channel. If the channel
/// is full when a new notification is attempted to be pushed, the channel gets closed.
///
/// A maximum number of finalized or non-canonical (i.e. not part of the finalized chain)
/// pinned blocks must be passed, indicating the maximum number of blocks that are finalized
/// or non-canonical that the runtime service will pin at the same time for this subscription.
/// If this maximum is reached, the channel will get closed. In situations where the subscriber
/// is guaranteed to always properly unpin blocks, a value of `usize::max_value()` can be
/// passed in order to ignore this maximum.
///
/// The channel also gets closed if a gap in the finality happens, such as after a Grandpa
/// warp syncing.
///
/// See [`SubscribeAll`] for information about the return value.
pub async fn subscribe_all(
&self,
subscription_name: &'static str,
buffer_size: usize,
max_pinned_blocks: NonZeroUsize,
) -> SubscribeAll<TPlat> {
// First, lock `guarded` and wait for the tree to be in `FinalizedBlockRuntimeKnown` mode.
// This can take a long time.
let mut guarded_lock = loop {
let guarded_lock = self.guarded.lock().await;
match &guarded_lock.tree {
GuardedInner::FinalizedBlockRuntimeKnown { .. } => break guarded_lock,
GuardedInner::FinalizedBlockRuntimeUnknown { when_known, .. } => {
let wait_fut = when_known.listen();
drop(guarded_lock);
wait_fut.await;
}
}
};
let guarded_lock = &mut *guarded_lock;
// Extract the components of the `FinalizedBlockRuntimeKnown`. We are guaranteed by the
// block above to be in this state.
let (tree, finalized_block, pinned_blocks, all_blocks_subscriptions) =
match &mut guarded_lock.tree {
GuardedInner::FinalizedBlockRuntimeKnown {
tree,
finalized_block,
pinned_blocks,
all_blocks_subscriptions,
} => (
tree,
finalized_block,
pinned_blocks,
all_blocks_subscriptions,
),
_ => unreachable!(),
};
let (tx, new_blocks_channel) = mpsc::channel(buffer_size);
let subscription_id = guarded_lock.next_subscription_id;
debug_assert_eq!(
pinned_blocks
.range((subscription_id, [0; 32])..=(subscription_id, [0xff; 32]))
.count(),
0
);
guarded_lock.next_subscription_id += 1;
let decoded_finalized_block = header::decode(
&finalized_block.scale_encoded_header,
self.sync_service.block_number_bytes(),
)
.unwrap();
let _prev_value = pinned_blocks.insert(
(subscription_id, finalized_block.hash),
PinnedBlock {
runtime: tree.output_finalized_async_user_data().clone(),
state_trie_root_hash: *decoded_finalized_block.state_root,
block_number: decoded_finalized_block.number,
block_ignores_limit: false,
},
);
debug_assert!(_prev_value.is_none());
let mut non_finalized_blocks_ancestry_order =
Vec::with_capacity(tree.num_input_non_finalized_blocks());
for block in tree.input_output_iter_ancestry_order() {
let runtime = match block.async_op_user_data {
Some(rt) => rt.clone(),
None => continue, // Runtime of that block not known yet, so it shouldn't be reported.
};
let block_hash = block.user_data.hash;
let parent_runtime = tree.parent(block.id).map_or(
tree.output_finalized_async_user_data().clone(),
|parent_idx| tree.block_async_user_data(parent_idx).unwrap().clone(),
);
let parent_hash = *header::decode(
&block.user_data.scale_encoded_header,
self.sync_service.block_number_bytes(),
)
.unwrap()
.parent_hash; // TODO: correct? if yes, document
debug_assert!(
parent_hash == finalized_block.hash
|| tree
.input_output_iter_ancestry_order()
.any(|b| parent_hash == b.user_data.hash && b.async_op_user_data.is_some())
);
let decoded_header = header::decode(
&block.user_data.scale_encoded_header,
self.sync_service.block_number_bytes(),
)
.unwrap();
let _prev_value = pinned_blocks.insert(
(subscription_id, block_hash),
PinnedBlock {
runtime: runtime.clone(),
state_trie_root_hash: *decoded_header.state_root,
block_number: decoded_header.number,
block_ignores_limit: true,
},
);
debug_assert!(_prev_value.is_none());
non_finalized_blocks_ancestry_order.push(BlockNotification {
is_new_best: block.is_output_best,
parent_hash,
scale_encoded_header: block.user_data.scale_encoded_header.clone(),
new_runtime: if !Arc::ptr_eq(&runtime, &parent_runtime) {
Some(
runtime
.runtime
.as_ref()
.map(|rt| rt.runtime_spec.clone())
.map_err(|err| err.clone()),
)
} else {
None
},
});
}
debug_assert!(matches!(
non_finalized_blocks_ancestry_order
.iter()
.filter(|b| b.is_new_best)
.count(),
0 | 1
));
all_blocks_subscriptions.insert(
subscription_id,
(subscription_name, tx, max_pinned_blocks.get() - 1),
);
SubscribeAll {
finalized_block_scale_encoded_header: finalized_block.scale_encoded_header.clone(),
finalized_block_runtime: tree
.output_finalized_async_user_data()
.runtime
.as_ref()
.map(|rt| rt.runtime_spec.clone())
.map_err(|err| err.clone()),
non_finalized_blocks_ancestry_order,
new_blocks: Subscription {
subscription_id,
channel: new_blocks_channel,
guarded: self.guarded.clone(),
},
}
}
/// Unpins a block after it has been reported by a subscription.
///
/// Has no effect if the [`SubscriptionId`] is not or no longer valid (as the runtime service
/// can kill any subscription at any moment).
///
/// # Panic
///
/// Panics if the block hash has not been reported or has already been unpinned.
///
// TODO: add #[track_caller] once possible, see https://github.com/rust-lang/rust/issues/87417
pub async fn unpin_block(&self, subscription_id: SubscriptionId, block_hash: &[u8; 32]) {
Self::unpin_block_inner(&self.guarded, subscription_id, block_hash).await
}
// TODO: add #[track_caller] once possible, see https://github.com/rust-lang/rust/issues/87417
async fn unpin_block_inner(
guarded: &Arc<Mutex<Guarded<TPlat>>>,
subscription_id: SubscriptionId,
block_hash: &[u8; 32],
) {
let mut guarded_lock = guarded.lock().await;
let guarded_lock = &mut *guarded_lock;
if let GuardedInner::FinalizedBlockRuntimeKnown {
all_blocks_subscriptions,
pinned_blocks,
..
} = &mut guarded_lock.tree
{
let block_ignores_limit = match pinned_blocks.remove(&(subscription_id.0, *block_hash))
{
Some(b) => b.block_ignores_limit,
None => {
// Cold path.
if let Some((sub_name, _, _)) = all_blocks_subscriptions.get(&subscription_id.0)
{
panic!("block already unpinned for {sub_name} subscription");
} else {
return;
}
}
};
guarded_lock.runtimes.retain(|_, rt| rt.strong_count() > 0);
if !block_ignores_limit {
let (_name, _, finalized_pinned_remaining) = all_blocks_subscriptions
.get_mut(&subscription_id.0)
.unwrap();
*finalized_pinned_remaining += 1;
}
}
}
/// Returns the storage value and Merkle value of the `:code` key of the finalized block.
///
/// Returns `None` if the runtime of the current finalized block is not known yet.
// TODO: this function has a bad API but is hopefully temporary
pub async fn finalized_runtime_storage_merkle_values(
&self,
) -> Option<(Option<Vec<u8>>, Option<Vec<u8>>, Option<Vec<Nibble>>)> {
let mut guarded = self.guarded.lock().await;
let guarded = &mut *guarded;
if let GuardedInner::FinalizedBlockRuntimeKnown { tree, .. } = &guarded.tree {
let runtime = &tree.output_finalized_async_user_data();
Some((
runtime.runtime_code.clone(),
runtime.code_merkle_value.clone(),
runtime.closest_ancestor_excluding.clone(),
))
} else {
None
}
}
/// Lock the runtime service and prepare a call to a runtime entry point.
///
/// The hash of the block passed as parameter corresponds to the block whose runtime to use
/// to make the call. The block must be currently pinned in the context of the provided
/// [`SubscriptionId`].
///
/// Returns an error if the subscription is stale, meaning that it has been reset by the
/// runtime service.
///
/// # Panic
///
/// Panics if the given block isn't currently pinned by the given subscription.
///
pub async fn pinned_block_runtime_access(
&self,
subscription_id: SubscriptionId,
block_hash: &[u8; 32],
) -> Result<RuntimeAccess<TPlat>, PinnedBlockRuntimeAccessError> {
// Note: copying the hash ahead of time fixes some weird intermittent borrow checker
// issue.
let block_hash = *block_hash;
let mut guarded = self.guarded.lock().await;
let guarded = &mut *guarded;
let pinned_block = {
if let GuardedInner::FinalizedBlockRuntimeKnown {
all_blocks_subscriptions,
pinned_blocks,
..
} = &mut guarded.tree
{
match pinned_blocks.get(&(subscription_id.0, block_hash)) {
Some(v) => v.clone(),
None => {
// Cold path.
if let Some((sub_name, _, _)) =
all_blocks_subscriptions.get(&subscription_id.0)
{
panic!("block already unpinned for subscription {sub_name}");
} else {
return Err(PinnedBlockRuntimeAccessError::ObsoleteSubscription);
}
}
}
} else {
return Err(PinnedBlockRuntimeAccessError::ObsoleteSubscription);
}
};
Ok(RuntimeAccess {
sync_service: self.sync_service.clone(),
hash: block_hash,
runtime: pinned_block.runtime,
block_number: pinned_block.block_number,
block_state_root_hash: pinned_block.state_trie_root_hash,
})
}
/// Lock the runtime service and prepare a call to a runtime entry point.
///
/// The hash of the block passed as parameter corresponds to the block whose runtime to use
/// to make the call. The block must be currently pinned in the context of the provided
/// [`SubscriptionId`].
///
/// # Panic
///
/// Panics if the provided [`PinnedRuntimeId`] is stale or invalid.
///
pub async fn pinned_runtime_access(
&self,
pinned_runtime_id: PinnedRuntimeId,
block_hash: [u8; 32],
block_number: u64,
block_state_trie_root_hash: [u8; 32],
) -> RuntimeAccess<TPlat> {
RuntimeAccess {
sync_service: self.sync_service.clone(),
hash: block_hash,
runtime: pinned_runtime_id.0,
block_number,
block_state_root_hash: block_state_trie_root_hash,
}
}
/// Tries to find a runtime within the [`RuntimeService`] that has the given storage code and
/// heap pages. If none is found, compiles the runtime and stores it within the
/// [`RuntimeService`]. In both cases, it is kept pinned until it is unpinned with
/// [`RuntimeService::unpin_runtime`].
pub async fn compile_and_pin_runtime(
&self,
storage_code: Option<Vec<u8>>,
storage_heap_pages: Option<Vec<u8>>,
code_merkle_value: Option<Vec<u8>>,
closest_ancestor_excluding: Option<Vec<Nibble>>,
) -> PinnedRuntimeId {
let mut guarded = self.guarded.lock().await;
// Try to find an existing identical runtime.
let existing_runtime = guarded
.runtimes
.iter()
.filter_map(|(_, rt)| rt.upgrade())
.find(|rt| rt.runtime_code == storage_code && rt.heap_pages == storage_heap_pages);
let runtime = if let Some(existing_runtime) = existing_runtime {
existing_runtime
} else {
// No identical runtime was found. Try compiling the new runtime.
let runtime = SuccessfulRuntime::from_storage(&storage_code, &storage_heap_pages).await;
let runtime = Arc::new(Runtime {
heap_pages: storage_heap_pages,
runtime_code: storage_code,
code_merkle_value,
closest_ancestor_excluding,
runtime,
});
guarded.runtimes.insert(Arc::downgrade(&runtime));
runtime
};
PinnedRuntimeId(runtime)
}
/// Un-pins a previously-pinned runtime.
///
/// # Panic
///
/// Panics if the provided [`PinnedRuntimeId`] is stale or invalid.
///
pub async fn unpin_runtime(&self, id: PinnedRuntimeId) {
// Nothing to do.
// TODO: doesn't check whether id is stale
drop(id);
}
/// Returns true if it is believed that we are near the head of the chain.
///
/// The way this method is implemented is opaque and cannot be relied on. The return value
/// should only ever be shown to the user and not used for any meaningful logic.
pub async fn is_near_head_of_chain_heuristic(&self) -> bool {
is_near_head_of_chain_heuristic(&self.sync_service, &self.guarded).await
}
}
impl<TPlat: PlatformRef> Drop for RuntimeService<TPlat> {
fn drop(&mut self) {
self.background_task_abort.abort();
}
}
/// Return value of [`RuntimeService::subscribe_all`].
pub struct SubscribeAll<TPlat: PlatformRef> {
/// SCALE-encoded header of the finalized block at the time of the subscription.
pub finalized_block_scale_encoded_header: Vec<u8>,
/// If the runtime of the finalized block is known, contains the information about it.
pub finalized_block_runtime: Result<executor::CoreVersion, RuntimeError>,
/// List of all known non-finalized blocks at the time of subscription.
///
/// Only one element in this list has [`BlockNotification::is_new_best`] equal to true.
///
/// The blocks are guaranteed to be ordered so that parents are always found before their
/// children.
pub non_finalized_blocks_ancestry_order: Vec<BlockNotification>,
/// Channel onto which new blocks are sent. The channel gets closed if it is full when a new
/// block needs to be reported.
pub new_blocks: Subscription<TPlat>,
}
#[derive(Debug, Copy, Clone, PartialEq, Eq, PartialOrd, Ord, Hash)]
pub struct SubscriptionId(u64);
pub struct Subscription<TPlat: PlatformRef> {
subscription_id: u64,
channel: mpsc::Receiver<Notification>,
guarded: Arc<Mutex<Guarded<TPlat>>>,
}
impl<TPlat: PlatformRef> Subscription<TPlat> {
pub async fn next(&mut self) -> Option<Notification> {
self.channel.next().await
}
/// Returns an opaque identifier that can be used to call [`RuntimeService::unpin_block`].
pub fn id(&self) -> SubscriptionId {
SubscriptionId(self.subscription_id)
}
/// Unpins a block after it has been reported.
///
/// # Panic
///
/// Panics if the block hash has not been reported or has already been unpinned.
///
pub async fn unpin_block(&self, block_hash: &[u8; 32]) {
RuntimeService::unpin_block_inner(
&self.guarded,
SubscriptionId(self.subscription_id),
block_hash,
)
.await
}
}
/// Notification about a new block or a new finalized block.
///
/// See [`RuntimeService::subscribe_all`].
#[derive(Debug, Clone)]
pub enum Notification {
/// A non-finalized block has been finalized.
Finalized {
/// BLAKE2 hash of the header of the block that has been finalized.
///
/// A block with this hash is guaranteed to have earlier been reported in a
/// [`BlockNotification`], either in [`SubscribeAll::non_finalized_blocks_ancestry_order`]
/// or in a [`Notification::Block`].
///
/// It is also guaranteed that this block is a child of the previously-finalized block. In
/// other words, if multiple blocks are finalized at the same time, only one
/// [`Notification::Finalized`] is generated and contains the highest finalized block.
///
/// If it is not possible for the [`RuntimeService`] to avoid a gap in the list of
/// finalized blocks, then the [`SubscribeAll::new_blocks`] channel is force-closed.
hash: [u8; 32],
/// Hash of the header of the best block after the finalization.
///
/// If the newly-finalized block is an ancestor of the current best block, then this field
/// contains the hash of this current best block. Otherwise, the best block is now
/// the non-finalized block with the given hash.
///
/// A block with this hash is guaranteed to have earlier been reported in a
/// [`BlockNotification`], either in [`SubscribeAll::non_finalized_blocks_ancestry_order`]
/// or in a [`Notification::Block`].
best_block_hash: [u8; 32],
/// List of BLAKE2 hashes of the headers of the blocks that have been discarded because
/// they're not descendants of the newly-finalized block.
///
/// This list contains all the siblings of the newly-finalized block and all their
/// descendants.
pruned_blocks: Vec<[u8; 32]>,
},
/// A new block has been added to the list of unfinalized blocks.
Block(BlockNotification),
/// The best block has changed to a different one.
BestBlockChanged {
/// Hash of the new best block.
///
/// This can be either the hash of the latest finalized block or the hash of a
/// non-finalized block.
hash: [u8; 32],
},
}
/// Notification about a new block.
///
/// See [`RuntimeService::subscribe_all`].
#[derive(Debug, Clone)]
pub struct BlockNotification {
/// True if this block is considered as the best block of the chain.
pub is_new_best: bool,
/// SCALE-encoded header of the block.
pub scale_encoded_header: Vec<u8>,
/// BLAKE2 hash of the header of the parent of this block.
///
///
/// A block with this hash is guaranteed to have earlier been reported in a
/// [`BlockNotification`], either in [`SubscribeAll::non_finalized_blocks_ancestry_order`] or
/// in a [`Notification::Block`].
///
/// > **Note**: The header of a block contains the hash of its parent. When it comes to
/// > consensus algorithms such as Babe or Aura, the syncing code verifies that this
/// > hash, stored in the header, actually corresponds to a valid block. However,
/// > when it comes to parachain consensus, no such verification is performed.
/// > Contrary to the hash stored in the header, the value of this field is
/// > guaranteed to refer to a block that is known by the syncing service. This
/// > allows a subscriber of the state of the chain to precisely track the hierarchy
/// > of blocks, without risking to run into a problem in case of a block with an
/// > invalid header.
pub parent_hash: [u8; 32],
/// If the runtime of the block is different from its parent, contains the information about
/// the new runtime.
pub new_runtime: Option<Result<executor::CoreVersion, RuntimeError>>,
}
async fn is_near_head_of_chain_heuristic<TPlat: PlatformRef>(
sync_service: &sync_service::SyncService<TPlat>,
guarded: &Mutex<Guarded<TPlat>>,
) -> bool {
// The runtime service adds a delay between the moment a best block is reported by the
// sync service and the moment it is reported by the runtime service.
// Because of this, any "far from head of chain" to "near head of chain" transition
// must take that delay into account. The other way around ("near" to "far") is
// unaffected.
// If the sync service is far from the head, the runtime service is also far.
if !sync_service.is_near_head_of_chain_heuristic().await {
return false;
}
// If the sync service is near, report the result of `is_near_head_of_chain_heuristic()`
// when called at the latest best block that the runtime service reported through its API,
// to make sure that we don't report "near" while having reported only blocks that were
// far.
guarded.lock().await.best_near_head_of_chain
}
/// See [`RuntimeService::pinned_block_runtime_access`].
#[derive(Debug, derive_more::Display, Clone)]
pub enum PinnedBlockRuntimeAccessError {
/// Subscription is dead.
ObsoleteSubscription,
}
/// See [`RuntimeService::pinned_block_runtime_access`].
#[must_use]
pub struct RuntimeAccess<TPlat: PlatformRef> {
sync_service: Arc<sync_service::SyncService<TPlat>>,
block_number: u64,
block_state_root_hash: [u8; 32],
hash: [u8; 32],
runtime: Arc<Runtime>,
}
impl<TPlat: PlatformRef> RuntimeAccess<TPlat> {
/// Returns the hash of the block the call is being made against.
pub fn block_hash(&self) -> &[u8; 32] {
&self.hash
}
/// Returns the specification of the given runtime.
pub fn specification(&self) -> Result<executor::CoreVersion, RuntimeError> {
match self.runtime.runtime.as_ref() {
Ok(r) => Ok(r.runtime_spec.clone()),
Err(err) => Err(err.clone()),
}
}
pub async fn start<'b>(
&'b self,
method: &'b str,
parameter_vectored: impl Iterator<Item = impl AsRef<[u8]>> + Clone,
total_attempts: u32,
timeout_per_request: Duration,
max_parallel: NonZeroU32,
) -> Result<(RuntimeCall<'b>, executor::host::HostVmPrototype), RuntimeCallError> {
// TODO: DRY :-/ this whole thing is messy
// Perform the call proof request.
// Note that `guarded` is not locked.
// TODO: there's no way to verify that the call proof is actually correct; we have to ban the peer and restart the whole call process if it turns out that it's not
// TODO: also, an empty proof will be reported as an error right now, which is weird
let call_proof = self
.sync_service
.clone()
.call_proof_query(
self.block_number,
protocol::CallProofRequestConfig {
block_hash: self.hash,
method: method.into(),
parameter_vectored: parameter_vectored.clone(),
},
total_attempts,
timeout_per_request,
max_parallel,
)
.await
.map_err(RuntimeCallError::CallProof);
let call_proof = call_proof.and_then(|call_proof| {
proof_decode::decode_and_verify_proof(proof_decode::Config {
proof: call_proof.decode().to_owned(), // TODO: to_owned() inefficiency, need some help from the networking to obtain the owned data
})
.map_err(RuntimeCallError::StorageRetrieval)
});
let (guarded, virtual_machine) = match self.runtime.runtime.as_ref() {
Ok(r) => {
let mut lock = r.virtual_machine.lock().await;
let vm = lock.take().unwrap();
(lock, vm)
}
Err(err) => {
return Err(RuntimeCallError::InvalidRuntime(err.clone()));
}
};
let lock = RuntimeCall {
guarded,
block_state_root_hash: self.block_state_root_hash,
call_proof,
};
Ok((lock, virtual_machine))
}
}
/// See [`RuntimeService::pinned_block_runtime_access`].
#[must_use]
pub struct RuntimeCall<'a> {
guarded: MutexGuard<'a, Option<executor::host::HostVmPrototype>>,
block_state_root_hash: [u8; 32],
call_proof: Result<trie::proof_decode::DecodedTrieProof<Vec<u8>>, RuntimeCallError>,
}
impl<'a> RuntimeCall<'a> {
/// Finds the given key in the call proof and returns the associated storage value.
///
/// If `child_trie` is `Some`, look for the key in the given child trie. If it is `None`, look
/// for the key in the main trie.
///
/// Returns an error if the key couldn't be found in the proof, meaning that the proof is
/// invalid.
// TODO: if proof is invalid, we should give the option to fetch another call proof
pub fn storage_entry(
&self,
child_trie: Option<&[u8]>,
requested_key: &[u8],
) -> Result<Option<(&[u8], TrieEntryVersion)>, RuntimeCallError> {
let call_proof = match &self.call_proof {
Ok(p) => p,
Err(err) => return Err(err.clone()),
};
let trie_root = match child_trie {
Some(child_trie) => {
match Self::child_trie_root(call_proof, &self.block_state_root_hash, child_trie)? {
Some(h) => h,
None => return Ok(None),
}
}
None => self.block_state_root_hash,
};
match call_proof.storage_value(&trie_root, requested_key) {
Ok(v) => Ok(v),
Err(err) => Err(RuntimeCallError::MissingProofEntry(err)),
}
}
/// Find in the proof the trie node that follows `key_before` in lexicographic order.
///
/// If `child_trie` is `Some`, look for the key in the given child trie. If it is `None`, look
/// for the key in the main trie.
///
/// If `or_equal` is `true`, then `key_before` is returned if it is equal to a node in the
/// trie. If `false`, then only keys that are strictly superior are returned.
///
/// The returned value must always start with `prefix`. Note that the value of `prefix` is
/// important as it can be the difference between `None` and `Some(None)`.
///
/// If `branch_nodes` is `false`, then trie nodes that don't have a storage value are skipped.
///
/// Returns an error if the proof doesn't contain enough information, meaning that the proof is
/// invalid.
pub fn next_key(
&'_ self,
child_trie: Option<&[u8]>,
key_before: &[trie::Nibble],
or_equal: bool,
prefix: &[trie::Nibble],
branch_nodes: bool,
) -> Result<Option<&'_ [trie::Nibble]>, RuntimeCallError> {
let call_proof = match &self.call_proof {
Ok(p) => p,
Err(err) => return Err(err.clone()),
};
let trie_root = match child_trie {
Some(child_trie) => {
match Self::child_trie_root(call_proof, &self.block_state_root_hash, child_trie)? {
Some(h) => h,
None => return Ok(None),
}
}
None => self.block_state_root_hash,
};
match call_proof.next_key(&trie_root, key_before, or_equal, prefix, branch_nodes) {
Ok(v) => Ok(v),
Err(err) => Err(RuntimeCallError::MissingProofEntry(err)),
}
}
/// Find in the proof the closest trie node that descends from `key` and returns its Merkle
/// value.
///
/// If `child_trie` is `Some`, look for the key in the given child trie. If it is `None`, look
/// for the key in the main trie.
///
/// Returns an error if the proof doesn't contain enough information, meaning that the proof is
/// invalid.
///
/// Returns `Ok(None)` if the child trie is known to not exist or if it is known that there is
/// no descendant.
pub fn closest_descendant_merkle_value(
&'_ self,
child_trie: Option<&[u8]>,
key: &[trie::Nibble],
) -> Result<Option<&'_ [u8]>, RuntimeCallError> {
let call_proof = match &self.call_proof {
Ok(p) => p,
Err(err) => return Err(err.clone()),
};
let trie_root = match child_trie {
Some(child_trie) => {
match Self::child_trie_root(call_proof, &self.block_state_root_hash, child_trie)? {
Some(h) => h,
None => return Ok(None),
}
}
None => self.block_state_root_hash,
};
call_proof
.closest_descendant_merkle_value(&trie_root, key)
.map_err(RuntimeCallError::MissingProofEntry)
}
/// End the runtime call.
///
/// This method **must** be called.
pub fn unlock(mut self, vm: executor::host::HostVmPrototype) {
debug_assert!(self.guarded.is_none());
*self.guarded = Some(vm);
}
fn child_trie_root(
proof: &proof_decode::DecodedTrieProof<Vec<u8>>,
main_trie_root: &[u8; 32],
child_trie: &[u8],
) -> Result<Option<[u8; 32]>, RuntimeCallError> {
// TODO: allocation here, but probably not problematic
const PREFIX: &[u8] = b":child_storage:default:";
let mut key = Vec::with_capacity(PREFIX.len() + child_trie.as_ref().len());
key.extend_from_slice(PREFIX);
key.extend_from_slice(child_trie.as_ref());
match proof.storage_value(main_trie_root, &key) {
Err(err) => Err(RuntimeCallError::MissingProofEntry(err)),
Ok(None) => Ok(None),
Ok(Some((value, _))) => match <[u8; 32]>::try_from(value) {
Ok(hash) => Ok(Some(hash)),
Err(_) => Err(RuntimeCallError::InvalidChildTrieRoot),
},
}
}
}
impl<'a> Drop for RuntimeCall<'a> {
fn drop(&mut self) {
if self.guarded.is_none() {
// The [`RuntimeCall`] has been destroyed without being properly unlocked.
panic!()
}
}
}
/// Error that can happen when calling a runtime function.
// TODO: clean up these errors
#[derive(Debug, Clone, derive_more::Display)]
pub enum RuntimeCallError {
/// Runtime of the block isn't valid.
#[display(fmt = "Runtime of the block isn't valid: {_0}")]
InvalidRuntime(RuntimeError),
/// Error while retrieving the storage item from other nodes.
// TODO: change error type?
#[display(fmt = "Error in call proof: {_0}")]
StorageRetrieval(proof_decode::Error),
/// One or more entries are missing from the call proof.
#[display(fmt = "One or more entries are missing from the call proof")]
MissingProofEntry(proof_decode::IncompleteProofError),
/// Call proof contains a reference to a child trie whose hash isn't 32 bytes.
InvalidChildTrieRoot,
/// Error while retrieving the call proof from the network.
#[display(fmt = "Error when retrieving the call proof: {_0}")]
CallProof(sync_service::CallProofQueryError),
/// Error while querying the storage of the block.
#[display(fmt = "Error while querying block storage: {_0}")]
StorageQuery(sync_service::StorageQueryError),
}
impl RuntimeCallError {
/// 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 {
RuntimeCallError::InvalidRuntime(_) => false,
RuntimeCallError::StorageRetrieval(_) => false,
RuntimeCallError::MissingProofEntry(_) => false,
RuntimeCallError::InvalidChildTrieRoot => false,
RuntimeCallError::CallProof(err) => err.is_network_problem(),
RuntimeCallError::StorageQuery(err) => err.is_network_problem(),
}
}
}
/// Error when analyzing the runtime.
#[derive(Debug, derive_more::Display, Clone)]
pub enum RuntimeError {
/// The `:code` key of the storage is empty.
CodeNotFound,
/// Error while parsing the `:heappages` storage value.
#[display(fmt = "Failed to parse `:heappages` storage value: {_0}")]
InvalidHeapPages(executor::InvalidHeapPagesError),
/// Error while compiling the runtime.
#[display(fmt = "{_0}")]
Build(executor::host::NewErr),
}
struct Guarded<TPlat: PlatformRef> {
/// Identifier of the next subscription for
/// [`GuardedInner::FinalizedBlockRuntimeKnown::all_blocks_subscriptions`].
///
/// To avoid race conditions, subscription IDs are never used, even if we switch back to
/// [`GuardedInner::FinalizedBlockRuntimeUnknown`].
next_subscription_id: u64,
/// Return value of calling [`sync_service::SyncService::is_near_head_of_chain_heuristic`]
/// after the latest best block update.
best_near_head_of_chain: bool,
/// List of runtimes referenced by the tree in [`GuardedInner`] and by
/// [`GuardedInner::FinalizedBlockRuntimeKnown::pinned_blocks`].
///
/// Might contains obsolete values (i.e. stale `Weak`s) and thus must be cleaned from time to
/// time.
///
/// Because this list shouldn't contain many entries, it is acceptable to iterate over all
/// the elements.
runtimes: slab::Slab<Weak<Runtime>>,
/// Tree of blocks received from the sync service. Keeps track of which block has been
/// reported to the outer API.
tree: GuardedInner<TPlat>,
}
enum GuardedInner<TPlat: PlatformRef> {
FinalizedBlockRuntimeKnown {
/// Tree of blocks. Holds the state of the download of everything. Always `Some` when the
/// `Mutex` is being locked. Temporarily switched to `None` during some operations.
///
/// The asynchronous operation user data is a `usize` corresponding to the index within
/// [`Guarded::runtimes`].
tree: async_tree::AsyncTree<TPlat::Instant, Block, Arc<Runtime>>,
/// Finalized block. Outside of the tree.
finalized_block: Block,
/// List of senders that get notified when new blocks arrive.
/// See [`RuntimeService::subscribe_all`]. Alongside with each sender, the number of pinned
/// finalized or non-canonical blocks remaining for this subscription.
///
/// Keys are assigned from [`Guarded::next_subscription_id`].
all_blocks_subscriptions: hashbrown::HashMap<
u64,
(&'static str, mpsc::Sender<Notification>, usize),
fnv::FnvBuildHasher,
>,
/// List of pinned blocks.
///
/// Every time a block is reported to the API user, it is inserted in this map. The block
/// is inserted after it has been pushed in the channel, but before it is pulled.
/// Therefore, if the channel is closed it is the background that needs to purge all
/// blocks from this container that are no longer relevant.
///
/// Keys are `(subscription_id, block_hash)`. Values are indices within
/// [`Guarded::runtimes`], state trie root hashes, block numbers, and whether the block
/// is non-finalized and part of the canonical chain.
pinned_blocks: BTreeMap<(u64, [u8; 32]), PinnedBlock>,
},
FinalizedBlockRuntimeUnknown {
/// Tree of blocks. Holds the state of the download of everything. Always `Some` when the
/// `Mutex` is being locked. Temporarily switched to `None` during some operations.
///
/// The finalized block according to the [`async_tree::AsyncTree`] is actually a dummy.
/// The "real" finalized block is a non-finalized block within this tree.
///
/// The asynchronous operation user data is a `usize` corresponding to the index within
/// [`Guarded::runtimes`]. The asynchronous operation user data is `None` for the dummy
/// finalized block.
// TODO: explain better
tree: async_tree::AsyncTree<TPlat::Instant, Block, Option<Arc<Runtime>>>,
/// Event notified when the [`GuardedInner`] switches to
/// [`GuardedInner::FinalizedBlockRuntimeKnown`].
when_known: event_listener::Event,
},
}
#[derive(Clone)]
struct PinnedBlock {
/// Reference-counted runtime of the pinned block.
runtime: Arc<Runtime>,
/// Hash of the trie root of the pinned block.
state_trie_root_hash: [u8; 32],
/// Height of the pinned block.
block_number: u64,
/// `true` if the block is non-finalized and part of the canonical chain.
/// If `true`, then the block doesn't count towards the maximum number of pinned blocks of
/// the subscription.
block_ignores_limit: bool,
}
#[derive(Clone)]
struct Block {
/// Hash of the block in question. Redundant with `header`, but the hash is so often needed
/// that it makes sense to cache it.
hash: [u8; 32],
/// Header of the block in question.
/// Guaranteed to always be valid for the output best and finalized blocks. Otherwise,
/// not guaranteed to be valid.
scale_encoded_header: Vec<u8>,
}
async fn run_background<TPlat: PlatformRef>(
log_target: String,
platform: TPlat,
sync_service: Arc<sync_service::SyncService<TPlat>>,
guarded: Arc<Mutex<Guarded<TPlat>>>,
) {
loop {
// The buffer size should be large enough so that, if the CPU is busy, it doesn't
// become full before the execution of the runtime service resumes.
let subscription = sync_service.subscribe_all(32, true).await;
log::debug!(
target: &log_target,
"Worker <= Reset(finalized_block: {})",
HashDisplay(&header::hash_from_scale_encoded_header(
&subscription.finalized_block_scale_encoded_header
))
);
// Update the state of `guarded` with what we just grabbed.
//
// Note that the content of `guarded` is reset unconditionally.
// It might seem like a good idea to only reset the content of `guarded` if the new
// subscription has a different finalized block than currently. However, there is
// absolutely no guarantee for the non-finalized blocks currently in the tree to be a
// subset or superset of the non-finalized blocks in the new subscription.
// Using the new subscription but keeping the existing tree could therefore result in
// state inconsistencies.
//
// Additionally, the situation where a subscription is killed but the finalized block
// didn't change should be extremely rare anyway.
{
let mut lock = guarded.lock().await;
let lock = &mut *lock; // Solves borrow checking issues.
// TODO: restore
/*lock.best_near_head_of_chain =
is_near_head_of_chain_heuristic(&sync_service, &guarded).await;*/
lock.runtimes = slab::Slab::with_capacity(2); // TODO: hardcoded capacity
// TODO: DRY below
if let Some(finalized_block_runtime) = subscription.finalized_block_runtime {
let finalized_block_hash = header::hash_from_scale_encoded_header(
&subscription.finalized_block_scale_encoded_header,
);
let storage_code_len = u64::try_from(
finalized_block_runtime
.storage_code
.as_ref()
.map_or(0, |v| v.len()),
)
.unwrap();
let runtime = Arc::new(Runtime {
runtime_code: finalized_block_runtime.storage_code,
heap_pages: finalized_block_runtime.storage_heap_pages,
code_merkle_value: finalized_block_runtime.code_merkle_value,
closest_ancestor_excluding: finalized_block_runtime.closest_ancestor_excluding,
runtime: Ok(SuccessfulRuntime {
runtime_spec: finalized_block_runtime
.virtual_machine
.runtime_version()
.clone(),
virtual_machine: Mutex::new(Some(finalized_block_runtime.virtual_machine)),
}),
});
match &runtime.runtime {
Ok(runtime) => {
log::info!(
target: &log_target,
"Finalized block runtime ready. Spec version: {}. Size of `:code`: {}.",
runtime.runtime_spec.decode().spec_version,
BytesDisplay(storage_code_len)
);
}
Err(error) => {
log::warn!(
target: &log_target,
"Erroenous finalized block runtime. Size of `:code`: {}.\nError: {}\n\
This indicates an incompatibility between smoldot and the chain.",
BytesDisplay(storage_code_len),
error
);
}
}
log::debug!(
target: &log_target,
"Worker => RuntimeKnown(finalized_hash={})",
HashDisplay(&finalized_block_hash)
);
if let GuardedInner::FinalizedBlockRuntimeUnknown { when_known, .. } = &lock.tree {
when_known.notify(usize::max_value());
}
lock.tree = GuardedInner::FinalizedBlockRuntimeKnown {
all_blocks_subscriptions: hashbrown::HashMap::with_capacity_and_hasher(
32,
Default::default(),
), // TODO: capacity?
pinned_blocks: BTreeMap::new(),
finalized_block: Block {
hash: finalized_block_hash,
scale_encoded_header: subscription.finalized_block_scale_encoded_header,
},
tree: {
let mut tree =
async_tree::AsyncTree::<_, Block, _>::new(async_tree::Config {
finalized_async_user_data: runtime,
retry_after_failed: Duration::from_secs(10), // TODO: hardcoded
blocks_capacity: 32,
});
for block in subscription.non_finalized_blocks_ancestry_order {
let parent_index = if block.parent_hash == finalized_block_hash {
None
} else {
Some(
tree.input_output_iter_unordered()
.find(|b| b.user_data.hash == block.parent_hash)
.unwrap()
.id,
)
};
let same_runtime_as_parent = same_runtime_as_parent(
&block.scale_encoded_header,
sync_service.block_number_bytes(),
);
let _ = tree.input_insert_block(
Block {
hash: header::hash_from_scale_encoded_header(
&block.scale_encoded_header,
),
scale_encoded_header: block.scale_encoded_header,
},
parent_index,
same_runtime_as_parent,
block.is_new_best,
);
}
tree
},
};
} else {
if let GuardedInner::FinalizedBlockRuntimeUnknown { when_known, .. } = &lock.tree {
when_known.notify(usize::max_value());
}
lock.tree = GuardedInner::FinalizedBlockRuntimeUnknown {
when_known: event_listener::Event::new(),
tree: {
let mut tree = async_tree::AsyncTree::new(async_tree::Config {
finalized_async_user_data: None,
retry_after_failed: Duration::from_secs(10), // TODO: hardcoded
blocks_capacity: 32,
});
let node_index = tree.input_insert_block(
Block {
hash: header::hash_from_scale_encoded_header(
&subscription.finalized_block_scale_encoded_header,
),
scale_encoded_header: subscription
.finalized_block_scale_encoded_header,
},
None,
false,
true,
);
tree.input_finalize(node_index, node_index);
for block in subscription.non_finalized_blocks_ancestry_order {
let parent_index = tree
.input_output_iter_unordered()
.find(|b| b.user_data.hash == block.parent_hash)
.unwrap()
.id;
let same_runtime_as_parent = same_runtime_as_parent(
&block.scale_encoded_header,
sync_service.block_number_bytes(),
);
let _ = tree.input_insert_block(
Block {
hash: header::hash_from_scale_encoded_header(
&block.scale_encoded_header,
),
scale_encoded_header: block.scale_encoded_header,
},
Some(parent_index),
same_runtime_as_parent,
block.is_new_best,
);
}
tree
},
};
}
}
// State machine containing all the state that will be manipulated below.
let mut background = Background {
log_target: log_target.clone(),
platform: platform.clone(),
sync_service: sync_service.clone(),
guarded: guarded.clone(),
blocks_stream: subscription.new_blocks.boxed(),
wake_up_new_necessary_download: future::pending().boxed().fuse(),
runtime_downloads: stream::FuturesUnordered::new(),
};
background.start_necessary_downloads().await;
// Inner loop. Process incoming events.
loop {
futures_util::select! {
_ = &mut background.wake_up_new_necessary_download => {
background.start_necessary_downloads().await;
},
notification = background.blocks_stream.next().fuse() => {
match notification {
None => break, // Break out of the inner loop in order to reset the background.
Some(sync_service::Notification::Block(new_block)) => {
log::debug!(
target: &log_target,
"Worker <= InputNewBlock(hash={}, parent={}, is_new_best={})",
HashDisplay(&header::hash_from_scale_encoded_header(&new_block.scale_encoded_header)),
HashDisplay(&new_block.parent_hash),
new_block.is_new_best
);
let near_head_of_chain = background.sync_service.is_near_head_of_chain_heuristic().await;
let mut guarded = background.guarded.lock().await;
let guarded = &mut *guarded;
// TODO: note that this code is never reached for parachains
if new_block.is_new_best {
guarded.best_near_head_of_chain = near_head_of_chain;
}
let same_runtime_as_parent = same_runtime_as_parent(&new_block.scale_encoded_header, sync_service.block_number_bytes());
match &mut guarded.tree {
GuardedInner::FinalizedBlockRuntimeKnown {
tree, finalized_block, ..
} => {
let parent_index = if new_block.parent_hash == finalized_block.hash {
None
} else {
Some(tree.input_output_iter_unordered().find(|block| block.user_data.hash == new_block.parent_hash).unwrap().id)
};
tree.input_insert_block(Block {
hash: header::hash_from_scale_encoded_header(&new_block.scale_encoded_header),
scale_encoded_header: new_block.scale_encoded_header,
}, parent_index, same_runtime_as_parent, new_block.is_new_best);
}
GuardedInner::FinalizedBlockRuntimeUnknown { tree, .. } => {
let parent_index = tree.input_output_iter_unordered().find(|block| block.user_data.hash == new_block.parent_hash).unwrap().id;
tree.input_insert_block(Block {
hash: header::hash_from_scale_encoded_header(&new_block.scale_encoded_header),
scale_encoded_header: new_block.scale_encoded_header,
}, Some(parent_index), same_runtime_as_parent, new_block.is_new_best);
}
}
background.advance_and_notify_subscribers(guarded);
},
Some(sync_service::Notification::Finalized { hash, best_block_hash }) => {
log::debug!(
target: &log_target,
"Worker <= InputFinalized(hash={}, best={})",
HashDisplay(&hash), HashDisplay(&best_block_hash)
);
background.finalize(hash, best_block_hash).await;
}
Some(sync_service::Notification::BestBlockChanged { hash }) => {
log::debug!(
target: &log_target,
"Worker <= BestBlockChanged(hash={})",
HashDisplay(&hash)
);
let near_head_of_chain = background.sync_service.is_near_head_of_chain_heuristic().await;
let mut guarded = background.guarded.lock().await;
let guarded = &mut *guarded;
guarded.best_near_head_of_chain = near_head_of_chain;
match &mut guarded.tree {
GuardedInner::FinalizedBlockRuntimeKnown {
finalized_block,
tree, ..
} => {
let idx = if hash == finalized_block.hash {
None
} else {
Some(tree.input_output_iter_unordered().find(|block| block.user_data.hash == hash).unwrap().id)
};
tree.input_set_best_block(idx);
}
GuardedInner::FinalizedBlockRuntimeUnknown { tree, .. } => {
let idx = tree.input_output_iter_unordered().find(|block| block.user_data.hash == hash).unwrap().id;
tree.input_set_best_block(Some(idx));
}
}
background.advance_and_notify_subscribers(guarded);
}
};
// TODO: process any other pending event from blocks_stream before doing that; otherwise we might start download for blocks that we don't care about because they're immediately overwritten by others
background.start_necessary_downloads().await;
},
(async_op_id, download_result) = background.runtime_downloads.select_next_some() => {
let mut guarded = background.guarded.lock().await;
let concerned_blocks = match &guarded.tree {
GuardedInner::FinalizedBlockRuntimeKnown {
tree, ..
} => either::Left(tree.async_op_blocks(async_op_id)),
GuardedInner::FinalizedBlockRuntimeUnknown { tree, .. } => {
either::Right(tree.async_op_blocks(async_op_id))
}
}.format_with(", ", |block, fmt| fmt(&HashDisplay(&block.hash))).to_string();
match download_result {
Ok((storage_code, storage_heap_pages, code_merkle_value, closest_ancestor_excluding)) => {
log::debug!(
target: &log_target,
"Worker <= SuccessfulDownload(blocks=[{}])",
concerned_blocks
);
// TODO: the line below is a complete hack; the code that updates this value is never reached for parachains, and as such the line below is here to update this field
guarded.best_near_head_of_chain = true;
drop(guarded);
background.runtime_download_finished(async_op_id, storage_code, storage_heap_pages, code_merkle_value, closest_ancestor_excluding).await;
}
Err(error) => {
log::debug!(
target: &log_target,
"Worker <= FailedDownload(blocks=[{}], error={:?})",
concerned_blocks,
error
);
if !error.is_network_problem() {
log::warn!(
target: &log_target,
"Failed to download :code and :heappages of blocks {}: {}",
concerned_blocks,
error
);
}
match &mut guarded.tree {
GuardedInner::FinalizedBlockRuntimeKnown {
tree, ..
} => {
tree.async_op_failure(async_op_id, &background.platform.now());
}
GuardedInner::FinalizedBlockRuntimeUnknown { tree, .. } => {
tree.async_op_failure(async_op_id, &background.platform.now());
}
}
drop(guarded);
}
}
background.start_necessary_downloads().await;
}
}
}
}
}
#[derive(Debug, Clone, derive_more::Display)]
enum RuntimeDownloadError {
#[display(fmt = "{_0}")]
StorageQuery(sync_service::StorageQueryError),
#[display(fmt = "Couldn't decode header: {_0}")]
InvalidHeader(header::Error),
}
impl RuntimeDownloadError {
/// Returns `true` if this is caused by networking issues, as opposed to a consensus-related
/// issue.
fn is_network_problem(&self) -> bool {
match self {
RuntimeDownloadError::StorageQuery(err) => err.is_network_problem(),
RuntimeDownloadError::InvalidHeader(_) => false,
}
}
}
struct Background<TPlat: PlatformRef> {
log_target: String,
/// See [`Config::platform`].
platform: TPlat,
sync_service: Arc<sync_service::SyncService<TPlat>>,
guarded: Arc<Mutex<Guarded<TPlat>>>,
/// Stream of notifications coming from the sync service.
blocks_stream: Pin<Box<dyn Stream<Item = sync_service::Notification> + Send>>,
/// List of runtimes currently being downloaded from the network.
/// For each item, the download id, storage value of `:code`, storage value of `:heappages`,
/// and Merkle value and closest ancestor of `:code`.
runtime_downloads: stream::FuturesUnordered<
future::BoxFuture<
'static,
(
async_tree::AsyncOpId,
Result<
(
Option<Vec<u8>>,
Option<Vec<u8>>,
Option<Vec<u8>>,
Option<Vec<Nibble>>,
),
RuntimeDownloadError,
>,
),
>,
>,
/// Future that wakes up when a new download to start is potentially ready.
wake_up_new_necessary_download: future::Fuse<future::BoxFuture<'static, ()>>,
}
impl<TPlat: PlatformRef> Background<TPlat> {
/// Injects into the state of `self` a completed runtime download.
async fn runtime_download_finished(
&mut self,
async_op_id: async_tree::AsyncOpId,
storage_code: Option<Vec<u8>>,
storage_heap_pages: Option<Vec<u8>>,
code_merkle_value: Option<Vec<u8>>,
closest_ancestor_excluding: Option<Vec<Nibble>>,
) {
let mut guarded = self.guarded.lock().await;
// Try to find an existing runtime identical to the one that has just been downloaded.
// This loop is `O(n)`, but given that we expect this list to very small (at most 1 or
// 2 elements), this is not a problem.
let existing_runtime = guarded
.runtimes
.iter()
.filter_map(|(_, rt)| rt.upgrade())
.find(|rt| rt.runtime_code == storage_code && rt.heap_pages == storage_heap_pages);
// If no identical runtime was found, try compiling the runtime.
let runtime = if let Some(existing_runtime) = existing_runtime {
existing_runtime
} else {
let runtime = SuccessfulRuntime::from_storage(&storage_code, &storage_heap_pages).await;
match &runtime {
Ok(runtime) => {
log::info!(
target: &self.log_target,
"Successfully compiled runtime. Spec version: {}. Size of `:code`: {}.",
runtime.runtime_spec.decode().spec_version,
BytesDisplay(u64::try_from(storage_code.as_ref().map_or(0, |v| v.len())).unwrap())
);
}
Err(error) => {
log::warn!(
target: &self.log_target,
"Failed to compile runtime. Size of `:code`: {}.\nError: {}\n\
This indicates an incompatibility between smoldot and the chain.",
BytesDisplay(u64::try_from(storage_code.as_ref().map_or(0, |v| v.len())).unwrap()),
error
);
}
}
let runtime = Arc::new(Runtime {
heap_pages: storage_heap_pages,
runtime_code: storage_code,
runtime,
code_merkle_value,
closest_ancestor_excluding,
});
guarded.runtimes.insert(Arc::downgrade(&runtime));
runtime
};
// Insert the runtime into the tree.
match &mut guarded.tree {
GuardedInner::FinalizedBlockRuntimeKnown { tree, .. } => {
tree.async_op_finished(async_op_id, runtime);
}
GuardedInner::FinalizedBlockRuntimeUnknown { tree, .. } => {
tree.async_op_finished(async_op_id, Some(runtime));
}
}
self.advance_and_notify_subscribers(&mut guarded);
}
fn advance_and_notify_subscribers(&self, guarded: &mut Guarded<TPlat>) {
loop {
match &mut guarded.tree {
GuardedInner::FinalizedBlockRuntimeKnown {
tree,
finalized_block,
all_blocks_subscriptions,
pinned_blocks,
} => match tree.try_advance_output() {
None => break,
Some(async_tree::OutputUpdate::Finalized {
user_data: new_finalized,
best_block_index,
pruned_blocks,
former_finalized_async_op_user_data: former_finalized_runtime,
..
}) => {
*finalized_block = new_finalized;
let best_block_hash = best_block_index
.map_or(finalized_block.hash, |idx| tree.block_user_data(idx).hash);
log::debug!(
target: &self.log_target,
"Worker => OutputFinalized(hash={}, best={})",
HashDisplay(&finalized_block.hash), HashDisplay(&best_block_hash)
);
// The finalization might cause some runtimes in the list of runtimes
// to have become unused. Clean them up.
drop(former_finalized_runtime);
guarded
.runtimes
.retain(|_, runtime| runtime.strong_count() > 0);
let all_blocks_notif = Notification::Finalized {
best_block_hash,
hash: finalized_block.hash,
pruned_blocks: pruned_blocks.iter().map(|(_, b, _)| b.hash).collect(),
};
let mut to_remove = Vec::new();
for (subscription_id, (_, sender, finalized_pinned_remaining)) in
all_blocks_subscriptions.iter_mut()
{
let count_limit = pruned_blocks.len() + 1;
if *finalized_pinned_remaining < count_limit {
to_remove.push(*subscription_id);
continue;
}
if sender.try_send(all_blocks_notif.clone()).is_err() {
to_remove.push(*subscription_id);
continue;
}
*finalized_pinned_remaining -= count_limit;
// Mark the finalized and pruned blocks as finalized or non-canonical.
for block in iter::once(&finalized_block.hash)
.chain(pruned_blocks.iter().map(|(_, b, _)| &b.hash))
{
if let Some(pin) =
pinned_blocks.get_mut(&(*subscription_id, *block))
{
debug_assert!(pin.block_ignores_limit);
pin.block_ignores_limit = false;
}
}
}
for to_remove in to_remove {
all_blocks_subscriptions.remove(&to_remove);
let pinned_blocks_to_remove = pinned_blocks
.range((to_remove, [0; 32])..=(to_remove, [0xff; 32]))
.map(|((_, h), _)| *h)
.collect::<Vec<_>>();
for block in pinned_blocks_to_remove {
pinned_blocks.remove(&(to_remove, block));
}
}
}
Some(async_tree::OutputUpdate::Block(block)) => {
let block_index = block.index;
let block_runtime = block.async_op_user_data.clone();
let block_hash = block.user_data.hash;
let scale_encoded_header = block.user_data.scale_encoded_header.clone();
let is_new_best = block.is_new_best;
let (block_number, state_trie_root_hash) = {
let decoded = header::decode(
&scale_encoded_header,
self.sync_service.block_number_bytes(),
)
.unwrap();
(decoded.number, *decoded.state_root)
};
let parent_runtime = tree
.parent(block_index)
.map_or(tree.output_finalized_async_user_data().clone(), |idx| {
tree.block_async_user_data(idx).unwrap().clone()
});
log::debug!(
target: &self.log_target,
"Worker => OutputNewBlock(hash={}, is_new_best={})",
HashDisplay(&tree.block_user_data(block_index).hash),
is_new_best
);
let notif = Notification::Block(BlockNotification {
parent_hash: tree
.parent(block_index)
.map_or(finalized_block.hash, |idx| tree.block_user_data(idx).hash),
is_new_best,
scale_encoded_header,
new_runtime: if !Arc::ptr_eq(&parent_runtime, &block_runtime) {
Some(
block_runtime
.runtime
.as_ref()
.map(|rt| rt.runtime_spec.clone())
.map_err(|err| err.clone()),
)
} else {
None
},
});
let mut to_remove = Vec::new();
for (subscription_id, (_, sender, _)) in all_blocks_subscriptions.iter_mut()
{
if sender.try_send(notif.clone()).is_ok() {
let _prev_value = pinned_blocks.insert(
(*subscription_id, block_hash),
PinnedBlock {
runtime: block_runtime.clone(),
state_trie_root_hash,
block_number,
block_ignores_limit: true,
},
);
debug_assert!(_prev_value.is_none());
} else {
to_remove.push(*subscription_id);
}
}
for to_remove in to_remove {
all_blocks_subscriptions.remove(&to_remove);
let pinned_blocks_to_remove = pinned_blocks
.range((to_remove, [0; 32])..=(to_remove, [0xff; 32]))
.map(|((_, h), _)| *h)
.collect::<Vec<_>>();
for block in pinned_blocks_to_remove {
pinned_blocks.remove(&(to_remove, block));
}
}
}
Some(async_tree::OutputUpdate::BestBlockChanged { best_block_index }) => {
let hash = best_block_index
.map_or(&*finalized_block, |idx| tree.block_user_data(idx))
.hash;
log::debug!(
target: &self.log_target,
"Worker => OutputBestBlockChanged(hash={})",
HashDisplay(&hash),
);
let notif = Notification::BestBlockChanged { hash };
let mut to_remove = Vec::new();
for (subscription_id, (_, sender, _)) in all_blocks_subscriptions.iter_mut()
{
if sender.try_send(notif.clone()).is_err() {
to_remove.push(*subscription_id);
}
}
for to_remove in to_remove {
all_blocks_subscriptions.remove(&to_remove);
let pinned_blocks_to_remove = pinned_blocks
.range((to_remove, [0; 32])..=(to_remove, [0xff; 32]))
.map(|((_, h), _)| *h)
.collect::<Vec<_>>();
for block in pinned_blocks_to_remove {
pinned_blocks.remove(&(to_remove, block));
}
}
}
},
GuardedInner::FinalizedBlockRuntimeUnknown { tree, when_known } => match tree
.try_advance_output()
{
None => break,
Some(async_tree::OutputUpdate::Block(_))
| Some(async_tree::OutputUpdate::BestBlockChanged { .. }) => continue,
Some(async_tree::OutputUpdate::Finalized {
user_data: new_finalized,
former_finalized_async_op_user_data,
best_block_index,
..
}) => {
// Make sure that this is the first finalized block whose runtime is
// known, otherwise there's a pretty big bug somewhere.
debug_assert!(former_finalized_async_op_user_data.is_none());
let best_block_hash = best_block_index
.map_or(new_finalized.hash, |idx| tree.block_user_data(idx).hash);
log::debug!(
target: &self.log_target,
"Worker => RuntimeKnown(finalized_hash={}, best={})",
HashDisplay(&new_finalized.hash), HashDisplay(&best_block_hash)
);
// Substitute `tree` with a dummy empty tree just in order to extract
// the value. The `tree` only contains "async op user datas" equal
// to `Some` (they're inserted manually when a download finishes)
// except for the finalized block which has now just been extracted.
// We can safely unwrap() all these user datas.
let new_tree = mem::replace(
tree,
async_tree::AsyncTree::new(async_tree::Config {
finalized_async_user_data: None,
retry_after_failed: Duration::new(0, 0),
blocks_capacity: 0,
}),
)
.map_async_op_user_data(|runtime_index| runtime_index.unwrap());
// Change the state of `guarded` to the "finalized runtime known" state.
when_known.notify(usize::max_value());
guarded.tree = GuardedInner::FinalizedBlockRuntimeKnown {
all_blocks_subscriptions: hashbrown::HashMap::with_capacity_and_hasher(
32,
Default::default(),
), // TODO: capacity?
pinned_blocks: BTreeMap::new(),
tree: new_tree,
finalized_block: new_finalized,
};
}
},
}
}
}
/// Examines the state of `self` and starts downloading runtimes if necessary.
async fn start_necessary_downloads(&mut self) {
let mut guarded = self.guarded.lock().await;
let guarded = &mut *guarded;
loop {
// Don't download more than 2 runtimes at a time.
if self.runtime_downloads.len() >= 2 {
break;
}
// If there's nothing more to download, break out of the loop.
let download_params = {
let async_op = match &mut guarded.tree {
GuardedInner::FinalizedBlockRuntimeKnown { tree, .. } => {
tree.next_necessary_async_op(&self.platform.now())
}
GuardedInner::FinalizedBlockRuntimeUnknown { tree, .. } => {
tree.next_necessary_async_op(&self.platform.now())
}
};
match async_op {
async_tree::NextNecessaryAsyncOp::Ready(dl) => dl,
async_tree::NextNecessaryAsyncOp::NotReady { when } => {
self.wake_up_new_necessary_download = if let Some(when) = when {
self.platform.sleep_until(when).boxed()
} else {
future::pending().boxed()
}
.fuse();
break;
}
}
};
log::debug!(
target: &self.log_target,
"Worker => NewDownload(block={})",
HashDisplay(&download_params.block_user_data.hash)
);
// Dispatches a runtime download task to `runtime_downloads`.
self.runtime_downloads.push({
let download_id = download_params.id;
// In order to perform the download, we need to known the state root hash of the
// block in question, which requires decoding the block. If the decoding fails,
// we report that the asynchronous operation has failed with the hope that this
// block gets pruned in the future.
match header::decode(
&download_params.block_user_data.scale_encoded_header,
self.sync_service.block_number_bytes(),
) {
Ok(decoded_header) => {
let sync_service = self.sync_service.clone();
let block_hash = download_params.block_user_data.hash;
let state_root = *decoded_header.state_root;
let block_number = decoded_header.number;
Box::pin(async move {
let result = sync_service
.storage_query(
block_number,
&block_hash,
&state_root,
[
sync_service::StorageRequestItem {
key: b":code".to_vec(),
ty: sync_service::StorageRequestItemTy::ClosestDescendantMerkleValue,
},
sync_service::StorageRequestItem {
key: b":code".to_vec(),
ty: sync_service::StorageRequestItemTy::Value,
},
sync_service::StorageRequestItem {
key: b":heappages".to_vec(),
ty: sync_service::StorageRequestItemTy::Value,
},
]
.into_iter(),
3,
Duration::from_secs(20),
NonZeroU32::new(3).unwrap(),
)
.await;
let result = match result {
Ok(entries) => {
let heap_pages = entries
.iter()
.find_map(|entry| match entry {
sync_service::StorageResultItem::Value {
key,
value,
} if key == b":heappages" => {
Some(value.clone()) // TODO: overhead
}
_ => None,
})
.unwrap();
let code = entries
.iter()
.find_map(|entry| match entry {
sync_service::StorageResultItem::Value {
key,
value,
} if key == b":code" => {
Some(value.clone()) // TODO: overhead
}
_ => None,
})
.unwrap();
let (code_merkle_value, code_closest_ancestor) = if code.is_some() {
entries
.iter()
.find_map(|entry| match entry {
sync_service::StorageResultItem::ClosestDescendantMerkleValue {
requested_key,
found_closest_ancestor_excluding,
closest_descendant_merkle_value,
} if requested_key == b":code" => {
Some((closest_descendant_merkle_value.clone(), found_closest_ancestor_excluding.clone())) // TODO overhead
}
_ => None
})
.unwrap()
} else {
(None, None)
};
Ok((code, heap_pages, code_merkle_value, code_closest_ancestor))
}
Err(error) => Err(RuntimeDownloadError::StorageQuery(error)),
};
(download_id, result)
})
}
Err(error) => {
log::warn!(
target: &self.log_target,
"Failed to decode header from sync service: {}", error
);
Box::pin(async move {
(download_id, Err(RuntimeDownloadError::InvalidHeader(error)))
})
}
}
});
}
}
/// Updates `self` to take into account that the sync service has finalized the given block.
async fn finalize(&mut self, hash_to_finalize: [u8; 32], new_best_block_hash: [u8; 32]) {
let mut guarded = self.guarded.lock().await;
match &mut guarded.tree {
GuardedInner::FinalizedBlockRuntimeKnown {
tree,
finalized_block,
..
} => {
debug_assert_ne!(finalized_block.hash, hash_to_finalize);
let node_to_finalize = tree
.input_output_iter_unordered()
.find(|block| block.user_data.hash == hash_to_finalize)
.unwrap()
.id;
let new_best_block = tree
.input_output_iter_unordered()
.find(|block| block.user_data.hash == new_best_block_hash)
.unwrap()
.id;
tree.input_finalize(node_to_finalize, new_best_block);
}
GuardedInner::FinalizedBlockRuntimeUnknown { tree, .. } => {
let node_to_finalize = tree
.input_output_iter_unordered()
.find(|block| block.user_data.hash == hash_to_finalize)
.unwrap()
.id;
let new_best_block = tree
.input_output_iter_unordered()
.find(|block| block.user_data.hash == new_best_block_hash)
.unwrap()
.id;
tree.input_finalize(node_to_finalize, new_best_block);
}
}
self.advance_and_notify_subscribers(&mut guarded);
// Clean up unused runtimes to free up resources.
guarded
.runtimes
.retain(|_, runtime| runtime.strong_count() > 0);
}
}
struct Runtime {
/// Successfully-compiled runtime and all its information. Can contain an error if an error
/// happened, including a problem when obtaining the runtime specs.
runtime: Result<SuccessfulRuntime, RuntimeError>,
/// Merkle value of the `:code` trie node.
///
/// Can be `None` if the storage is empty, in which case the runtime will have failed to
/// build.
code_merkle_value: Option<Vec<u8>>,
/// Closest ancestor of the `:code` key except for `:code` itself.
closest_ancestor_excluding: Option<Vec<Nibble>>,
/// Undecoded storage value of `:code` corresponding to the [`Runtime::runtime`]
/// field.
///
/// Can be `None` if the storage is empty, in which case the runtime will have failed to
/// build.
// TODO: consider storing hash instead
runtime_code: Option<Vec<u8>>,
/// Undecoded storage value of `:heappages` corresponding to the
/// [`Runtime::runtime`] field.
///
/// Can be `None` if the storage is empty, in which case the runtime will have failed to
/// build.
// TODO: consider storing hash instead
heap_pages: Option<Vec<u8>>,
}
struct SuccessfulRuntime {
/// Runtime specs extracted from the runtime.
runtime_spec: executor::CoreVersion,
/// Virtual machine itself, to perform additional calls.
///
/// Always `Some`, except for temporary extractions necessary to execute the VM.
virtual_machine: Mutex<Option<executor::host::HostVmPrototype>>,
}
impl SuccessfulRuntime {
async fn from_storage(
code: &Option<Vec<u8>>,
heap_pages: &Option<Vec<u8>>,
) -> Result<Self, RuntimeError> {
// Since compiling the runtime is a CPU-intensive operation, we yield once before.
futures_lite::future::yield_now().await;
// Parameters for `HostVmPrototype::new`.
let module = code.as_ref().ok_or(RuntimeError::CodeNotFound)?;
let heap_pages = executor::storage_heap_pages_to_value(heap_pages.as_deref())
.map_err(RuntimeError::InvalidHeapPages)?;
let exec_hint = executor::vm::ExecHint::CompileAheadOfTime;
// We try once with `allow_unresolved_imports: false`. If this fails due to unresolved
// import, we try again but with `allowed_unresolved_imports: true`.
// Having unresolved imports might cause errors later on, for example when validating
// transactions or getting the parachain heads, but for now we continue the execution
// and print a warning.
match executor::host::HostVmPrototype::new(executor::host::Config {
module,
heap_pages,
exec_hint,
allow_unresolved_imports: false,
}) {
Ok(vm) => {
return Ok(SuccessfulRuntime {
runtime_spec: vm.runtime_version().clone(),
virtual_machine: Mutex::new(Some(vm)),
})
}
Err(executor::host::NewErr::VirtualMachine(
executor::vm::NewErr::UnresolvedFunctionImport {
function,
module_name,
},
)) => {
match executor::host::HostVmPrototype::new(executor::host::Config {
module,
heap_pages,
exec_hint,
allow_unresolved_imports: true,
}) {
Ok(vm) => {
log::warn!(
"Unresolved host function in runtime: `{}`:`{}`. Smoldot might \
encounter errors later on. Please report this issue in \
https://github.com/smol-dot/smoldot",
module_name,
function
);
Ok(SuccessfulRuntime {
runtime_spec: vm.runtime_version().clone(),
virtual_machine: Mutex::new(Some(vm)),
})
}
Err(executor::host::NewErr::VirtualMachine(
executor::vm::NewErr::UnresolvedFunctionImport { .. },
)) => unreachable!(),
Err(error) => {
// It's still possible that errors other than an unresolved host
// function happen.
Err(RuntimeError::Build(error))
}
}
}
Err(error) => Err(RuntimeError::Build(error)),
}
}
}
/// Returns `true` if the block can be assumed to have the same runtime as its parent.
fn same_runtime_as_parent(header: &[u8], block_number_bytes: usize) -> bool {
match header::decode(header, block_number_bytes) {
Ok(h) => !h.digest.has_runtime_environment_updated(),
Err(_) => false,
}
}