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
// KILT Blockchain – https://botlabs.org
// Copyright (C) 2019-2024 BOTLabs GmbH
// The KILT Blockchain 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.
// The KILT Blockchain 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 <https://www.gnu.org/licenses/>.
// If you feel like getting in touch with us, you can do so at info@botlabs.org
//! # Parachain Staking
//!
//! A simple staking pallet providing means of selecting a set of collators to
//! become block authors based on their total backed stake. The main difference
//! between this pallet and `frame/pallet-staking` is that this pallet uses
//! direct delegation. Delegators choose exactly who they delegate and with what
//! stake. This is different from `frame/pallet-staking` where you approval vote
//! and then run Phragmen. Moreover, this pallet rewards a collator and their
//! delegators immediately when authoring a block. Rewards are calculated
//! separately between collators and delegators.
//!
//! To join the set of candidates, an account must call `join_candidates` with
//! `MinCollatorCandidateStake` <= stake <= `MaxCollatorCandidateStake`.
//!
//! To leave the set of candidates, the collator calls `leave_candidates`. If
//! the call succeeds, the collator is removed from the pool of candidates so
//! they cannot be selected for future collator sets, but they are not unstaking
//! until executing the exit request by calling the extrinsic
//! `execute_leave_candidates` at least `ExitQueueDelay` rounds later. After
//! doing so, the collator candidate as well as their delegators are unstaked.
//! Both parties then have to wait another `StakeDuration` more blocks to be
//! able to unlock their stake.
//!
//! Candidates which requested to leave can still be in the set of authors for
//! the next round due to the design of the session pallet which at the start of
//! session s(i) chooses a set for the next session s(i+1). Thus, candidates
//! have to keep collating at least until the end of the next session (= round).
//! We extend this by delaying their execute by at least `ExitQueueDelay` many
//! sessions.
//!
//! To join the set of delegators, an account must call `join_delegators` with
//! stake >= `MinDelegatorStake`. There are also runtime methods for delegating
//! additional collators and revoking delegations.
//!
//!
//! - [`Config`]
//! - [`Call`]
//! - [`Pallet`]
//!
//! ## Overview
//!
//! The KILT parachain staking pallet provides functions for:
//! - Joining the set of collator candidates of which the best
//! `MaxSelectedCandidates` are chosen to become active collators for the next
//! session. That makes the set of active collators the set of block authors
//! by handing it over to the session and the authority pallet.
//! - Delegating to a collator candidate by staking for them.
//! - Increasing and reducing your stake as a collator or delegator.
//! - Revoking your delegation entirely.
//! - Requesting to leave the set of collator candidates.
//! - Withdrawing your unstaked balance after waiting for a certain number of
//! blocks.
//!
//! ### Terminology
//!
//! - **Candidate:** A user which freezes up tokens to be included into the set
//! of authorities which author blocks and receive rewards for doing so.
//!
//! - **Collator:** A candidate that was chosen to collate this round.
//!
//! - **Delegator:** A user which freezes up tokens for collators they trust.
//! When their collator authors a block, the corresponding delegators also
//! receive rewards.
//!
//! - **Total Stake:** A collator’s own stake + the sum of delegated stake to
//! this collator.
//!
//! - **Total collator stake:** The sum of tokens locked for staking from all
//! collator candidates.
//!
//! - **Total delegator stake:** The sum of tokens locked for staking from all
//! delegators.
//!
//! - **To Stake:** Lock tokens for staking.
//!
//! - **To Unstake:** Unlock tokens from staking.
//!
//! - **Round (= Session):** A fixed number of blocks in which the set of
//! collators does not change. We set the length of a session to the length of
//! a staking round, thus both words are interchangeable in the context of
//! this pallet.
//!
//! - **Freeze:** A freeze on a specified amount of an account's free balance
//! until a specified block number. Multiple freezes always operate over the
//! same funds, so they "overlay" rather than "stack"
//!
//! ## Genesis config
//!
//! The ParachainStaking pallet depends on the [`GenesisConfig`].
//!
//! ## Assumptions
//!
//! - At the start of session s(i), the set of session ids for session s(i+1)
//! are chosen. These equal the set of selected candidates. Thus, we cannot
//! allow collators to leave at least until the start of session s(i+2).
#![cfg_attr(not(feature = "std"), no_std)]
#![allow(clippy::unused_unit)]
#[cfg(feature = "runtime-benchmarks")]
pub mod benchmarking;
pub mod default_weights;
#[cfg(test)]
pub(crate) mod mock;
#[cfg(test)]
pub(crate) mod tests;
#[cfg(any(feature = "try-runtime", test))]
mod try_state;
pub mod api;
mod inflation;
mod set;
mod types;
use frame_support::pallet;
pub use crate::{default_weights::WeightInfo, pallet::*};
#[pallet]
pub mod pallet {
use super::*;
pub use crate::inflation::{InflationInfo, RewardRate, StakingInfo};
use core::cmp::Ordering;
use frame_support::{
pallet_prelude::*,
storage::bounded_btree_map::BoundedBTreeMap,
traits::{
fungible::Balanced,
tokens::{
fungible::{Inspect, MutateFreeze, Unbalanced},
Fortitude, Precision, Preservation,
},
BuildGenesisConfig, EstimateNextSessionRotation, Get, OnUnbalanced, StorageVersion,
},
BoundedVec,
};
use frame_system::pallet_prelude::*;
use pallet_balances::{Freezes, IdAmount};
use pallet_session::ShouldEndSession;
use scale_info::TypeInfo;
use sp_runtime::{
traits::{Convert, One, SaturatedConversion, Saturating, StaticLookup, Zero},
Permill, Perquintill,
};
use sp_staking::SessionIndex;
use sp_std::prelude::*;
use types::AccountIdOf;
use crate::{
set::OrderedSet,
types::{
BalanceOf, Candidate, CandidateOf, CandidateStatus, CreditOf, DelegationCounter, Delegator, RoundInfo,
Stake, StakeOf, TotalStake,
},
};
use sp_std::{convert::TryInto, fmt::Debug};
/// The current storage version.
pub(crate) const STORAGE_VERSION: StorageVersion = StorageVersion::new(9);
/// The 5.1% inflation rate of the third year
const INFLATION_3RD_YEAR: Perquintill = Perquintill::from_parts(51_000_000_000_000_000);
/// Pallet for parachain staking.
#[pallet::pallet]
#[pallet::storage_version(STORAGE_VERSION)]
pub struct Pallet<T>(PhantomData<T>);
#[pallet::composite_enum]
pub enum FreezeReason {
Staking,
}
/// Configuration trait of this pallet.
#[pallet::config]
pub trait Config: frame_system::Config + pallet_balances::Config + pallet_session::Config {
/// Overarching event type
type RuntimeEvent: From<Event<Self>> + IsType<<Self as frame_system::Config>::RuntimeEvent>;
// FIXME: Remove Currency and CurrencyBalance types. Problem: Need to restrict
// pallet_balances::Config::Balance with From<u64> for usage with Perquintill
// multiplication
/// The currency type
/// Note: Declaration of Balance taken from pallet_gilt
type Currency: Balanced<Self::AccountId>
+ MutateFreeze<
Self::AccountId,
Balance = Self::CurrencyBalance,
Id = <Self as pallet::Config>::FreezeIdentifier,
> + Eq;
type FreezeIdentifier: From<FreezeReason>
+ PartialEq
+ Eq
+ Into<<Self as pallet_balances::Config>::FreezeIdentifier>;
/// Just the `Currency::Balance` type; we have this item to allow us to
/// constrain it to `From<u64>`.
/// Note: Definition taken from pallet_gilt
type CurrencyBalance: sp_runtime::traits::AtLeast32BitUnsigned
+ parity_scale_codec::FullCodec
+ Copy
+ MaybeSerializeDeserialize
+ sp_std::fmt::Debug
+ Default
+ From<u64>
+ From<u128>
+ Into<<Self as pallet_balances::Config>::Balance>
+ From<<Self as pallet_balances::Config>::Balance>
+ From<BlockNumberFor<Self>>
+ TypeInfo
+ MaxEncodedLen
+ Send
+ Sync;
/// Minimum number of blocks validation rounds can last.
#[pallet::constant]
type MinBlocksPerRound: Get<BlockNumberFor<Self>>;
/// Default number of blocks validation rounds last, as set in the
/// genesis configuration.
#[pallet::constant]
type DefaultBlocksPerRound: Get<BlockNumberFor<Self>>;
/// Number of blocks for which unstaked balance will still be locked
/// before it can be unlocked by actively calling the extrinsic
/// `unlock_unstaked`.
#[pallet::constant]
type StakeDuration: Get<BlockNumberFor<Self>>;
/// Number of rounds a collator has to stay active after submitting a
/// request to leave the set of collator candidates.
#[pallet::constant]
type ExitQueueDelay: Get<u32>;
/// Minimum number of collators selected from the set of candidates at
/// every validation round.
#[pallet::constant]
type MinCollators: Get<u32>;
/// Minimum number of collators which cannot leave the network if there
/// are no others.
#[pallet::constant]
type MinRequiredCollators: Get<u32>;
/// Maximum number of delegations which can be made within the same
/// round.
///
/// NOTE: To prevent re-delegation-reward attacks, we should keep this
/// to be one.
#[pallet::constant]
type MaxDelegationsPerRound: Get<u32>;
/// Maximum number of delegators a single collator can have.
#[pallet::constant]
type MaxDelegatorsPerCollator: Get<u32> + Debug + PartialEq;
/// Maximum size of the top candidates set.
#[pallet::constant]
type MaxTopCandidates: Get<u32> + Debug + PartialEq;
/// Minimum stake required for any account to be elected as validator
/// for a round.
#[pallet::constant]
type MinCollatorStake: Get<BalanceOf<Self>>;
/// Minimum stake required for any account to be added to the set of
/// candidates.
#[pallet::constant]
type MinCollatorCandidateStake: Get<BalanceOf<Self>>;
/// Minimum stake required for any account to become a delegator.
#[pallet::constant]
type MinDelegatorStake: Get<BalanceOf<Self>>;
/// Max number of concurrent active unstaking requests before
/// unlocking.
///
/// NOTE: To protect against irremovability of a candidate or delegator,
/// we only allow for MaxUnstakeRequests - 1 many manual unstake
/// requests. The last one serves as a placeholder for the cases of
/// calling either `kick_delegator`, force_remove_candidate` or
/// `execute_leave_candidates`. Otherwise, a user could max out their
/// unstake requests and prevent themselves from being kicked from the
/// set of candidates/delegators until they unlock their funds.
#[pallet::constant]
type MaxUnstakeRequests: Get<u32>;
/// The starting block number for the network rewards. Once the current
/// block number exceeds this start, the beneficiary will receive the
/// configured reward in each block.
#[pallet::constant]
type NetworkRewardStart: Get<BlockNumberFor<Self>>;
/// The rate in percent for the network rewards which are based on the
/// maximum number of collators and the maximum amount a collator can
/// stake.
#[pallet::constant]
type NetworkRewardRate: Get<Perquintill>;
/// The beneficiary to receive the network rewards.
type NetworkRewardBeneficiary: OnUnbalanced<CreditOf<Self>>;
/// Weight information for extrinsics in this pallet.
type WeightInfo: WeightInfo;
const BLOCKS_PER_YEAR: BlockNumberFor<Self>;
}
#[pallet::error]
pub enum Error<T> {
/// The account is not part of the delegators set.
DelegatorNotFound,
/// The account is not part of the collator candidates set.
CandidateNotFound,
/// The account is already part of the delegators set.
DelegatorExists,
/// The account is already part of the collator candidates set.
CandidateExists,
/// The account tried to stake more or less with amount zero.
ValStakeZero,
/// The account has not staked enough funds to be added to the collator
/// candidates set.
ValStakeBelowMin,
/// The account has already staked the maximum amount of funds possible.
ValStakeAboveMax,
/// The account has not staked enough funds to delegate a collator
/// candidate.
DelegationBelowMin,
/// The collator candidate has already trigger the process to leave the
/// set of collator candidates.
AlreadyLeaving,
/// The collator candidate wanted to execute the exit but has not
/// requested to leave before by calling `init_leave_candidates`.
NotLeaving,
/// The collator tried to leave before waiting at least for
/// `ExitQueueDelay` many rounds.
CannotLeaveYet,
/// The account has a full list of unstaking requests and needs to
/// unlock at least one of these before being able to join (again).
/// NOTE: Can only happen if the account was a candidate or
/// delegator before and either got kicked or exited voluntarily.
CannotJoinBeforeUnlocking,
/// The account is already delegating the collator candidate.
AlreadyDelegating,
/// The account has not delegated any collator candidate yet, hence it
/// is not in the set of delegators.
NotYetDelegating,
/// The delegator has exceeded the number of delegations per round which
/// is equal to MaxDelegatorsPerCollator.
///
/// This protects against attacks in which a delegator can re-delegate
/// from a collator who has already authored a block, to another one
/// which has not in this round.
DelegationsPerRoundExceeded,
/// The collator candidate has already reached the maximum number of
/// delegators.
///
/// This error is generated in case a new delegation request does not
/// stake enough funds to replace some other existing delegation.
TooManyDelegators,
/// The set of collator candidates would fall below the required minimum
/// if the collator left.
TooFewCollatorCandidates,
/// The collator candidate is in the process of leaving the set of
/// candidates and cannot perform any other actions in the meantime.
CannotStakeIfLeaving,
/// The collator candidate is in the process of leaving the set of
/// candidates and thus cannot be delegated to.
CannotDelegateIfLeaving,
/// The delegator has already delegated the maximum number of candidates
/// allowed.
MaxCollatorsPerDelegatorExceeded,
/// The delegator has already previously delegated the collator
/// candidate.
AlreadyDelegatedCollator,
/// The given delegation does not exist in the set of delegations.
DelegationNotFound,
/// The collator delegate or the delegator is trying to un-stake more
/// funds that are currently staked.
Underflow,
/// The number of selected candidates per staking round is
/// above the maximum value allowed.
CannotSetAboveMax,
/// The number of selected candidates per staking round is
/// below the minimum value allowed.
CannotSetBelowMin,
/// An invalid inflation configuration is trying to be set.
InvalidSchedule,
/// The staking reward being unlocked does not exist.
/// Max unlocking requests reached.
NoMoreUnstaking,
/// The reward rate cannot be adjusted yet as an entire year has not
/// passed.
TooEarly,
/// Provided staked value is zero. Should never be thrown.
StakeNotFound,
/// Cannot unlock when Unstaked is empty.
UnstakingIsEmpty,
/// Cannot claim rewards if empty.
RewardsNotFound,
}
#[pallet::event]
#[pallet::generate_deposit(pub(crate) fn deposit_event)]
pub enum Event<T: Config> {
/// A new staking round has started.
/// \[block number, round number\]
NewRound(BlockNumberFor<T>, SessionIndex),
/// A new account has joined the set of top candidates.
/// \[account\]
EnteredTopCandidates(T::AccountId),
/// An account was removed from the set of top candidates.
/// \[account\]
LeftTopCandidates(T::AccountId),
/// A new account has joined the set of collator candidates.
/// \[account, amount staked by the new candidate\]
JoinedCollatorCandidates(T::AccountId, BalanceOf<T>),
/// A collator candidate has increased the amount of funds at stake.
/// \[collator's account, previous stake, new stake\]
CollatorStakedMore(T::AccountId, BalanceOf<T>, BalanceOf<T>),
/// A collator candidate has decreased the amount of funds at stake.
/// \[collator's account, previous stake, new stake\]
CollatorStakedLess(T::AccountId, BalanceOf<T>, BalanceOf<T>),
/// A collator candidate has started the process to leave the set of
/// candidates. \[round number, collator's account, round number when
/// the collator will be effectively removed from the set of
/// candidates\]
CollatorScheduledExit(SessionIndex, T::AccountId, SessionIndex),
/// A collator candidate has canceled the process to leave the set of
/// candidates and was added back to the candidate pool. \[collator's
/// account\]
CollatorCanceledExit(T::AccountId),
/// An account has left the set of collator candidates.
/// \[account, amount of funds un-staked\]
CandidateLeft(T::AccountId, BalanceOf<T>),
/// An account was forcedly removed from the set of collator
/// candidates. \[account, amount of funds un-staked\]
CollatorRemoved(T::AccountId, BalanceOf<T>),
/// The maximum candidate stake has been changed.
/// \[new max amount\]
MaxCandidateStakeChanged(BalanceOf<T>),
/// A delegator has increased the amount of funds at stake for a
/// collator. \[delegator's account, collator's account, previous
/// delegation stake, new delegation stake\]
DelegatorStakedMore(T::AccountId, T::AccountId, BalanceOf<T>, BalanceOf<T>),
/// A delegator has decreased the amount of funds at stake for a
/// collator. \[delegator's account, collator's account, previous
/// delegation stake, new delegation stake\]
DelegatorStakedLess(T::AccountId, T::AccountId, BalanceOf<T>, BalanceOf<T>),
/// An account has left the set of delegators.
/// \[account, amount of funds un-staked\]
DelegatorLeft(T::AccountId, BalanceOf<T>),
/// An account has delegated a new collator candidate.
/// \[account, amount of funds staked, total amount of delegators' funds
/// staked for the collator candidate\]
Delegation(T::AccountId, BalanceOf<T>, T::AccountId, BalanceOf<T>),
/// A new delegation has replaced an existing one in the set of ongoing
/// delegations for a collator candidate. \[new delegator's account,
/// amount of funds staked in the new delegation, replaced delegator's
/// account, amount of funds staked in the replace delegation, collator
/// candidate's account, new total amount of delegators' funds staked
/// for the collator candidate\]
DelegationReplaced(
T::AccountId,
BalanceOf<T>,
T::AccountId,
BalanceOf<T>,
T::AccountId,
BalanceOf<T>,
),
/// An account has stopped delegating a collator candidate.
/// \[account, collator candidate's account, old amount of delegators'
/// funds staked, new amount of delegators' funds staked\]
DelegatorLeftCollator(T::AccountId, T::AccountId, BalanceOf<T>, BalanceOf<T>),
/// A collator or a delegator has received a reward.
/// \[account, amount of reward\]
Rewarded(T::AccountId, BalanceOf<T>),
/// Inflation configuration for future validation rounds has changed.
/// \[maximum collator's staking rate, maximum collator's reward rate,
/// maximum delegator's staking rate, maximum delegator's reward rate\]
RoundInflationSet(Perquintill, Perquintill, Perquintill, Perquintill),
/// The maximum number of collator candidates selected in future
/// validation rounds has changed. \[old value, new value\]
MaxSelectedCandidatesSet(u32, u32),
/// The length in blocks for future validation rounds has changed.
/// \[round number, first block in the current round, old value, new
/// value\]
BlocksPerRoundSet(SessionIndex, BlockNumberFor<T>, BlockNumberFor<T>, BlockNumberFor<T>),
}
#[pallet::hooks]
impl<T: Config> Hooks<BlockNumberFor<T>> for Pallet<T> {
fn on_initialize(now: BlockNumberFor<T>) -> frame_support::weights::Weight {
let mut post_weight = <T as Config>::WeightInfo::on_initialize_no_action();
let mut round = Round::<T>::get();
// check for round update
if round.should_update(now) {
// mutate round
round.update(now);
// start next round
Round::<T>::put(round);
Self::deposit_event(Event::NewRound(round.first, round.current));
post_weight = <T as Config>::WeightInfo::on_initialize_round_update();
}
// check for network reward and mint
// on success, mint each block
if now > T::NetworkRewardStart::get() {
T::NetworkRewardBeneficiary::on_unbalanced(Self::issue_network_reward());
post_weight = post_weight.saturating_add(<T as Config>::WeightInfo::on_initialize_network_rewards());
}
post_weight
}
#[cfg(feature = "try-runtime")]
fn try_state(_n: BlockNumberFor<T>) -> Result<(), sp_runtime::TryRuntimeError> {
crate::try_state::do_try_state::<T>()
}
}
/// The maximum number of collator candidates selected at each round.
#[pallet::storage]
#[pallet::getter(fn max_selected_candidates)]
pub(crate) type MaxSelectedCandidates<T: Config> = StorageValue<_, u32, ValueQuery>;
/// Current round number and next round scheduled transition.
#[pallet::storage]
#[pallet::getter(fn round)]
pub(crate) type Round<T: Config> = StorageValue<_, RoundInfo<BlockNumberFor<T>>, ValueQuery>;
/// Delegation information for the latest session in which a delegator
/// delegated.
///
/// It maps from an account to the number of delegations in the last
/// session in which they (re-)delegated.
#[pallet::storage]
#[pallet::getter(fn last_delegation)]
pub(crate) type LastDelegation<T: Config> =
StorageMap<_, Twox64Concat, T::AccountId, DelegationCounter, ValueQuery>;
/// Delegation staking information.
///
/// It maps from an account to its delegation details.
#[pallet::storage]
#[pallet::getter(fn delegator_state)]
pub(crate) type DelegatorState<T: Config> =
StorageMap<_, Twox64Concat, T::AccountId, Delegator<T::AccountId, BalanceOf<T>>, OptionQuery>;
/// The staking information for a candidate.
///
/// It maps from an account to its information.
/// Moreover, it counts the number of candidates.
#[pallet::storage]
#[pallet::getter(fn candidate_pool)]
pub(crate) type CandidatePool<T: Config> = CountedStorageMap<
_,
Twox64Concat,
T::AccountId,
Candidate<T::AccountId, BalanceOf<T>, T::MaxDelegatorsPerCollator>,
OptionQuery,
>;
/// Total funds locked to back the currently selected collators.
/// The sum of all collator and their delegator stakes.
///
/// Note: There are more funds locked by this pallet, since the backing for
/// non collating candidates is not included in `TotalCollatorStake`.
#[pallet::storage]
#[pallet::getter(fn total_collator_stake)]
pub(crate) type TotalCollatorStake<T: Config> = StorageValue<_, TotalStake<BalanceOf<T>>, ValueQuery>;
/// The collator candidates with the highest amount of stake.
///
/// Each time the stake of a collator is increased, it is checked whether
/// this pushes another candidate out of the list. When the stake is
/// reduced however, it is not checked if another candidate has more stake,
/// since this would require iterating over the entire `CandidatePool`.
///
/// There must always be more candidates than `MaxSelectedCandidates` so
/// that a collator can drop out of the collator set by reducing their
/// stake.
#[pallet::storage]
#[pallet::getter(fn top_candidates)]
pub(crate) type TopCandidates<T: Config> =
StorageValue<_, OrderedSet<Stake<T::AccountId, BalanceOf<T>>, T::MaxTopCandidates>, ValueQuery>;
/// Inflation configuration.
#[pallet::storage]
#[pallet::getter(fn inflation_config)]
pub(crate) type InflationConfig<T: Config> = StorageValue<_, InflationInfo, ValueQuery>;
/// The funds waiting to be unstaked.
///
/// It maps from accounts to all the funds addressed to them in the future
/// blocks.
#[pallet::storage]
#[pallet::getter(fn unstaking)]
pub(crate) type Unstaking<T: Config> = StorageMap<
_,
Twox64Concat,
T::AccountId,
BoundedBTreeMap<BlockNumberFor<T>, BalanceOf<T>, T::MaxUnstakeRequests>,
ValueQuery,
>;
/// The maximum amount a collator candidate can stake.
#[pallet::storage]
#[pallet::getter(fn max_candidate_stake)]
pub(crate) type MaxCollatorCandidateStake<T: Config> = StorageValue<_, BalanceOf<T>, ValueQuery>;
/// The year in which the last automatic reduction of the reward rates
/// occurred.
///
/// It starts at zero at genesis and increments by one every BLOCKS_PER_YEAR
/// many blocks.
#[pallet::storage]
#[pallet::getter(fn last_reward_reduction)]
pub(crate) type LastRewardReduction<T: Config> = StorageValue<_, BlockNumberFor<T>, ValueQuery>;
/// The number of authored blocks for collators. It is updated via the
/// `note_author` hook when authoring a block .
#[pallet::storage]
#[pallet::getter(fn blocks_authored)]
pub(crate) type BlocksAuthored<T: Config> =
StorageMap<_, Twox64Concat, T::AccountId, BlockNumberFor<T>, ValueQuery>;
/// The number of blocks for which rewards have been claimed by an address.
///
/// For collators, this can be at most BlocksAuthored. It is updated when
/// incrementing collator rewards, either when calling
/// `inc_collator_rewards` or updating the `InflationInfo`.
///
/// For delegators, this can be at most BlocksAuthored of the collator.It is
/// updated when incrementing delegator rewards, either when calling
/// `inc_delegator_rewards` or updating the `InflationInfo`.
#[pallet::storage]
#[pallet::getter(fn blocks_rewarded)]
pub(crate) type BlocksRewarded<T: Config> =
StorageMap<_, Twox64Concat, T::AccountId, BlockNumberFor<T>, ValueQuery>;
/// The accumulated rewards for collator candidates and delegators.
///
/// It maps from accounts to their total rewards since the last payout.
#[pallet::storage]
#[pallet::getter(fn rewards)]
pub(crate) type Rewards<T: Config> = StorageMap<_, Twox64Concat, T::AccountId, BalanceOf<T>, ValueQuery>;
pub type GenesisStaker<T> = Vec<(
<T as frame_system::Config>::AccountId,
Option<<T as frame_system::Config>::AccountId>,
BalanceOf<T>,
)>;
#[pallet::storage]
#[pallet::getter(fn new_round_forced)]
pub(crate) type ForceNewRound<T: Config> = StorageValue<_, bool, ValueQuery>;
#[pallet::genesis_config]
#[derive(frame_support::DefaultNoBound)]
pub struct GenesisConfig<T: Config> {
pub stakers: GenesisStaker<T>,
pub inflation_config: InflationInfo,
pub max_candidate_stake: BalanceOf<T>,
}
#[pallet::genesis_build]
impl<T: Config> BuildGenesisConfig for GenesisConfig<T> {
fn build(&self) {
assert!(
self.inflation_config.is_valid(T::BLOCKS_PER_YEAR.saturated_into()),
"Invalid inflation configuration"
);
InflationConfig::<T>::put(self.inflation_config.clone());
MaxCollatorCandidateStake::<T>::put(self.max_candidate_stake);
// Setup delegate & collators
for &(ref actor, ref opt_val, balance) in &self.stakers {
assert!(
T::Currency::reducible_balance(actor, Preservation::Expendable, Fortitude::Polite) >= balance,
"Account does not have enough balance to stake."
);
if let Some(delegated_val) = opt_val {
frame_support::assert_ok!(Pallet::<T>::join_delegators(
T::RuntimeOrigin::from(Some(actor.clone()).into()),
T::Lookup::unlookup(delegated_val.clone()),
balance,
));
} else {
frame_support::assert_ok!(Pallet::<T>::join_candidates(
T::RuntimeOrigin::from(Some(actor.clone()).into()),
balance
));
}
}
// Set total selected candidates to minimum config
MaxSelectedCandidates::<T>::put(T::MinCollators::get());
Pallet::<T>::update_total_stake();
// Start Round 0 at Block 0
let round: RoundInfo<BlockNumberFor<T>> =
RoundInfo::new(0u32, 0u32.into(), T::DefaultBlocksPerRound::get());
Round::<T>::put(round);
}
}
#[pallet::call]
impl<T: Config> Pallet<T> {
/// Forces the start of the new round in the next block.
///
/// The new round will be enforced via <T as
/// ShouldEndSession<_>>::should_end_session.
///
/// The dispatch origin must be Root.
#[pallet::call_index(0)]
#[pallet::weight(<T as pallet::Config>::WeightInfo::force_new_round())]
pub fn force_new_round(origin: OriginFor<T>) -> DispatchResult {
ensure_root(origin)?;
// set force_new_round handle which, at the start of the next block, will
// trigger `should_end_session` in `Session::on_initialize` and update the
// current round
ForceNewRound::<T>::put(true);
Ok(())
}
/// Set the annual inflation rate to derive per-round inflation.
///
/// The inflation details are considered valid if the annual reward rate
/// is approximately the per-block reward rate multiplied by the
/// estimated* total number of blocks per year.
///
/// The estimated average block time is twelve seconds.
///
/// NOTE: Iterates over CandidatePool and for each candidate over their
/// delegators to update their rewards before the reward rates change.
/// Needs to be improved when scaling up `MaxTopCandidates`.
///
/// The dispatch origin must be Root.
///
/// Emits `RoundInflationSet`.
#[pallet::call_index(1)]
#[pallet::weight(<T as pallet::Config>::WeightInfo::set_inflation(T::MaxTopCandidates::get(), T::MaxDelegatorsPerCollator::get()))]
pub fn set_inflation(
origin: OriginFor<T>,
collator_max_rate_percentage: Perquintill,
collator_annual_reward_rate_percentage: Perquintill,
delegator_max_rate_percentage: Perquintill,
delegator_annual_reward_rate_percentage: Perquintill,
) -> DispatchResultWithPostInfo {
ensure_root(origin)?;
// Update inflation and increment rewards
let (num_col, num_del) = Self::do_set_inflation(
T::BLOCKS_PER_YEAR,
collator_max_rate_percentage,
collator_annual_reward_rate_percentage,
delegator_max_rate_percentage,
delegator_annual_reward_rate_percentage,
)?;
Ok(Some(<T as pallet::Config>::WeightInfo::set_inflation(num_col, num_del)).into())
}
/// Set the maximum number of collator candidates that can be selected
/// at the beginning of each validation round.
///
/// Changes are not applied until the start of the next round.
///
/// The new value must be higher than the minimum allowed as set in the
/// pallet's configuration.
///
/// The dispatch origin must be Root.
///
/// Emits `MaxSelectedCandidatesSet`.
#[pallet::call_index(2)]
#[pallet::weight(<T as pallet::Config>::WeightInfo::set_max_selected_candidates(
*new,
T::MaxDelegatorsPerCollator::get()
))]
pub fn set_max_selected_candidates(origin: OriginFor<T>, new: u32) -> DispatchResultWithPostInfo {
ensure_root(origin)?;
ensure!(new >= T::MinCollators::get(), Error::<T>::CannotSetBelowMin);
ensure!(new <= T::MaxTopCandidates::get(), Error::<T>::CannotSetAboveMax);
let old = MaxSelectedCandidates::<T>::get();
MaxSelectedCandidates::<T>::put(new);
// Update total amount at stake for new top collators and their delegators
let start = old.min(new);
let end = old.max(new);
// The slice [start, end] contains the added or removed collators. We sum up
// their stake to adjust the total stake.
let (diff_collation, diff_delegation, num_delegators) = TopCandidates::<T>::get()
.into_iter()
.skip(start.saturated_into())
// SAFETY: we ensured that end > start further above.
.take((end - start).saturated_into())
.filter_map(|candidate| CandidatePool::<T>::get(&candidate.owner))
.map(|state| {
(
state.stake,
// SAFETY: the total is always more than the stake
state.total - state.stake,
state.delegators.len().saturated_into::<u32>(),
)
})
.reduce(|a, b| (a.0.saturating_add(b.0), a.1.saturating_add(b.1), a.2.max(b.2)))
.unwrap_or((BalanceOf::<T>::zero(), BalanceOf::<T>::zero(), 0u32));
TotalCollatorStake::<T>::mutate(|total| {
if new > old {
total.collators = total.collators.saturating_add(diff_collation);
total.delegators = total.delegators.saturating_add(diff_delegation);
} else {
total.collators = total.collators.saturating_sub(diff_collation);
total.delegators = total.delegators.saturating_sub(diff_delegation);
}
});
Self::deposit_event(Event::MaxSelectedCandidatesSet(old, new));
Ok(Some(<T as pallet::Config>::WeightInfo::set_max_selected_candidates(
// SAFETY: we ensured that end > start further above.
end - start,
num_delegators,
))
.into())
}
/// Set the number of blocks each validation round lasts.
///
/// If the new value is less than the length of the current round, the
/// system will immediately move to the next round in the next block.
///
/// The new value must be higher than the minimum allowed as set in the
/// pallet's configuration.
///
/// The dispatch origin must be Root.
///
/// Emits `BlocksPerRoundSet`.
#[pallet::call_index(3)]
#[pallet::weight(<T as pallet::Config>::WeightInfo::set_blocks_per_round())]
pub fn set_blocks_per_round(origin: OriginFor<T>, new: BlockNumberFor<T>) -> DispatchResult {
ensure_root(origin)?;
ensure!(new >= T::MinBlocksPerRound::get(), Error::<T>::CannotSetBelowMin);
let old_round = Round::<T>::get();
Round::<T>::put(RoundInfo {
length: new,
..old_round
});
Self::deposit_event(Event::BlocksPerRoundSet(
old_round.current,
old_round.first,
old_round.length,
new,
));
Ok(())
}
/// Set the maximal amount a collator can stake. Existing stakes are not
/// changed.
///
/// The dispatch origin must be Root.
///
/// Emits `MaxCandidateStakeChanged`.
#[pallet::call_index(4)]
#[pallet::weight(<T as Config>::WeightInfo::set_max_candidate_stake())]
pub fn set_max_candidate_stake(origin: OriginFor<T>, new: BalanceOf<T>) -> DispatchResult {
ensure_root(origin)?;
ensure!(
new >= T::MinCollatorCandidateStake::get(),
Error::<T>::CannotSetBelowMin
);
MaxCollatorCandidateStake::<T>::put(new);
Self::deposit_event(Event::MaxCandidateStakeChanged(new));
Ok(())
}
/// Forcedly removes a collator candidate from the TopCandidates and
/// clears all associated storage for the candidate and their
/// delegators.
///
/// Prepares unstaking of the candidates and their delegators stake
/// which can be unfreezed via `unlock_unstaked` after waiting at
/// least `StakeDuration` many blocks. Also increments rewards for the
/// collator and their delegators.
///
/// Increments rewards of candidate and their delegators.
///
/// Emits `CandidateRemoved`.
#[pallet::call_index(5)]
#[pallet::weight(<T as Config>::WeightInfo::force_remove_candidate(
T::MaxTopCandidates::get(),
T::MaxDelegatorsPerCollator::get()
))]
pub fn force_remove_candidate(
origin: OriginFor<T>,
collator: <T::Lookup as StaticLookup>::Source,
) -> DispatchResultWithPostInfo {
ensure_root(origin)?;
let collator = T::Lookup::lookup(collator)?;
let state = CandidatePool::<T>::get(&collator).ok_or(Error::<T>::CandidateNotFound)?;
let total_amount = state.total;
let mut candidates = TopCandidates::<T>::get();
ensure!(
candidates.len().saturated_into::<u32>() > T::MinRequiredCollators::get(),
Error::<T>::TooFewCollatorCandidates
);
// remove candidate storage and increment rewards
Self::remove_candidate(&collator, &state)?;
let (num_collators, num_delegators) = if candidates
.remove(&Stake {
owner: collator.clone(),
amount: state.total,
})
.is_some()
{
// update top candidates
TopCandidates::<T>::put(candidates);
// update total amount at stake from scratch
Self::update_total_stake()
} else {
(0u32, 0u32)
};
Self::deposit_event(Event::CollatorRemoved(collator, total_amount));
Ok(Some(<T as Config>::WeightInfo::force_remove_candidate(
num_collators,
num_delegators,
))
.into())
}
/// Join the set of collator candidates.
///
/// In the next blocks, if the collator candidate has enough funds
/// staked to be included in any of the top `MaxSelectedCandidates`
/// positions, it will be included in the set of potential authors that
/// will be selected by the stake-weighted random selection function.
///
/// The staked funds of the new collator candidate are added to the
/// total stake of the system.
///
/// The total amount of funds staked must be within the allowed range as
/// set in the pallet's configuration.
///
/// The dispatch origin must not be already part of the collator
/// candidates nor of the delegators set.
///
/// Emits `JoinedCollatorCandidates`.
#[pallet::call_index(6)]
#[pallet::weight(<T as pallet::Config>::WeightInfo::join_candidates(
T::MaxTopCandidates::get(),
T::MaxDelegatorsPerCollator::get()
))]
pub fn join_candidates(origin: OriginFor<T>, stake: BalanceOf<T>) -> DispatchResultWithPostInfo {
let sender = ensure_signed(origin)?;
if let Some(is_active_candidate) = Self::is_active_candidate(&sender) {
ensure!(is_active_candidate, Error::<T>::AlreadyLeaving);
ensure!(!is_active_candidate, Error::<T>::CandidateExists);
}
ensure!(!Self::is_delegator(&sender), Error::<T>::DelegatorExists);
ensure!(
stake >= T::MinCollatorCandidateStake::get(),
Error::<T>::ValStakeBelowMin
);
ensure!(
stake <= MaxCollatorCandidateStake::<T>::get(),
Error::<T>::ValStakeAboveMax
);
ensure!(
Unstaking::<T>::get(&sender).len().saturated_into::<u32>() < T::MaxUnstakeRequests::get(),
Error::<T>::CannotJoinBeforeUnlocking
);
Self::increase_lock(&sender, stake, BalanceOf::<T>::zero())?;
let candidate = Candidate::new(sender.clone(), stake);
let n = Self::update_top_candidates(
sender.clone(),
BalanceOf::<T>::zero(),
BalanceOf::<T>::zero(),
stake,
BalanceOf::<T>::zero(),
);
CandidatePool::<T>::insert(&sender, candidate);
Self::deposit_event(Event::JoinedCollatorCandidates(sender, stake));
Ok(Some(<T as pallet::Config>::WeightInfo::join_candidates(
n,
T::MaxDelegatorsPerCollator::get(),
))
.into())
}
/// Request to leave the set of collator candidates.
///
/// On success, the account is immediately removed from the candidate
/// pool to prevent selection as a collator in future validation rounds,
/// but unstaking of the funds is executed with a delay of
/// `StakeDuration` blocks.
///
/// The exit request can be reversed by calling
/// `cancel_leave_candidates`.
///
/// This operation affects the pallet's total stake amount. It is
/// updated even though the funds of the candidate who signaled to leave
/// are still locked for `ExitDelay` + `StakeDuration` more blocks.
///
/// NOTE 1: Upon starting a new session_i in `new_session`, the current
/// top candidates are selected to be block authors for session_i+1. Any
/// changes to the top candidates afterwards do not effect the set of
/// authors for session_i+1.
/// Thus, we have to make sure none of these collators can
/// leave before session_i+1 ends by delaying their
/// exit for `ExitDelay` many blocks.
///
/// NOTE 2: We do not increment rewards in this extrinsic as the
/// candidate could still author blocks, and thus be eligible to receive
/// rewards, until the end of the next session.
///
/// Emits `CollatorScheduledExit`.
#[pallet::call_index(7)]
#[pallet::weight(<T as pallet::Config>::WeightInfo::init_leave_candidates(
T::MaxTopCandidates::get(),
T::MaxTopCandidates::get().saturating_mul(T::MaxDelegatorsPerCollator::get())
))]
pub fn init_leave_candidates(origin: OriginFor<T>) -> DispatchResultWithPostInfo {
let collator = ensure_signed(origin)?;
let mut state = CandidatePool::<T>::get(&collator).ok_or(Error::<T>::CandidateNotFound)?;
ensure!(!state.is_leaving(), Error::<T>::AlreadyLeaving);
let mut candidates = TopCandidates::<T>::get();
ensure!(
candidates.len().saturated_into::<u32>() > T::MinRequiredCollators::get(),
Error::<T>::TooFewCollatorCandidates
);
let now = Round::<T>::get().current;
let when = now.saturating_add(T::ExitQueueDelay::get());
state.leave_candidates(when);
let (num_collators, num_delegators) = if candidates
.remove(&Stake {
owner: collator.clone(),
amount: state.total,
})
.is_some()
{
// update top candidates
TopCandidates::<T>::put(candidates);
Self::deposit_event(Event::LeftTopCandidates(collator.clone()));
// update total amount at stake from scratch
Self::update_total_stake()
} else {
(0u32, 0u32)
};
CandidatePool::<T>::insert(&collator, state);
Self::deposit_event(Event::CollatorScheduledExit(now, collator, when));
Ok(Some(<T as pallet::Config>::WeightInfo::init_leave_candidates(
num_collators,
num_delegators,
))
.into())
}
/// Execute the network exit of a candidate who requested to leave at
/// least `ExitQueueDelay` rounds ago. Prepares unstaking of the
/// candidates and their delegators stake which can be unfreezed via
/// `unlock_unstaked` after waiting at least `StakeDuration` many
/// blocks.
///
/// Requires the candidate to previously have called
/// `init_leave_candidates`.
///
/// The exit request can be reversed by calling
/// `cancel_leave_candidates`.
///
/// NOTE: Iterates over CandidatePool for each candidate over their
/// delegators to set rewards. Needs to be improved when scaling up
/// `MaxTopCandidates`.
///
/// Emits `CollatorLeft`.
#[pallet::call_index(8)]
#[pallet::weight(<T as pallet::Config>::WeightInfo::execute_leave_candidates(
T::MaxTopCandidates::get(),
T::MaxDelegatorsPerCollator::get(),
))]
pub fn execute_leave_candidates(
origin: OriginFor<T>,
collator: <T::Lookup as StaticLookup>::Source,
) -> DispatchResultWithPostInfo {
ensure_signed(origin)?;
let collator = T::Lookup::lookup(collator)?;
let state = CandidatePool::<T>::get(&collator).ok_or(Error::<T>::CandidateNotFound)?;
ensure!(state.is_leaving(), Error::<T>::NotLeaving);
ensure!(state.can_exit(Round::<T>::get().current), Error::<T>::CannotLeaveYet);
let num_delegators = state.delegators.len().saturated_into::<u32>();
let total_amount = state.total;
// remove candidate storage and increment rewards
Self::remove_candidate(&collator, &state)?;
Self::deposit_event(Event::CandidateLeft(collator, total_amount));
Ok(Some(<T as pallet::Config>::WeightInfo::execute_leave_candidates(
T::MaxTopCandidates::get(),
num_delegators,
))
.into())
}
/// Revert the previously requested exit of the network of a collator
/// candidate. On success, adds back the candidate to the TopCandidates
/// and updates the collators.
///
/// Requires the candidate to previously have called
/// `init_leave_candidates`.
///
/// Emits `CollatorCanceledExit`.
#[pallet::call_index(9)]
#[pallet::weight(<T as pallet::Config>::WeightInfo::cancel_leave_candidates(
T::MaxTopCandidates::get(),
T::MaxDelegatorsPerCollator::get(),
))]
pub fn cancel_leave_candidates(origin: OriginFor<T>) -> DispatchResultWithPostInfo {
let candidate = ensure_signed(origin)?;
let mut state = CandidatePool::<T>::get(&candidate).ok_or(Error::<T>::CandidateNotFound)?;
ensure!(state.is_leaving(), Error::<T>::NotLeaving);
// revert leaving state
state.revert_leaving();
let n = Self::update_top_candidates(
candidate.clone(),
state.stake,
// safe because total >= stake
state.total - state.stake,
state.stake,
state.total - state.stake,
);
// update candidates for next round
CandidatePool::<T>::insert(&candidate, state);
Self::deposit_event(Event::CollatorCanceledExit(candidate));
Ok(Some(<T as pallet::Config>::WeightInfo::cancel_leave_candidates(
n,
T::MaxDelegatorsPerCollator::get(),
))
.into())
}
/// Stake more funds for a collator candidate.
///
/// If not in the set of candidates, staking enough funds allows the
/// account to be added to it. The larger amount of funds, the higher
/// chances to be selected as the author of the next block.
///
/// This operation affects the pallet's total stake amount.
///
/// The resulting total amount of funds staked must be within the
/// allowed range as set in the pallet's configuration.
///
/// Emits `CollatorStakedMore`.
#[pallet::call_index(10)]
#[pallet::weight(<T as pallet::Config>::WeightInfo::candidate_stake_more(
T::MaxTopCandidates::get(),
T::MaxDelegatorsPerCollator::get(),
T::MaxUnstakeRequests::get().saturated_into::<u32>()
))]
pub fn candidate_stake_more(origin: OriginFor<T>, more: BalanceOf<T>) -> DispatchResultWithPostInfo {
let collator = ensure_signed(origin)?;
ensure!(!more.is_zero(), Error::<T>::ValStakeZero);
let mut state = CandidatePool::<T>::get(&collator).ok_or(Error::<T>::CandidateNotFound)?;
ensure!(!state.is_leaving(), Error::<T>::CannotStakeIfLeaving);
let CandidateOf::<T, _> {
stake: before_stake,
total: before_total,
..
} = state;
state.stake_more(more);
let after_stake = state.stake;
ensure!(
state.stake <= MaxCollatorCandidateStake::<T>::get(),
Error::<T>::ValStakeAboveMax
);
let unstaking_len = Self::increase_lock(&collator, state.stake, more)?;
let n = if state.is_active() {
Self::update_top_candidates(
collator.clone(),
before_stake,
// safe because total >= stake
before_total - before_stake,
state.stake,
state.total - state.stake,
)
} else {
0u32
};
CandidatePool::<T>::insert(&collator, state);
// increment rewards for collator and update number of rewarded blocks
Self::do_inc_collator_reward(&collator, before_stake);
Self::deposit_event(Event::CollatorStakedMore(collator, before_stake, after_stake));
Ok(Some(<T as pallet::Config>::WeightInfo::candidate_stake_more(
n,
T::MaxDelegatorsPerCollator::get(),
unstaking_len,
))
.into())
}
/// Stake less funds for a collator candidate.
///
/// If the new amount of staked fund is not large enough, the account
/// could be removed from the set of collator candidates and not be
/// considered for authoring the next blocks.
///
/// This operation affects the pallet's total stake amount.
///
/// The unstaked funds are not released immediately to the account, but
/// they will be available after `StakeDuration` blocks.
///
/// The resulting total amount of funds staked must be within the
/// allowed range as set in the pallet's configuration.
///
/// Emits `CollatorStakedLess`.
#[pallet::call_index(11)]
#[pallet::weight(<T as pallet::Config>::WeightInfo::candidate_stake_less(
T::MaxTopCandidates::get(),
T::MaxDelegatorsPerCollator::get()
))]
pub fn candidate_stake_less(origin: OriginFor<T>, less: BalanceOf<T>) -> DispatchResultWithPostInfo {
let collator = ensure_signed(origin)?;
ensure!(!less.is_zero(), Error::<T>::ValStakeZero);
let mut state = CandidatePool::<T>::get(&collator).ok_or(Error::<T>::CandidateNotFound)?;
ensure!(!state.is_leaving(), Error::<T>::CannotStakeIfLeaving);
let CandidateOf::<T, _> {
stake: before_stake,
total: before_total,
..
} = state;
let after = state.stake_less(less).ok_or(Error::<T>::Underflow)?;
ensure!(
after >= T::MinCollatorCandidateStake::get(),
Error::<T>::ValStakeBelowMin
);
// we don't unlock immediately
Self::prep_unstake(&collator, less, false)?;
let n = if state.is_active() {
Self::update_top_candidates(
collator.clone(),
before_stake,
// safe because total >= stake
before_total - before_stake,
state.stake,
state.total - state.stake,
)
} else {
0u32
};
CandidatePool::<T>::insert(&collator, state);
// increment rewards and update number of rewarded blocks
Self::do_inc_collator_reward(&collator, before_stake);
Self::deposit_event(Event::CollatorStakedLess(collator, before_stake, after));
Ok(Some(<T as pallet::Config>::WeightInfo::candidate_stake_less(
n,
T::MaxDelegatorsPerCollator::get(),
))
.into())
}
/// Join the set of delegators by delegating to a collator candidate.
///
/// The account that wants to delegate cannot be part of the collator
/// candidates set as well.
///
/// The caller must _not_ have a delegation. If that is the case, they
/// are required to first remove the delegation.
///
/// The amount staked must be larger than the minimum required to become
/// a delegator as set in the pallet's configuration.
///
/// As only `MaxDelegatorsPerCollator` are allowed to delegate a given
/// collator, the amount staked must be larger than the lowest one in
/// the current set of delegator for the operation to be meaningful.
///
/// The collator's total stake as well as the pallet's total stake are
/// increased accordingly.
///
/// Emits `Delegation`.
/// Emits `DelegationReplaced` if the candidate has
/// `MaxDelegatorsPerCollator` many delegations but this delegator
/// staked more than one of the other delegators of this candidate.
#[pallet::call_index(12)]
#[pallet::weight(<T as pallet::Config>::WeightInfo::join_delegators(
T::MaxTopCandidates::get(),
T::MaxDelegatorsPerCollator::get()
))]
pub fn join_delegators(
origin: OriginFor<T>,
collator: <T::Lookup as StaticLookup>::Source,
amount: BalanceOf<T>,
) -> DispatchResultWithPostInfo {
let acc = ensure_signed(origin)?;
let collator = T::Lookup::lookup(collator)?;
// check balance
ensure!(
pallet_balances::Pallet::<T>::balance(&acc) >= amount.into(),
pallet_balances::Error::<T>::InsufficientBalance
);
// first delegation
ensure!(DelegatorState::<T>::get(&acc).is_none(), Error::<T>::AlreadyDelegating);
ensure!(amount >= T::MinDelegatorStake::get(), Error::<T>::DelegationBelowMin);
// cannot be a collator candidate and delegator with same AccountId
ensure!(Self::is_active_candidate(&acc).is_none(), Error::<T>::CandidateExists);
ensure!(
Unstaking::<T>::get(&acc).len().saturated_into::<u32>() < T::MaxUnstakeRequests::get(),
Error::<T>::CannotJoinBeforeUnlocking
);
// cannot delegate if number of delegations in this round exceeds
// MaxDelegationsPerRound
let delegation_counter = Self::get_delegation_counter(&acc)?;
// prepare update of collator state
let mut state = CandidatePool::<T>::get(&collator).ok_or(Error::<T>::CandidateNotFound)?;
let num_delegations_pre_insertion: u32 = state.delegators.len().saturated_into();
ensure!(!state.is_leaving(), Error::<T>::CannotDelegateIfLeaving);
let delegation = Stake {
owner: acc.clone(),
amount,
};
// attempt to insert delegator and check for uniqueness
// NOTE: excess is handled below because we support replacing a delegator with
// fewer stake
let insert_delegator = state
.delegators
// we handle TooManyDelegators error below in do_update_delegator
.try_insert(delegation.clone())
.unwrap_or(true);
// should never fail but let's be safe
ensure!(insert_delegator, Error::<T>::DelegatorExists);
let delegator_state = Delegator {
amount,
owner: collator.clone(),
};
let CandidateOf::<T, _> {
stake: old_stake,
total: old_total,
..
} = state;
// update state and potentially prepare kicking a delegator with less staked
// amount (includes setting rewards for kicked delegator)
let state = if num_delegations_pre_insertion == T::MaxDelegatorsPerCollator::get() {
Self::do_update_delegator(delegation, state)?
} else {
state.total = state.total.saturating_add(amount);
state
};
let new_total = state.total;
// lock stake
Self::increase_lock(&acc, amount, BalanceOf::<T>::zero())?;
// update top candidates and total amount at stake
let n = if state.is_active() {
Self::update_top_candidates(
collator.clone(),
old_stake,
// safe because total >= stake
old_total - old_stake,
state.stake,
state.total - state.stake,
)
} else {
0u32
};
// update states
CandidatePool::<T>::insert(&collator, state);
DelegatorState::<T>::insert(&acc, delegator_state);
LastDelegation::<T>::insert(&acc, delegation_counter);
// initiate rewarded counter to match the current authored counter of the
// candidate
BlocksRewarded::<T>::insert(&acc, BlocksAuthored::<T>::get(&collator));
Self::deposit_event(Event::Delegation(acc, amount, collator, new_total));
Ok(Some(<T as pallet::Config>::WeightInfo::join_delegators(
n,
T::MaxDelegatorsPerCollator::get(),
))
.into())
}
/// Leave the set of delegators and, by implication, revoke the ongoing
/// delegation.
///
/// All staked funds are not unlocked immediately, but they are added to
/// the queue of pending unstaking, and will effectively be released
/// after `StakeDuration` blocks from the moment the delegator leaves.
///
/// This operation reduces the total stake of the pallet as well as the
/// stakes of all collators that were delegated, potentially affecting
/// their chances to be included in the set of candidates in the next
/// rounds.
///
/// Automatically increments the accumulated rewards of the origin of
/// the current delegation.
///
/// Emits `DelegatorLeft`.
#[pallet::call_index(13)]
#[pallet::weight(<T as pallet::Config>::WeightInfo::leave_delegators(
T::MaxTopCandidates::get(),
T::MaxDelegatorsPerCollator::get()
))]
pub fn leave_delegators(origin: OriginFor<T>) -> DispatchResultWithPostInfo {
let acc = ensure_signed(origin)?;
let delegator = DelegatorState::<T>::get(&acc).ok_or(Error::<T>::DelegatorNotFound)?;
let collator = delegator.owner;
Self::delegator_leaves_collator(acc.clone(), collator)?;
DelegatorState::<T>::remove(&acc);
Self::deposit_event(Event::DelegatorLeft(acc, delegator.amount));
Ok(Some(<T as pallet::Config>::WeightInfo::leave_delegators(
1,
T::MaxDelegatorsPerCollator::get(),
))
.into())
}
/// Increase the stake for delegating a collator candidate.
///
/// If not in the set of candidates, staking enough funds allows the
/// collator candidate to be added to it.
///
/// Emits `DelegatorStakedMore`.
#[pallet::call_index(14)]
#[pallet::weight(<T as pallet::Config>::WeightInfo::delegator_stake_more(
T::MaxTopCandidates::get(),
T::MaxDelegatorsPerCollator::get(),
T::MaxUnstakeRequests::get().saturated_into::<u32>())
)]
pub fn delegator_stake_more(origin: OriginFor<T>, more: BalanceOf<T>) -> DispatchResultWithPostInfo {
let delegator = ensure_signed(origin)?;
ensure!(!more.is_zero(), Error::<T>::ValStakeZero);
let mut delegation = DelegatorState::<T>::get(&delegator).ok_or(Error::<T>::DelegatorNotFound)?;
let candidate = delegation.owner.clone();
let mut collator = CandidatePool::<T>::get(&candidate).ok_or(Error::<T>::CandidateNotFound)?;
ensure!(!collator.is_leaving(), Error::<T>::CannotDelegateIfLeaving);
let stake_after = delegation
.try_increment(candidate.clone(), more)
.map_err(|_| Error::<T>::DelegationNotFound)?;
// update lock
let unstaking_len = Self::increase_lock(&delegator, stake_after, more)?;
let CandidateOf::<T, _> {
stake: before_stake,
total: before_total,
..
} = collator;
collator.inc_delegator(delegator.clone(), more);
let after = collator.total;
// update top candidates and total amount at stake
let n = if collator.is_active() {
Self::update_top_candidates(
candidate.clone(),
before_stake,
// safe because total >= stake
before_total - before_stake,
collator.stake,
collator.total - collator.stake,
)
} else {
0u32
};
// increment rewards and update number of rewarded blocks
Self::do_inc_delegator_reward(&delegator, stake_after.saturating_sub(more), &candidate);
CandidatePool::<T>::insert(&candidate, collator);
DelegatorState::<T>::insert(&delegator, delegation);
Self::deposit_event(Event::DelegatorStakedMore(delegator, candidate, before_total, after));
Ok(Some(<T as pallet::Config>::WeightInfo::delegator_stake_more(
n,
T::MaxDelegatorsPerCollator::get(),
unstaking_len,
))
.into())
}
/// Reduce the stake for delegating a collator candidate.
///
/// If the new amount of staked fund is not large enough, the collator
/// could be removed from the set of collator candidates and not be
/// considered for authoring the next blocks.
///
/// The unstaked funds are not release immediately to the account, but
/// they will be available after `StakeDuration` blocks.
///
/// The remaining staked funds must still be larger than the minimum
/// required by this pallet to maintain the status of delegator.
///
/// The resulting total amount of funds staked must be within the
/// allowed range as set in the pallet's configuration.
///
/// Emits `DelegatorStakedLess`.
#[pallet::call_index(15)]
#[pallet::weight(<T as pallet::Config>::WeightInfo::delegator_stake_less(
T::MaxTopCandidates::get(),
T::MaxDelegatorsPerCollator::get()
))]
pub fn delegator_stake_less(origin: OriginFor<T>, less: BalanceOf<T>) -> DispatchResultWithPostInfo {
let delegator = ensure_signed(origin)?;
ensure!(!less.is_zero(), Error::<T>::ValStakeZero);
let mut delegation = DelegatorState::<T>::get(&delegator).ok_or(Error::<T>::DelegatorNotFound)?;
let candidate = delegation.owner.clone();
let mut collator = CandidatePool::<T>::get(&candidate).ok_or(Error::<T>::CandidateNotFound)?;
ensure!(!collator.is_leaving(), Error::<T>::CannotDelegateIfLeaving);
let stake_after = delegation
.try_decrement(candidate.clone(), less)
.map_err(|_| Error::<T>::DelegationNotFound)?
.ok_or(Error::<T>::Underflow)?;
ensure!(
stake_after >= T::MinDelegatorStake::get(),
Error::<T>::DelegationBelowMin
);
Self::prep_unstake(&delegator, less, false)?;
let CandidateOf::<T, _> {
stake: before_stake,
total: before_total,
..
} = collator;
collator.dec_delegator(delegator.clone(), less);
let after = collator.total;
// update top candidates and total amount at stake
let n = if collator.is_active() {
Self::update_top_candidates(
candidate.clone(),
before_stake,
// safe because total >= stake
before_total - before_stake,
collator.stake,
collator.total - collator.stake,
)
} else {
0u32
};
// increment rewards and update number of rewarded blocks
Self::do_inc_delegator_reward(&delegator, stake_after.saturating_add(less), &candidate);
CandidatePool::<T>::insert(&candidate, collator);
DelegatorState::<T>::insert(&delegator, delegation);
Self::deposit_event(Event::DelegatorStakedLess(delegator, candidate, before_total, after));
Ok(Some(<T as pallet::Config>::WeightInfo::delegator_stake_less(
n,
T::MaxDelegatorsPerCollator::get(),
))
.into())
}
/// Unlock all previously staked funds that are now available for
/// unlocking by the origin account after `StakeDuration` blocks have
/// elapsed.
#[pallet::call_index(16)]
#[pallet::weight(<T as pallet::Config>::WeightInfo::unlock_unstaked(
T::MaxUnstakeRequests::get().saturated_into::<u32>()
))]
pub fn unlock_unstaked(
origin: OriginFor<T>,
target: <T::Lookup as StaticLookup>::Source,
) -> DispatchResultWithPostInfo {
ensure_signed(origin)?;
let target = T::Lookup::lookup(target)?;
let unstaking_len = Self::do_unlock(&target)?;
Ok(Some(<T as pallet::Config>::WeightInfo::unlock_unstaked(unstaking_len)).into())
}
/// Claim block authoring rewards for the target address.
///
/// Requires `Rewards` to be set beforehand, which can by triggered by
/// any of the following options
/// * Calling increment_{collator, delegator}_rewards (active)
/// * Altering your stake (active)
/// * Leaving the network as a collator (active)
/// * Revoking a delegation as a delegator (active)
/// * Being a delegator whose collator left the network, altered their
/// stake or incremented rewards (passive)
///
/// The dispatch origin can be any signed one, e.g., anyone can claim
/// for anyone.
///
/// Emits `Rewarded`.
#[pallet::call_index(17)]
#[pallet::weight(<T as Config>::WeightInfo::claim_rewards())]
pub fn claim_rewards(origin: OriginFor<T>) -> DispatchResult {
let target = ensure_signed(origin)?;
// reset rewards
let rewards = Rewards::<T>::take(&target);
ensure!(!rewards.is_zero(), Error::<T>::RewardsNotFound);
// mint into target
let rewards =
<T::Currency as Unbalanced<AccountIdOf<T>>>::increase_balance(&target, rewards, Precision::Exact)?;
Self::deposit_event(Event::Rewarded(target, rewards));
Ok(())
}
/// Actively increment the rewards of a collator.
///
/// The same effect is triggered by changing the stake or leaving the
/// network.
///
/// The dispatch origin must be a collator.
#[pallet::call_index(18)]
#[pallet::weight(<T as Config>::WeightInfo::increment_collator_rewards())]
pub fn increment_collator_rewards(origin: OriginFor<T>) -> DispatchResult {
let collator = ensure_signed(origin)?;
let state = CandidatePool::<T>::get(&collator).ok_or(Error::<T>::CandidateNotFound)?;
// increment rewards and update number of rewarded blocks
Self::do_inc_collator_reward(&collator, state.stake);
Ok(())
}
/// Actively increment the rewards of a delegator.
///
/// The same effect is triggered by changing the stake or revoking
/// delegations.
///
/// The dispatch origin must be a delegator.
#[pallet::call_index(19)]
#[pallet::weight(<T as Config>::WeightInfo::increment_delegator_rewards())]
pub fn increment_delegator_rewards(origin: OriginFor<T>) -> DispatchResult {
let delegator = ensure_signed(origin)?;
let delegation = DelegatorState::<T>::get(&delegator).ok_or(Error::<T>::DelegatorNotFound)?;
let collator = delegation.owner;
// increment rewards and update number of rewarded blocks
Self::do_inc_delegator_reward(&delegator, delegation.amount, &collator);
Ok(())
}
/// Executes the annual reduction of the reward rates for collators and
/// delegators.
///
/// Moreover, sets rewards for all collators and delegators
/// before adjusting the inflation.
///
/// The dispatch origin can be any signed one because we bail if called
/// too early.
///
/// Emits `RoundInflationSet`.
#[pallet::call_index(20)]
#[pallet::weight(<T as Config>::WeightInfo::execute_scheduled_reward_change(T::MaxTopCandidates::get(), T::MaxDelegatorsPerCollator::get()))]
pub fn execute_scheduled_reward_change(origin: OriginFor<T>) -> DispatchResultWithPostInfo {
ensure_signed(origin)?;
let now = frame_system::Pallet::<T>::block_number();
let year = now / T::BLOCKS_PER_YEAR;
// We can already mutate thanks to extrinsics being transactional
let last_update = LastRewardReduction::<T>::mutate(|last_year| {
let old = *last_year;
*last_year = old.saturating_add(BlockNumberFor::<T>::one());
old
});
// Bail if less than a year (in terms of number of blocks) has passed since the
// last update
ensure!(year > last_update, Error::<T>::TooEarly);
// Calculate new inflation based on last year
let inflation = InflationConfig::<T>::get();
// collator reward rate decreases by 2% p.a. of the previous one
let c_reward_rate = inflation.collator.reward_rate.annual * Perquintill::from_percent(98);
// delegator reward rate should be 6% in 2nd year, 5.1% in 3rd year and 0
// afterwards
let d_reward_rate = if year == BlockNumberFor::<T>::one() {
Perquintill::from_percent(6)
} else if year == 2u32.saturated_into() {
INFLATION_3RD_YEAR
} else {
Perquintill::zero()
};
// Update inflation and increment rewards
let (num_col, num_del) = Self::do_set_inflation(
T::BLOCKS_PER_YEAR,
inflation.collator.max_rate,
c_reward_rate,
inflation.delegator.max_rate,
d_reward_rate,
)?;
Ok(Some(<T as pallet::Config>::WeightInfo::set_inflation(num_col, num_del)).into())
}
}
impl<T: Config> Pallet<T> {
/// Check whether an account is currently delegating.
pub fn is_delegator(acc: &T::AccountId) -> bool {
DelegatorState::<T>::get(acc).is_some()
}
/// Check whether an account is currently a collator candidate and
/// whether their state is CollatorStatus::Active.
///
/// Returns Some(is_active) if the account is a candidate, else None.
pub fn is_active_candidate(acc: &T::AccountId) -> Option<bool> {
if let Some(state) = CandidatePool::<T>::get(acc) {
Some(state.status == CandidateStatus::Active)
} else {
None
}
}
/// Set the annual inflation rate to derive per-round inflation.
///
/// The inflation details are considered valid if the annual reward rate
/// is approximately the per-block reward rate multiplied by the
/// estimated* total number of blocks per year.
///
/// The estimated average block time is twelve seconds.
///
/// NOTE: Iterates over CandidatePool and for each candidate over their
/// delegators to update their rewards before the reward rates change.
/// Needs to be improved when scaling up `MaxTopCandidates`.
///
/// Emits `RoundInflationSet`.
fn do_set_inflation(
blocks_per_year: BlockNumberFor<T>,
col_max_rate: Perquintill,
col_reward_rate: Perquintill,
del_max_rate: Perquintill,
del_reward_rate: Perquintill,
) -> Result<(u32, u32), DispatchError> {
// Check validity of new inflation
let inflation = InflationInfo::new(
blocks_per_year.saturated_into(),
col_max_rate,
col_reward_rate,
del_max_rate,
del_reward_rate,
);
ensure!(
inflation.is_valid(T::BLOCKS_PER_YEAR.saturated_into()),
Error::<T>::InvalidSchedule
);
// Increment rewards for all collators and delegators due to change of reward
// rates
let mut num_delegators = 0u32;
CandidatePool::<T>::iter().for_each(|(id, state)| {
// increment collator rewards
Self::do_inc_collator_reward(&id, state.stake);
// increment delegator rewards
state.delegators.into_iter().for_each(|delegator_state| {
Self::do_inc_delegator_reward(&delegator_state.owner, delegator_state.amount, &id);
num_delegators = num_delegators.saturating_add(1u32);
});
});
// Update inflation
InflationConfig::<T>::put(inflation);
Self::deposit_event(Event::RoundInflationSet(
col_max_rate,
col_reward_rate,
del_max_rate,
del_reward_rate,
));
Ok((CandidatePool::<T>::count(), num_delegators))
}
/// Update the top candidates and total amount at stake after mutating
/// an active candidate's stake.
///
/// NOTE: It is assumed that the calling context checks whether the
/// collator candidate is currently active before calling this function.
fn update_top_candidates(
candidate: T::AccountId,
old_self: BalanceOf<T>,
old_delegators: BalanceOf<T>,
new_self: BalanceOf<T>,
new_delegators: BalanceOf<T>,
) -> u32 {
let mut top_candidates = TopCandidates::<T>::get();
let num_top_candidates: u32 = top_candidates.len().saturated_into();
let old_stake = Stake {
owner: candidate.clone(),
amount: old_self.saturating_add(old_delegators),
};
let new_stake = Stake {
owner: candidate.clone(),
amount: new_self.saturating_add(new_delegators),
};
// update TopCandidates set
let maybe_top_candidate_update = if let Ok(i) = top_candidates.linear_search(&old_stake) {
// case 1: candidate is member of TopCandidates with old stake
top_candidates.mutate(|vec| {
if let Some(stake) = vec.get_mut(i) {
stake.amount = new_stake.amount;
}
});
Some((Some(i), top_candidates))
} else if top_candidates.try_insert_replace(new_stake.clone()).is_ok() {
// case 2: candidate ascends into TopCandidates with new stake
// and might replace another candidate if TopCandidates is full
Self::deposit_event(Event::EnteredTopCandidates(candidate));
Some((None, top_candidates))
} else {
// case 3: candidate neither was nor will be member of TopCandidates
None
};
// update storage for TotalCollatorStake and TopCandidates
if let Some((maybe_old_idx, top_candidates)) = maybe_top_candidate_update {
let max_selected_candidates = MaxSelectedCandidates::<T>::get().saturated_into::<usize>();
let was_collating = maybe_old_idx.map(|i| i < max_selected_candidates).unwrap_or(false);
let is_collating = top_candidates
.linear_search(&new_stake)
.map(|i| i < max_selected_candidates)
.unwrap_or(false);
// update TopCollatorStake storage iff candidate was or will be a collator
match (was_collating, is_collating) {
(true, true) => {
Self::update_total_stake_by(new_self, new_delegators, old_self, old_delegators);
}
(true, false) => {
// candidate left the collator set because they staked less and have been
// replaced by the next candidate in the queue at position
// min(max_selected_candidates, top_candidates) - 1 in TopCandidates
let new_col_idx = max_selected_candidates.min(top_candidates.len()).saturating_sub(1);
// get displacer
let (add_collators, add_delegators) =
Self::get_top_candidate_stake_at(&top_candidates, new_col_idx)
// shouldn't be possible to fail, but we handle it gracefully
.unwrap_or((new_self, new_delegators));
Self::update_total_stake_by(add_collators, add_delegators, old_self, old_delegators);
}
(false, true) => {
// candidate pushed out the least staked collator which is now at position
let (drop_self, drop_delegators) = match max_selected_candidates.cmp(&top_candidates.len()) {
// top candidates are not full
Ordering::Greater => (BalanceOf::<T>::zero(), BalanceOf::<T>::zero()),
// top candidates are full. the collator with the lowest stake is at index old_col_idx
_ => {
// we can unwrap here without problems, since we compared
// [max_selected_candidates] with [top_candidates] length, but lets be
// safe.
Self::get_top_candidate_stake_at(&top_candidates, max_selected_candidates)
.unwrap_or((BalanceOf::<T>::zero(), BalanceOf::<T>::zero()))
}
};
// get amount to subtract from TotalCollatorStake
Self::update_total_stake_by(new_self, new_delegators, drop_self, drop_delegators);
}
_ => {}
}
// update TopCandidates storage
TopCandidates::<T>::put(top_candidates);
}
num_top_candidates
}
/// Retrieve the staked amounts (self, sum of delegators) of member of
/// [TopCandidates] at the given index, if it exists.
fn get_top_candidate_stake_at(
top_candidates: &OrderedSet<StakeOf<T>, T::MaxTopCandidates>,
index: usize,
) -> Option<(BalanceOf<T>, BalanceOf<T>)> {
top_candidates
.get(index)
.and_then(|stake| CandidatePool::<T>::get(&stake.owner))
// SAFETY: the total is always more than the stake
.map(|state| (state.stake, state.total - state.stake))
}
/// Mutate the [TotalCollatorStake] by both incrementing and decreasing
/// it by the provided values.
fn update_total_stake_by(
add_collators: BalanceOf<T>,
add_delegators: BalanceOf<T>,
sub_collators: BalanceOf<T>,
sub_delegators: BalanceOf<T>,
) {
TotalCollatorStake::<T>::mutate(|total| {
total.collators = total
.collators
.saturating_sub(sub_collators)
.saturating_add(add_collators);
total.delegators = total
.delegators
.saturating_sub(sub_delegators)
.saturating_add(add_delegators);
});
}
/// Iterate over the top `MaxSelectedCandidates` many collators in terms
/// of cumulated stake (self + from delegators) from the [TopCandidates]
/// and recalculate the [TotalCollatorStake] from scratch.
///
/// NOTE: Should only be called in rare circumstances in which we cannot
/// guarantee a single candidate's stake has changed, e.g. on genesis or
/// when a collator leaves. Otherwise, please use
/// [update_total_stake_by].
fn update_total_stake() -> (u32, u32) {
let mut num_of_delegators = 0u32;
let mut collator_stake = BalanceOf::<T>::zero();
let mut delegator_stake = BalanceOf::<T>::zero();
let collators = Self::selected_candidates();
// Snapshot exposure for round for weighting reward distribution
for account in collators.iter() {
let state =
CandidatePool::<T>::get(account).expect("all members of TopCandidates must be candidates q.e.d");
num_of_delegators = num_of_delegators.max(state.delegators.len().saturated_into::<u32>());
// sum up total stake and amount of collators, delegators
let amount_collator = state.stake;
collator_stake = collator_stake.saturating_add(state.stake);
// safe to subtract because total >= stake
let amount_delegators = state.total - amount_collator;
delegator_stake = delegator_stake.saturating_add(amount_delegators);
}
TotalCollatorStake::<T>::mutate(|total| {
total.collators = collator_stake;
total.delegators = delegator_stake;
});
// return number of selected candidates and the corresponding number of their
// delegators for post-weight correction
(collators.len().saturated_into(), num_of_delegators)
}
/// Update the collator's state by removing the delegator's stake and
/// starting the process to unlock the delegator's staked funds as well
/// as incrementing their accumulated rewards.
///
/// This operation affects the pallet's total stake.
fn delegator_leaves_collator(delegator: T::AccountId, collator: T::AccountId) -> DispatchResult {
let mut state = CandidatePool::<T>::get(&collator).ok_or(Error::<T>::CandidateNotFound)?;
let delegator_stake = state
.delegators
.remove(&Stake {
owner: delegator.clone(),
// amount is irrelevant for removal
amount: BalanceOf::<T>::one(),
})
.map(|nom| nom.amount)
.ok_or(Error::<T>::DelegatorNotFound)?;
let CandidateOf::<T, _> {
stake: old_stake,
total: old_total,
..
} = state;
state.total = state.total.saturating_sub(delegator_stake);
let new_total = state.total;
// increment rewards and kill storage for number of rewarded blocks
Self::do_inc_delegator_reward(&delegator, delegator_stake, &collator);
BlocksRewarded::<T>::remove(&delegator);
// we don't unlock immediately
Self::prep_unstake(&delegator, delegator_stake, false)?;
// update top candidates and total amount at stake
if state.is_active() {
Self::update_top_candidates(
collator.clone(),
old_stake,
// safe because total >= stake
old_total - old_stake,
state.stake,
state.total - state.stake,
);
}
CandidatePool::<T>::insert(&collator, state);
Self::deposit_event(Event::DelegatorLeftCollator(
delegator,
collator,
delegator_stake,
new_total,
));
Ok(())
}
/// Return the best `MaxSelectedCandidates` many candidates.
///
/// In case a collator from last round was replaced by a candidate with
/// the same total stake during sorting, we revert this swap to
/// prioritize collators over candidates.
pub fn selected_candidates() -> BoundedVec<T::AccountId, T::MaxTopCandidates> {
let candidates = TopCandidates::<T>::get();
// Should never fail since WASM usize are 32bits and native are either 32 or 64
let top_n = MaxSelectedCandidates::<T>::get().saturated_into::<usize>();
log::trace!("{} Candidates for {} Collator seats", candidates.len(), top_n);
// Choose the top MaxSelectedCandidates qualified candidates
let collators = candidates
.into_iter()
.take(top_n)
.filter(|x| x.amount >= T::MinCollatorStake::get())
.map(|x| x.owner)
.collect::<Vec<T::AccountId>>();
collators.try_into().expect("Did not extend Collators q.e.d.")
}
/// Attempts to add the stake to the set of delegators of a collator
/// which already reached its maximum size by removing an already
/// existing delegator with less staked value. If the given staked
/// amount is at most the minimum staked value of the original delegator
/// set, an error is returned.
///
/// Sets rewards for the removed delegator.
///
/// Returns a tuple which contains the updated candidate state as well
/// as the potentially replaced delegation which will be used later when
/// updating the storage of the replaced delegator.
///
/// Emits `DelegationReplaced` if the stake exceeds one of the current
/// delegations.
#[allow(clippy::type_complexity)]
fn do_update_delegator(
stake: Stake<T::AccountId, BalanceOf<T>>,
mut state: Candidate<T::AccountId, BalanceOf<T>, T::MaxDelegatorsPerCollator>,
) -> Result<CandidateOf<T, T::MaxDelegatorsPerCollator>, DispatchError> {
// attempt to replace the last element of the set
let stake_to_remove = state
.delegators
.try_insert_replace(stake.clone())
.map_err(|err_too_many| {
if err_too_many {
Error::<T>::TooManyDelegators
} else {
// should never occur because we previously check this case, but let's be sure
Error::<T>::AlreadyDelegating
}
})?;
state.total = state.total.saturating_add(stake.amount);
if let Some(stake_to_remove) = stake_to_remove {
// update total stake
state.total = state.total.saturating_sub(stake_to_remove.amount);
// update rewards for kicked delegator
Self::do_inc_delegator_reward(&stake_to_remove.owner, stake_to_remove.amount, &state.id);
// prepare unstaking for kicked delegator
Self::prep_unstake(&stake_to_remove.owner, stake_to_remove.amount, true)?;
// remove Delegator state for kicked delegator
DelegatorState::<T>::remove(&stake_to_remove.owner);
Self::deposit_event(Event::DelegationReplaced(
stake.owner,
stake.amount,
stake_to_remove.owner,
stake_to_remove.amount,
state.id.clone(),
state.total,
));
}
Ok(state)
}
/// Either set or increase the BalanceLock of target account to
/// amount.
///
/// Consumes unstaked balance which can be unlocked in the future up to
/// amount and updates `Unstaking` storage accordingly.
fn increase_lock(who: &T::AccountId, amount: BalanceOf<T>, more: BalanceOf<T>) -> Result<u32, DispatchError> {
ensure!(
pallet_balances::Pallet::<T>::reducible_balance(who, Preservation::Preserve, Fortitude::Polite)
>= more.into(),
pallet_balances::Error::<T>::InsufficientBalance
);
ensure!(
<T::Currency as Inspect<AccountIdOf<T>>>::total_balance(who) >= amount,
pallet_balances::Error::<T>::InsufficientBalance
);
let mut unstaking_len = 0u32;
// update Unstaking by consuming up to {amount | more}
Unstaking::<T>::try_mutate(who, |unstaking| -> DispatchResult {
// reduce {amount | more} by unstaking until either {amount | more} is zero or
// no unstaking is left
// if more is set, we only want to reduce by more to achieve 100 - 40 + 30 = 90
// locked
let mut amt_consuming_unstaking = if more.is_zero() { amount } else { more };
unstaking_len = unstaking.len().saturated_into();
for (block_number, locked_balance) in unstaking.clone() {
if amt_consuming_unstaking.is_zero() {
break;
} else if locked_balance > amt_consuming_unstaking {
// amount is only reducible by locked_balance - amt_consuming_unstaking
let delta = locked_balance.saturating_sub(amt_consuming_unstaking);
// replace old entry with delta
unstaking
.try_insert(block_number, delta)
.map_err(|_| Error::<T>::NoMoreUnstaking)?;
amt_consuming_unstaking = Zero::zero();
} else {
// amount is either still reducible or reached
amt_consuming_unstaking = amt_consuming_unstaking.saturating_sub(locked_balance);
unstaking.remove(&block_number);
}
}
Ok(())
})?;
// Either set a new lock or potentially extend the existing one if amount
// exceeds the currently locked amount
T::Currency::extend_freeze(&FreezeReason::Staking.into(), who, amount)?;
Ok(unstaking_len)
}
/// Set the unlocking block for the account and corresponding amount
/// which can be unfreezed via `unlock_unstaked` after waiting at
/// least for `StakeDuration` many blocks.
///
/// Throws if the amount is zero (unlikely) or if active unlocking
/// requests exceed limit. The latter defends against stake reduction
/// spamming.
fn prep_unstake(who: &T::AccountId, amount: BalanceOf<T>, is_removal: bool) -> DispatchResult {
// should never occur but let's be safe
ensure!(!amount.is_zero(), Error::<T>::StakeNotFound);
let now = frame_system::Pallet::<T>::block_number();
let unlock_block = now.saturating_add(T::StakeDuration::get());
let mut unstaking = Unstaking::<T>::get(who);
let allowed_unstakings = if is_removal {
// the account was forcedly removed and we allow to fill all unstake requests
T::MaxUnstakeRequests::get()
} else {
// we need to reserve a free slot for a forced removal of the account
T::MaxUnstakeRequests::get().saturating_sub(1)
};
ensure!(
unstaking.len().saturated_into::<u32>() < allowed_unstakings,
Error::<T>::NoMoreUnstaking,
);
// if existent, we have to add the current amount of same unlock_block, because
// insert overwrites the current value
let amount = amount.saturating_add(*unstaking.get(&unlock_block).unwrap_or(&BalanceOf::<T>::zero()));
unstaking
.try_insert(unlock_block, amount)
.map_err(|_| Error::<T>::NoMoreUnstaking)?;
Unstaking::<T>::insert(who, unstaking);
Ok(())
}
/// Clear the CandidatePool of the candidate and remove all delegations
/// to the candidate. Moreover, prepare unstaking for the candidate and
/// their former delegations.
fn remove_candidate(
collator: &T::AccountId,
state: &CandidateOf<T, T::MaxDelegatorsPerCollator>,
) -> DispatchResult {
// iterate over delegators
for stake in &state.delegators[..] {
// increment rewards
Self::do_inc_delegator_reward(&stake.owner, stake.amount, collator);
// prepare unstaking of delegator
Self::prep_unstake(&stake.owner, stake.amount, true)?;
// remove delegation from delegator state
if let Some(mut delegator) = DelegatorState::<T>::get(&stake.owner) {
delegator
.try_clear(collator.clone())
.map_err(|_| Error::<T>::DelegationNotFound)?;
DelegatorState::<T>::remove(&stake.owner);
}
}
// prepare unstaking of collator candidate
Self::prep_unstake(&state.id, state.stake, true)?;
// increment rewards of collator
Self::do_inc_collator_reward(collator, state.stake);
// disable validator for next session if they were in the set of validators
pallet_session::Pallet::<T>::validators()
.into_iter()
.enumerate()
.find_map(|(i, id)| {
if <T as pallet_session::Config>::ValidatorIdOf::convert(collator.clone()) == Some(id) {
Some(i)
} else {
None
}
})
.map(u32::saturated_from::<usize>)
// FIXME: Does not prevent the collator from being able to author a block in this (or potentially the next) session. See https://github.com/paritytech/substrate/issues/8004
.map(pallet_session::Pallet::<T>::disable_index);
// Kill storage
BlocksAuthored::<T>::remove(collator);
BlocksRewarded::<T>::remove(collator);
CandidatePool::<T>::remove(collator);
Ok(())
}
/// Withdraw all staked currency which was unstaked at least
/// `StakeDuration` blocks ago.
fn do_unlock(who: &T::AccountId) -> Result<u32, DispatchError> {
let now = frame_system::Pallet::<T>::block_number();
let mut unstaking = Unstaking::<T>::get(who);
let unstaking_len = unstaking.len().saturated_into::<u32>();
ensure!(!unstaking.is_empty(), Error::<T>::UnstakingIsEmpty);
let mut total_unfreezed: BalanceOf<T> = Zero::zero();
let mut total_freezed: BalanceOf<T> = Zero::zero();
let mut expired = Vec::new();
// check potential unfreezed
for (block_number, freezed_balance) in unstaking.clone().into_iter() {
if block_number <= now {
expired.push(block_number);
total_unfreezed = total_unfreezed.saturating_add(freezed_balance);
} else {
total_freezed = total_freezed.saturating_add(freezed_balance);
}
}
for block_number in expired {
unstaking.remove(&block_number);
}
// iterate balance freezes to retrieve amount of freezed balance
let freezes = Freezes::<T>::get(who);
total_freezed = if let Some(IdAmount { amount, .. }) = freezes
.iter()
.find(|l| l.id == <T as pallet::Config>::FreezeIdentifier::from(FreezeReason::Staking).into())
{
amount.saturating_sub(total_unfreezed.into()).into()
} else {
// should never fail to find the lock since we checked whether unstaking is not
// empty but let's be safe
Zero::zero()
};
if total_freezed.is_zero() {
T::Currency::thaw(
&<T as pallet::Config>::FreezeIdentifier::from(FreezeReason::Staking),
who,
)?;
Unstaking::<T>::remove(who);
} else {
T::Currency::set_freeze(
&<T as pallet::Config>::FreezeIdentifier::from(FreezeReason::Staking),
who,
total_freezed,
)?;
Unstaking::<T>::insert(who, unstaking);
}
Ok(unstaking_len)
}
/// Checks whether a delegator can still delegate in this round, e.g.,
/// if they have not delegated MaxDelegationsPerRound many times
/// already in this round.
fn get_delegation_counter(delegator: &T::AccountId) -> Result<DelegationCounter, DispatchError> {
let last_delegation = LastDelegation::<T>::get(delegator);
let round = Round::<T>::get();
// reset counter if the round advanced since last delegation
let counter = if last_delegation.round < round.current {
0u32
} else {
last_delegation.counter
};
ensure!(
counter < T::MaxDelegationsPerRound::get(),
Error::<T>::DelegationsPerRoundExceeded
);
Ok(DelegationCounter {
round: round.current,
counter: counter.saturating_add(1),
})
}
/// Calculates the network rewards per block with the current data and
/// issues these rewards to the network. The imbalance will be handled
/// in `on_initialize` by adding it to the free balance of
/// `NetworkRewardBeneficiary`.
///
/// Over the course of an entire year, the network rewards equal the
/// maximum annual collator staking rewards multiplied with the
/// NetworkRewardRate. E.g., assuming 10% annual collator reward rate,
/// 10% max staking rate, 200k KILT max collator stake and 30 collators:
/// NetworkRewards = NetworkRewardRate * 10% * 10% * 200_000 KILT * 30
///
/// The expected rewards are the product of
/// * the current total maximum collator rewards
/// * and the configured NetworkRewardRate
///
/// `col_reward_rate_per_block * col_max_stake * max_num_of_collators *
/// NetworkRewardRate`
fn issue_network_reward() -> CreditOf<T> {
// Multiplication with Perquintill cannot overflow
let max_col_rewards = InflationConfig::<T>::get().collator.reward_rate.per_block
* MaxCollatorCandidateStake::<T>::get()
* MaxSelectedCandidates::<T>::get().into();
let network_reward = T::NetworkRewardRate::get() * max_col_rewards;
T::Currency::issue(network_reward)
}
/// Calculates the collator staking rewards for authoring `multiplier`
/// many blocks based on the given stake.
///
/// Depends on the current total issuance and staking reward
/// configuration for collators.
pub(crate) fn calc_block_rewards_collator(stake: BalanceOf<T>, multiplier: BalanceOf<T>) -> BalanceOf<T> {
let total_issuance = <T::Currency as Inspect<AccountIdOf<T>>>::total_issuance();
let TotalStake {
collators: total_collators,
..
} = TotalCollatorStake::<T>::get();
let staking_rate = Perquintill::from_rational(total_collators, total_issuance);
InflationConfig::<T>::get()
.collator
.compute_reward::<T>(stake, staking_rate, multiplier)
}
/// Calculates the delegator staking rewards for `multiplier` many
/// blocks based on the given stake.
///
/// Depends on the current total issuance and staking reward
/// configuration for delegators.
pub(crate) fn calc_block_rewards_delegator(stake: BalanceOf<T>, multiplier: BalanceOf<T>) -> BalanceOf<T> {
let total_issuance = <T::Currency as Inspect<AccountIdOf<T>>>::total_issuance();
let TotalStake {
delegators: total_delegators,
..
} = TotalCollatorStake::<T>::get();
let staking_rate = Perquintill::from_rational(total_delegators, total_issuance);
InflationConfig::<T>::get()
.delegator
.compute_reward::<T>(stake, staking_rate, multiplier)
}
/// Increment the accumulated rewards of a collator.
///
/// Updates Rewarded(col) and sets BlocksRewarded(col) to equal
/// BlocksAuthored(col).
fn do_inc_collator_reward(acc: &T::AccountId, stake: BalanceOf<T>) {
let count_authored = BlocksAuthored::<T>::get(acc);
// We can already mutate thanks to extrinsics being transactional
let count_rewarded = BlocksRewarded::<T>::mutate(acc, |rewarded| {
let old = *rewarded;
*rewarded = count_authored;
old
});
let unclaimed_blocks = count_authored.saturating_sub(count_rewarded);
Rewards::<T>::mutate(acc, |reward| {
*reward = reward.saturating_add(Self::calc_block_rewards_collator(
stake,
unclaimed_blocks.saturated_into(),
));
});
}
/// Increment the accumulated rewards of a delegator by checking the
/// number of authored blocks by the collator.
///
/// Updates Rewarded(del) and sets BlocksRewarded(del) to equal
/// BlocksAuthored(col).
fn do_inc_delegator_reward(acc: &T::AccountId, stake: BalanceOf<T>, col: &T::AccountId) {
let count_authored = BlocksAuthored::<T>::get(col);
// We can already mutate thanks to extrinsics being transactional
let count_rewarded = BlocksRewarded::<T>::mutate(acc, |rewarded| {
let old = *rewarded;
*rewarded = count_authored;
old
});
let unclaimed_blocks = count_authored.saturating_sub(count_rewarded);
Rewards::<T>::mutate(acc, |reward| {
*reward = reward.saturating_add(Self::calc_block_rewards_delegator(
stake,
unclaimed_blocks.saturated_into(),
))
});
}
}
impl<T> pallet_authorship::EventHandler<T::AccountId, BlockNumberFor<T>> for Pallet<T>
where
T: Config + pallet_authorship::Config + pallet_session::Config,
{
/// Increments the reward counter of the block author by the current
/// number of collators in the session.
fn note_author(author: T::AccountId) {
// should always include state except if the collator has been forcedly removed
// via `force_remove_candidate` in the current or previous round
if CandidatePool::<T>::get(&author).is_some() {
// necessary to compensate for a potentially fluctuating number of collators
let authors = pallet_session::Pallet::<T>::validators();
BlocksAuthored::<T>::mutate(&author, |count| {
*count = count.saturating_add(authors.len().saturated_into::<BlockNumberFor<T>>());
});
}
frame_system::Pallet::<T>::register_extra_weight_unchecked(
T::DbWeight::get().reads_writes(2, 1),
DispatchClass::Mandatory,
);
}
}
impl<T: Config> pallet_session::SessionManager<T::AccountId> for Pallet<T> {
/// 1. A new session starts.
/// 2. In hook new_session: Read the current top n candidates from the
/// TopCandidates and assign this set to author blocks for the next
/// session.
/// 3. AuRa queries the authorities from the session pallet for this
/// session and picks authors on round-robin-basis from list of
/// authorities.
fn new_session(new_index: SessionIndex) -> Option<Vec<T::AccountId>> {
log::debug!(
"assembling new collators for new session {} at #{:?}",
new_index,
frame_system::Pallet::<T>::block_number(),
);
frame_system::Pallet::<T>::register_extra_weight_unchecked(
T::DbWeight::get().reads(2),
DispatchClass::Mandatory,
);
let collators = Pallet::<T>::selected_candidates().to_vec();
if collators.is_empty() {
// we never want to pass an empty set of collators. This would brick the chain.
log::error!("💥 keeping old session because of empty collator set!");
None
} else {
Some(collators)
}
}
fn end_session(_end_index: SessionIndex) {
// we too are not caring.
}
fn start_session(_start_index: SessionIndex) {
// we too are not caring.
}
}
impl<T: Config> ShouldEndSession<BlockNumberFor<T>> for Pallet<T> {
fn should_end_session(now: BlockNumberFor<T>) -> bool {
frame_system::Pallet::<T>::register_extra_weight_unchecked(
T::DbWeight::get().reads(2),
DispatchClass::Mandatory,
);
let mut round = Round::<T>::get();
// always update when a new round should start
if round.should_update(now) {
true
} else if ForceNewRound::<T>::get() {
frame_system::Pallet::<T>::register_extra_weight_unchecked(
T::DbWeight::get().writes(2),
DispatchClass::Mandatory,
);
// check for forced new round
ForceNewRound::<T>::put(false);
round.update(now);
Round::<T>::put(round);
Self::deposit_event(Event::NewRound(round.first, round.current));
true
} else {
false
}
}
}
impl<T: Config> EstimateNextSessionRotation<BlockNumberFor<T>> for Pallet<T> {
fn average_session_length() -> BlockNumberFor<T> {
Round::<T>::get().length
}
fn estimate_current_session_progress(now: BlockNumberFor<T>) -> (Option<Permill>, Weight) {
let round = Round::<T>::get();
let passed_blocks = now.saturating_sub(round.first);
(
Some(Permill::from_rational(passed_blocks, round.length)),
// One read for the round info, blocknumber is read free
T::DbWeight::get().reads(1),
)
}
fn estimate_next_session_rotation(_now: BlockNumberFor<T>) -> (Option<BlockNumberFor<T>>, Weight) {
let round = Round::<T>::get();
(
Some(round.first + round.length),
// One read for the round info, blocknumber is read free
T::DbWeight::get().reads(1),
)
}
}
}