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
// This file is part of Astar.
// Copyright (C) Stake Technologies Pte.Ltd.
// SPDX-License-Identifier: GPL-3.0-or-later
// Astar 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.
// Astar 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 Astar. If not, see <http://www.gnu.org/licenses/>.
//! # dApp Staking Module Types
//!
//! Contains various types, structs & enums used by the dApp staking implementation.
//! The main purpose of this is to abstract complexity away from the extrinsic call implementation,
//! and even more importantly to make the code more testable.
//!
//! # Overview
//!
//! The following is a high level overview of the implemented structs, enums & types.
//! For details, please refer to the documentation and code of each individual type.
//!
//! ## General Protocol Information
//!
//! * `EraNumber` - numeric Id of an era.
//! * `PeriodNumber` - numeric Id of a period.
//! * `Subperiod` - an enum describing which subperiod is active in the current period.
//! * `PeriodInfo` - contains information about the ongoing period, like period number, current subperiod and when will the current subperiod end.
//! * `PeriodEndInfo` - contains information about a finished past period, like the final era of the period, total amount staked & bonus reward pool.
//! * `ProtocolState` - contains the most general protocol state info: current era number, block when the era ends, ongoing period info, and whether protocol is in maintenance mode.
//!
//! ## DApp Information
//!
//! * `DAppId` - a compact unique numeric Id of a dApp.
//! * `DAppInfo` - contains general information about a dApp, like owner and reward beneficiary, Id and state.
//! * `ContractStakeAmount` - contains information about how much is staked on a particular contract.
//!
//! ## Staker Information
//!
//! * `UnlockingChunk` - describes some amount undergoing the unlocking process.
//! * `StakeAmount` - contains information about the staked amount in a particular era, and period.
//! * `AccountLedger` - keeps track of total locked & staked balance, unlocking chunks and number of stake entries.
//! * `SingularStakingInfo` - contains information about a particular staker's stake on a specific smart contract. Used to track loyalty.
//!
//! ## Era Information
//!
//! * `EraInfo` - contains information about the ongoing era, like how much is locked & staked.
//! * `EraReward` - contains information about a finished era, like reward pools and total staked amount.
//! * `EraRewardSpan` - a composite of multiple `EraReward` objects, used to describe a range of finished eras.
//!
//! ## Tier Information
//!
//! * `TierThreshold` - an enum describing tier entry thresholds as percentages of the total issuance.
//! * `TierParameters` - contains static information about tiers, like init thresholds, reward & slot distribution.
//! * `TiersConfiguration` - contains dynamic information about tiers, derived from `TierParameters` and onchain data.
//! * `DAppTier` - a compact struct describing a dApp's tier.
//! * `DAppTierRewards` - composite of `DAppTier` objects, describing the entire reward distribution for a particular era.
//!
use frame_support::{pallet_prelude::*, BoundedBTreeMap, BoundedVec, DefaultNoBound};
use parity_scale_codec::{Decode, Encode};
use serde::{Deserialize, Serialize};
use sp_arithmetic::fixed_point::FixedU128;
use sp_runtime::{
traits::{CheckedAdd, UniqueSaturatedInto, Zero},
FixedPointNumber, Perbill, Permill, Saturating,
};
pub use sp_std::{collections::btree_map::BTreeMap, fmt::Debug, vec::Vec};
use astar_primitives::{
dapp_staking::{DAppId, EraNumber, PeriodNumber, RankedTier, TierSlots as TierSlotsFunc},
Balance, BlockNumber,
};
use crate::pallet::Config;
// Convenience type for `AccountLedger` usage.
pub type AccountLedgerFor<T> = AccountLedger<<T as Config>::MaxUnlockingChunks>;
// Convenience type for `DAppTierRewards` usage.
pub type DAppTierRewardsFor<T> =
DAppTierRewards<<T as Config>::MaxNumberOfContracts, <T as Config>::NumberOfTiers>;
// Convenience type for `EraRewardSpan` usage.
pub type EraRewardSpanFor<T> = EraRewardSpan<<T as Config>::EraRewardSpanLength>;
// Convenience type for `DAppInfo` usage.
pub type DAppInfoFor<T> = DAppInfo<<T as frame_system::Config>::AccountId>;
/// Simple enum representing errors possible when using sparse bounded vector.
#[derive(Debug, PartialEq, Eq)]
pub enum AccountLedgerError {
/// Old or future era values cannot be added.
InvalidEra,
/// Bounded storage capacity exceeded.
NoCapacity,
/// Invalid period specified.
InvalidPeriod,
/// Stake amount is to large in respect to what's available.
UnavailableStakeFunds,
/// Unstake amount is to large in respect to what's staked.
UnstakeAmountLargerThanStake,
/// Nothing to claim.
NothingToClaim,
/// Attempt to crate the iterator failed due to incorrect data.
InvalidIterator,
}
/// Distinct subperiods in dApp staking protocol.
#[derive(Encode, Decode, MaxEncodedLen, Clone, Copy, Debug, PartialEq, Eq, TypeInfo)]
pub enum Subperiod {
/// Subperiod during which the focus is on voting. No rewards are earned during this subperiod.
Voting,
/// Subperiod during which dApps and stakers earn rewards.
BuildAndEarn,
}
impl Subperiod {
/// Next subperiod, after `self`.
pub fn next(&self) -> Self {
match self {
Subperiod::Voting => Subperiod::BuildAndEarn,
Subperiod::BuildAndEarn => Subperiod::Voting,
}
}
}
/// Info about the ongoing period.
#[derive(Encode, Decode, MaxEncodedLen, Clone, Copy, Debug, PartialEq, Eq, TypeInfo)]
pub struct PeriodInfo {
/// Period number.
#[codec(compact)]
pub(crate) number: PeriodNumber,
/// Subperiod type.
pub(crate) subperiod: Subperiod,
/// Era in which the new subperiod starts.
#[codec(compact)]
pub(crate) next_subperiod_start_era: EraNumber,
}
impl PeriodInfo {
/// `true` if the provided era belongs to the next period, `false` otherwise.
/// It's only possible to provide this information correctly for the ongoing `BuildAndEarn` subperiod.
pub fn is_next_period(&self, era: EraNumber) -> bool {
self.subperiod == Subperiod::BuildAndEarn && self.next_subperiod_start_era <= era
}
}
/// Struct with relevant information for a finished period.
#[derive(Encode, Decode, MaxEncodedLen, Clone, Copy, Debug, PartialEq, Eq, TypeInfo)]
pub struct PeriodEndInfo {
/// Bonus reward pool allocated for 'loyal' stakers
#[codec(compact)]
pub(crate) bonus_reward_pool: Balance,
/// Total amount staked (remaining) from the voting subperiod.
#[codec(compact)]
pub(crate) total_vp_stake: Balance,
/// Final era, inclusive, in which the period ended.
#[codec(compact)]
pub(crate) final_era: EraNumber,
}
/// Force types to speed up the next era, and even period.
#[derive(Encode, Decode, MaxEncodedLen, Clone, Copy, Debug, PartialEq, Eq, TypeInfo)]
pub enum ForcingType {
/// Force the next era to start.
Era,
/// Force the current subperiod to end, and new one to start. It will also force a new era to start.
Subperiod,
}
/// General information & state of the dApp staking protocol.
#[derive(Encode, Decode, MaxEncodedLen, Clone, Copy, Debug, PartialEq, Eq, TypeInfo)]
pub struct ProtocolState {
/// Ongoing era number.
#[codec(compact)]
pub(crate) era: EraNumber,
/// Block number at which the next era should start.
#[codec(compact)]
pub(crate) next_era_start: BlockNumber,
/// Information about the ongoing period.
pub(crate) period_info: PeriodInfo,
/// `true` if pallet is in maintenance mode (disabled), `false` otherwise.
pub(crate) maintenance: bool,
}
impl Default for ProtocolState {
fn default() -> Self {
Self {
era: 1,
next_era_start: 2,
period_info: PeriodInfo {
number: 1,
subperiod: Subperiod::Voting,
next_subperiod_start_era: 2,
},
maintenance: false,
}
}
}
impl ProtocolState {
/// Ongoing era.
pub fn era(&self) -> EraNumber {
self.era
}
/// Block number at which the next era should start.
pub fn next_era_start(&self) -> BlockNumber {
self.next_era_start
}
/// Set the next era start block number.
/// Not perfectly clean approach but helps speed up integration tests significantly.
pub fn set_next_era_start(&mut self, next_era_start: BlockNumber) {
self.next_era_start = next_era_start;
}
/// Current subperiod.
pub fn subperiod(&self) -> Subperiod {
self.period_info.subperiod
}
/// Current period number.
pub fn period_number(&self) -> PeriodNumber {
self.period_info.number
}
/// Ending era of current period
pub fn next_subperiod_start_era(&self) -> EraNumber {
self.period_info.next_subperiod_start_era
}
/// Checks whether a new era should be triggered, based on the provided _current_ block number argument
/// or possibly other protocol state parameters.
pub fn is_new_era(&self, now: BlockNumber) -> bool {
self.next_era_start <= now
}
/// Triggers the next subperiod, updating appropriate parameters.
pub fn advance_to_next_subperiod(
&mut self,
next_subperiod_start_era: EraNumber,
next_era_start: BlockNumber,
) {
let period_number = match self.subperiod() {
Subperiod::Voting => self.period_number(),
Subperiod::BuildAndEarn => self.period_number().saturating_add(1),
};
self.period_info = PeriodInfo {
number: period_number,
subperiod: self.subperiod().next(),
next_subperiod_start_era,
};
self.next_era_start = next_era_start;
}
}
/// General information about a dApp.
#[derive(Encode, Decode, MaxEncodedLen, Clone, Copy, Debug, PartialEq, Eq, TypeInfo)]
pub struct DAppInfo<AccountId> {
/// Owner of the dApp, default reward beneficiary.
pub(crate) owner: AccountId,
/// dApp's unique identifier in dApp staking.
#[codec(compact)]
pub(crate) id: DAppId,
// If `None`, rewards goes to the developer account, otherwise to the account Id in `Some`.
pub(crate) reward_beneficiary: Option<AccountId>,
}
impl<AccountId> DAppInfo<AccountId> {
/// dApp's unique identifier.
pub fn id(&self) -> DAppId {
self.id
}
/// Reward destination account for this dApp.
pub fn reward_beneficiary(&self) -> &AccountId {
match &self.reward_beneficiary {
Some(account_id) => account_id,
None => &self.owner,
}
}
}
/// How much was unlocked in some block.
#[derive(Encode, Decode, MaxEncodedLen, Clone, Default, Copy, Debug, PartialEq, Eq, TypeInfo)]
pub struct UnlockingChunk {
/// Amount undergoing the unlocking period.
#[codec(compact)]
pub amount: Balance,
/// Block in which the unlocking period is finished for this chunk.
#[codec(compact)]
pub unlock_block: BlockNumber,
}
/// General info about an account's lock & stakes.
///
/// ## Overview
///
/// The most complex part about this type are the `staked` and `staked_future` fields.
/// To understand why the two fields exist and how they are used, it's important to consider some facts:
/// * when an account _stakes_, the staked amount is only eligible for rewards from the next era
/// * all stakes are reset when a period ends - but this is done in a lazy fashion, account ledgers aren't directly updated
/// * `stake` and `unstake` operations are allowed only if the account has claimed all pending rewards
///
/// In order to keep track of current era stake, and _next era_ stake, two fields are needed.
/// Since it's not allowed to stake/unstake if there are pending rewards, it's guaranteed that the `staked` and `staked_future` eras are **always consecutive**.
/// In order to understand if _stake_ is still valid, it's enough to check the `period` field of either `staked` or `staked_future`.
///
/// ## Example
///
/// ### Scenario 1
///
/// * current era is **20**, and current period is **1**
/// * `staked` is equal to: `{ voting: 100, build_and_earn: 50, era: 5, period: 1 }`
/// * `staked_future` is equal to: `{ voting: 100, build_and_earn: 100, era: 6, period: 1 }`
///
/// The correct way to interpret this is:
/// * account had staked **150** in total in era 5
/// * account had increased their stake to **200** in total in era 6
/// * since then, era 6, account hadn't staked or unstaked anything or hasn't claimed any rewards
/// * since we're in era **20** and period is still **1**, the account's stake for eras **7** to **20** is still **200**
///
/// ### Scenario 2
///
/// * current era is **20**, and current period is **1**
/// * `staked` is equal to: `{ voting: 0, build_and_earn: 0, era: 0, period: 0 }`
/// * `staked_future` is equal to: `{ voting: 0, build_and_earn: 350, era: 13, period: 1 }`
///
/// The correct way to interpret this is:
/// * `staked` entry is _empty_
/// * account had called `stake` during era 12, and staked **350** for the next era
/// * account hadn't staked, unstaked or claimed rewards since then
/// * since we're in era **20** and period is still **1**, the account's stake for eras **13** to **20** is still **350**
///
/// ### Scenario 3
///
/// * current era is **30**, and current period is **2**
/// * period **1** ended after era **24**, and period **2** started in era **25**
/// * `staked` is equal to: `{ voting: 100, build_and_earn: 300, era: 20, period: 1 }`
/// * `staked_future` is equal to `None`
///
/// The correct way to interpret this is:
/// * in era **20**, account had claimed rewards for the past eras, so only the `staked` entry remained
/// * since then, account hadn't staked, unstaked or claimed rewards
/// * period 1 ended in era **24**, which means that after that era, the `staked` entry is no longer valid
/// * account had staked **400** in total from era **20** up to era **24** (inclusive)
/// * account's stake in era **25** is **zero**
///
#[derive(
Encode,
Decode,
MaxEncodedLen,
RuntimeDebugNoBound,
PartialEqNoBound,
DefaultNoBound,
EqNoBound,
CloneNoBound,
TypeInfo,
)]
#[scale_info(skip_type_params(UnlockingLen))]
pub struct AccountLedger<UnlockingLen: Get<u32>> {
/// How much active locked amount an account has. This can be used for staking.
#[codec(compact)]
pub(crate) locked: Balance,
/// Vector of all the unlocking chunks. This is also considered _locked_ but cannot be used for staking.
pub(crate) unlocking: BoundedVec<UnlockingChunk, UnlockingLen>,
/// Primary field used to store how much was staked in a particular era.
pub(crate) staked: StakeAmount,
/// Secondary field used to store 'stake' information for the 'next era'.
/// This is needed since stake amount is only applicable from the next era after it's been staked.
///
/// Both `stake` and `staked_future` must ALWAYS refer to the same period.
/// If `staked_future` is `Some`, it will always be **EXACTLY** one era after the `staked` field era.
pub(crate) staked_future: Option<StakeAmount>,
/// Number of contract stake entries in storage.
#[codec(compact)]
pub(crate) contract_stake_count: u32,
}
impl<UnlockingLen> AccountLedger<UnlockingLen>
where
UnlockingLen: Get<u32>,
{
/// How much active locked amount an account has. This can be used for staking.
pub fn locked(&self) -> Balance {
self.locked
}
/// Unlocking chunks.
pub fn unlocking_chunks(&self) -> &[UnlockingChunk] {
&self.unlocking
}
/// Empty if no locked/unlocking/staked info exists.
pub fn is_empty(&self) -> bool {
self.locked.is_zero()
&& self.unlocking.is_empty()
&& self.staked.total().is_zero()
&& self.staked_future.is_none()
}
/// Returns active locked amount.
/// If `zero`, means that associated account hasn't got any active locked funds.
///
/// It is possible that some funds are undergoing the unlocking period, but they aren't considered active in that case.
pub fn active_locked_amount(&self) -> Balance {
self.locked
}
/// Returns unlocking amount.
/// If `zero`, means that associated account hasn't got any unlocking chunks.
pub fn unlocking_amount(&self) -> Balance {
self.unlocking.iter().fold(Balance::zero(), |sum, chunk| {
sum.saturating_add(chunk.amount)
})
}
/// Total locked amount by the user.
/// Includes both active locked amount & unlocking amount.
pub fn total_locked_amount(&self) -> Balance {
self.active_locked_amount()
.saturating_add(self.unlocking_amount())
}
/// Adds the specified amount to the total locked amount.
pub fn add_lock_amount(&mut self, amount: Balance) {
self.locked.saturating_accrue(amount);
}
/// Subtracts the specified amount of the total locked amount.
pub fn subtract_lock_amount(&mut self, amount: Balance) {
self.locked.saturating_reduce(amount);
}
/// Adds the specified amount to the unlocking chunks.
///
/// If entry for the specified block already exists, it's updated.
///
/// If entry for the specified block doesn't exist, it's created and insertion is attempted.
/// In case vector has no more capacity, error is returned, and whole operation is a noop.
pub fn add_unlocking_chunk(
&mut self,
amount: Balance,
unlock_block: BlockNumber,
) -> Result<(), AccountLedgerError> {
if amount.is_zero() {
return Ok(());
}
let idx = self
.unlocking
.binary_search_by(|chunk| chunk.unlock_block.cmp(&unlock_block));
match idx {
Ok(idx) => {
self.unlocking[idx].amount.saturating_accrue(amount);
}
Err(idx) => {
let new_unlocking_chunk = UnlockingChunk {
amount,
unlock_block,
};
self.unlocking
.try_insert(idx, new_unlocking_chunk)
.map_err(|_| AccountLedgerError::NoCapacity)?;
}
}
Ok(())
}
/// Amount available for unlocking.
pub fn unlockable_amount(&self, current_period: PeriodNumber) -> Balance {
self.active_locked_amount()
.saturating_sub(self.staked_amount(current_period))
}
/// Claims all of the fully unlocked chunks, and returns the total claimable amount.
pub fn claim_unlocked(&mut self, current_block_number: BlockNumber) -> Balance {
let mut total = Balance::zero();
self.unlocking.retain(|chunk| {
if chunk.unlock_block <= current_block_number {
total.saturating_accrue(chunk.amount);
false
} else {
true
}
});
total
}
/// Consumes all of the unlocking chunks, and returns the total amount being unlocked.
pub fn consume_unlocking_chunks(&mut self) -> Balance {
let amount = self.unlocking.iter().fold(Balance::zero(), |sum, chunk| {
sum.saturating_add(chunk.amount)
});
self.unlocking = Default::default();
amount
}
/// Amount that is available for staking.
///
/// This is equal to the total active locked amount, minus the staked amount already active.
pub fn stakeable_amount(&self, active_period: PeriodNumber) -> Balance {
self.active_locked_amount()
.saturating_sub(self.staked_amount(active_period))
}
/// Amount that is staked, in respect to the currently active period.
pub fn staked_amount(&self, active_period: PeriodNumber) -> Balance {
// First check the 'future' entry, afterwards check the 'first' entry
match self.staked_future {
Some(stake_amount) if stake_amount.period == active_period => stake_amount.total(),
_ => match self.staked {
stake_amount if stake_amount.period == active_period => stake_amount.total(),
_ => Balance::zero(),
},
}
}
/// How much is staked for the specified subperiod, in respect to the specified era.
pub fn staked_amount_for_type(&self, subperiod: Subperiod, period: PeriodNumber) -> Balance {
// First check the 'future' entry, afterwards check the 'first' entry
match self.staked_future {
Some(stake_amount) if stake_amount.period == period => stake_amount.for_type(subperiod),
_ => match self.staked {
stake_amount if stake_amount.period == period => stake_amount.for_type(subperiod),
_ => Balance::zero(),
},
}
}
/// Check for stake/unstake operation era & period arguments.
///
/// Ensures that the provided era & period are valid according to the current ledger state.
fn stake_unstake_argument_check(
&self,
current_era: EraNumber,
current_period_info: &PeriodInfo,
) -> Result<(), AccountLedgerError> {
if !self.staked.is_empty() {
// In case entry for the current era exists, it must match the era exactly.
// No other scenario is possible since stake/unstake is not allowed without claiming rewards first.
if self.staked.era != current_era {
return Err(AccountLedgerError::InvalidEra);
}
if self.staked.period != current_period_info.number {
return Err(AccountLedgerError::InvalidPeriod);
}
// In case only the 'future' entry exists, then the future era must either be the current or the next era.
// 'Next era' covers the simple scenario where stake is only valid from the next era.
// 'Current era' covers the scenario where stake was made in previous era, and we've moved to the next era.
} else if let Some(stake_amount) = self.staked_future {
if stake_amount.era != current_era.saturating_add(1) && stake_amount.era != current_era
{
return Err(AccountLedgerError::InvalidEra);
}
if stake_amount.period != current_period_info.number {
return Err(AccountLedgerError::InvalidPeriod);
}
}
Ok(())
}
/// Adds the specified amount to total staked amount, if possible.
///
/// Staking can only be done for the ongoing period, and era.
/// 1. The `period` requirement enforces staking in the ongoing period.
/// 2. The `era` requirement enforces staking in the ongoing era.
///
/// The 2nd condition is needed to prevent stakers from building a significant history of stakes,
/// without claiming the rewards. So if a historic era exists as an entry, stakers will first need to claim
/// the pending rewards, before they can stake again.
///
/// Additionally, the staked amount must not exceed what's available for staking.
pub fn add_stake_amount(
&mut self,
amount: Balance,
current_era: EraNumber,
current_period_info: PeriodInfo,
) -> Result<(), AccountLedgerError> {
if amount.is_zero() {
return Ok(());
}
self.stake_unstake_argument_check(current_era, ¤t_period_info)?;
if self.stakeable_amount(current_period_info.number) < amount {
return Err(AccountLedgerError::UnavailableStakeFunds);
}
// Update existing entry if it exists, otherwise create it.
match self.staked_future.as_mut() {
Some(stake_amount) => {
// In case future entry exists, check if it should be moved over to the 'current' entry.
if stake_amount.era == current_era {
self.staked = *stake_amount;
}
stake_amount.add(amount, current_period_info.subperiod);
stake_amount.era = current_era.saturating_add(1);
}
None => {
let mut stake_amount = self.staked;
stake_amount.era = current_era.saturating_add(1);
stake_amount.period = current_period_info.number;
stake_amount.add(amount, current_period_info.subperiod);
self.staked_future = Some(stake_amount);
}
}
Ok(())
}
/// Subtracts the specified amount from the total staked amount, if possible.
///
/// Unstake can only be called if the entry for the current era exists.
/// In case historic entry exists, rewards first need to be claimed, before unstaking is possible.
/// Similar as with stake functionality, this is to prevent staker from building a significant history of stakes.
pub fn unstake_amount(
&mut self,
amount: Balance,
current_era: EraNumber,
current_period_info: PeriodInfo,
) -> Result<(), AccountLedgerError> {
if amount.is_zero() {
return Ok(());
}
self.stake_unstake_argument_check(current_era, ¤t_period_info)?;
// User must be precise with their unstake amount.
if self.staked_amount(current_period_info.number) < amount {
return Err(AccountLedgerError::UnstakeAmountLargerThanStake);
}
self.staked.subtract(amount);
// Convenience cleanup
if self.staked.is_empty() {
self.staked = Default::default();
}
if let Some(mut stake_amount) = self.staked_future {
stake_amount.subtract(amount);
self.staked_future = if stake_amount.is_empty() {
None
} else {
Some(stake_amount)
};
}
Ok(())
}
/// Period for which account has staking information or `None` if no staking information exists.
pub fn staked_period(&self) -> Option<PeriodNumber> {
if self.staked.is_empty() {
self.staked_future.map(|stake_amount| stake_amount.period)
} else {
Some(self.staked.period)
}
}
/// Earliest era for which the account has staking information or `None` if no staking information exists.
pub fn earliest_staked_era(&self) -> Option<EraNumber> {
if self.staked.is_empty() {
self.staked_future.map(|stake_amount| stake_amount.era)
} else {
Some(self.staked.era)
}
}
/// Cleanup staking information if it has expired.
///
/// # Args
/// `valid_threshold_period` - last period for which entries can still be considered valid.
///
/// `true` if any change was made, `false` otherwise.
pub fn maybe_cleanup_expired(&mut self, valid_threshold_period: PeriodNumber) -> bool {
match self.staked_period() {
Some(staked_period) if staked_period < valid_threshold_period => {
self.staked = Default::default();
self.staked_future = None;
true
}
_ => false,
}
}
/// 'Claim' rewards up to the specified era.
/// Returns an iterator over the `(era, amount)` pairs, where `amount`
/// describes the staked amount eligible for reward in the appropriate era.
///
/// If `period_end` is provided, it's used to determine whether all applicable chunks have been claimed.
pub fn claim_up_to_era(
&mut self,
era: EraNumber,
period_end: Option<EraNumber>,
) -> Result<EraStakePairIter, AccountLedgerError> {
// Main entry exists, but era isn't 'in history'
if !self.staked.is_empty() {
ensure!(era >= self.staked.era, AccountLedgerError::NothingToClaim);
} else if let Some(stake_amount) = self.staked_future {
// Future entry exists, but era isn't 'in history'
ensure!(era >= stake_amount.era, AccountLedgerError::NothingToClaim);
}
// There are multiple options:
// 1. We only have future entry, no current entry
// 2. We have both current and future entry, but are only claiming 1 era
// 3. We have both current and future entry, and are claiming multiple eras
// 4. We only have current entry, no future entry
let (span, maybe_first) = if let Some(stake_amount) = self.staked_future {
if self.staked.is_empty() {
((stake_amount.era, era, stake_amount.total()), None)
} else if self.staked.era == era {
((era, era, self.staked.total()), None)
} else {
(
(stake_amount.era, era, stake_amount.total()),
Some((self.staked.era, self.staked.total())),
)
}
} else {
((self.staked.era, era, self.staked.total()), None)
};
let result = EraStakePairIter::new(span, maybe_first)
.map_err(|_| AccountLedgerError::InvalidIterator)?;
// Rollover future to 'current' stake amount
if let Some(stake_amount) = self.staked_future.take() {
self.staked = stake_amount;
}
self.staked.era = era.saturating_add(1);
// Make sure to clean up the entries if all rewards for the period have been claimed.
match period_end {
Some(period_end_era) if era >= period_end_era => {
self.staked = Default::default();
self.staked_future = None;
}
_ => (),
}
Ok(result)
}
}
/// Helper internal struct for iterating over `(era, stake amount)` pairs.
///
/// Due to how `AccountLedger` is implemented, few scenarios are possible when claiming rewards:
///
/// 1. `staked` has some amount, `staked_future` is `None`
/// * `maybe_first` is `None`, span describes the entire range
/// 2. `staked` has nothing, `staked_future` is some and has some amount
/// * `maybe_first` is `None`, span describes the entire range
/// 3. `staked` has some amount, `staked_future` has some amount
/// * `maybe_first` is `Some` and covers the `staked` entry, span describes the entire range except the first pair.
#[derive(Copy, Clone, Debug, PartialEq, Eq)]
pub struct EraStakePairIter {
/// Denotes whether the first entry is different than the others.
maybe_first: Option<(EraNumber, Balance)>,
/// Starting era of the span.
start_era: EraNumber,
/// Ending era of the span, inclusive.
end_era: EraNumber,
/// Staked amount in the span.
amount: Balance,
}
impl EraStakePairIter {
/// Create new iterator struct for `(era, staked amount)` pairs.
pub fn new(
span: (EraNumber, EraNumber, Balance),
maybe_first: Option<(EraNumber, Balance)>,
) -> Result<Self, ()> {
// First era must be smaller or equal to the last era.
if span.0 > span.1 {
return Err(());
}
// If 'maybe_first' is defined, it must exactly match the `span.0 - 1` era value.
match maybe_first {
Some((era, _)) if span.0.saturating_sub(era) != 1 => {
return Err(());
}
_ => (),
}
Ok(Self {
maybe_first,
start_era: span.0,
end_era: span.1,
amount: span.2,
})
}
}
impl Iterator for EraStakePairIter {
type Item = (EraNumber, Balance);
fn next(&mut self) -> Option<Self::Item> {
// Fist cover the scenario where we have a unique first value
if let Some((era, amount)) = self.maybe_first.take() {
return Some((era, amount));
}
// Afterwards, just keep returning the same amount for different eras
if self.start_era <= self.end_era {
let value = (self.start_era, self.amount);
self.start_era.saturating_inc();
return Some(value);
} else {
None
}
}
}
/// Describes stake amount in an particular era/period.
#[derive(Encode, Decode, MaxEncodedLen, Copy, Clone, Debug, PartialEq, Eq, TypeInfo, Default)]
pub struct StakeAmount {
/// Amount of staked funds accounting for the voting subperiod.
#[codec(compact)]
pub(crate) voting: Balance,
/// Amount of staked funds accounting for the build&earn subperiod.
#[codec(compact)]
pub(crate) build_and_earn: Balance,
/// Era to which this stake amount refers to.
#[codec(compact)]
pub(crate) era: EraNumber,
/// Period to which this stake amount refers to.
#[codec(compact)]
pub(crate) period: PeriodNumber,
}
impl StakeAmount {
/// `true` if nothing is staked, `false` otherwise
pub fn is_empty(&self) -> bool {
self.voting.is_zero() && self.build_and_earn.is_zero()
}
/// Total amount staked in both subperiods.
pub fn total(&self) -> Balance {
self.voting.saturating_add(self.build_and_earn)
}
/// Amount staked for the specified subperiod.
pub fn for_type(&self, subperiod: Subperiod) -> Balance {
match subperiod {
Subperiod::Voting => self.voting,
Subperiod::BuildAndEarn => self.build_and_earn,
}
}
/// Stake the specified `amount` for the specified `subperiod`.
pub fn add(&mut self, amount: Balance, subperiod: Subperiod) {
match subperiod {
Subperiod::Voting => self.voting.saturating_accrue(amount),
Subperiod::BuildAndEarn => self.build_and_earn.saturating_accrue(amount),
}
}
/// Unstake the specified `amount`.
///
/// Attempt to subtract from `Build&Earn` subperiod amount is done first. Any rollover is subtracted from
/// the `Voting` subperiod amount.
pub fn subtract(&mut self, amount: Balance) {
if self.build_and_earn >= amount {
self.build_and_earn.saturating_reduce(amount);
} else {
// Rollover from build&earn to voting, is guaranteed to be larger than zero due to previous check
// E.g. voting = 10, build&earn = 5, amount = 7
// underflow = build&earn - amount = 5 - 7 = -2
// voting = 10 - 2 = 8
// build&earn = 0
let remainder = amount.saturating_sub(self.build_and_earn);
self.build_and_earn = Balance::zero();
self.voting.saturating_reduce(remainder);
}
}
}
/// Info about an era, including the rewards, how much is locked, unlocking, etc.
#[derive(Encode, Decode, MaxEncodedLen, Copy, Clone, Debug, PartialEq, Eq, TypeInfo, Default)]
pub struct EraInfo {
/// How much balance is locked in dApp staking.
/// Does not include the amount that is undergoing the unlocking period.
#[codec(compact)]
pub(crate) total_locked: Balance,
/// How much balance is undergoing unlocking process.
/// This amount still counts into locked amount.
#[codec(compact)]
pub(crate) unlocking: Balance,
/// Stake amount valid for the ongoing era.
pub(crate) current_stake_amount: StakeAmount,
/// Stake amount valid from the next era.
pub(crate) next_stake_amount: StakeAmount,
}
impl EraInfo {
/// Stake amount valid for the ongoing era.
pub fn current_stake_amount(&self) -> StakeAmount {
self.current_stake_amount
}
/// Stake amount valid from the next era.
pub fn next_stake_amount(&self) -> StakeAmount {
self.next_stake_amount
}
/// Update with the new amount that has just been locked.
pub fn add_locked(&mut self, amount: Balance) {
self.total_locked.saturating_accrue(amount);
}
/// Update with the new amount that has just started undergoing the unlocking period.
pub fn unlocking_started(&mut self, amount: Balance) {
self.total_locked.saturating_reduce(amount);
self.unlocking.saturating_accrue(amount);
}
/// Update with the new amount that has been removed from unlocking.
pub fn unlocking_removed(&mut self, amount: Balance) {
self.unlocking.saturating_reduce(amount);
}
/// Add the specified `amount` to the appropriate stake amount, based on the `Subperiod`.
pub fn add_stake_amount(&mut self, amount: Balance, subperiod: Subperiod) {
self.next_stake_amount.add(amount, subperiod);
}
/// Subtract the specified `amount` from the appropriate stake amount.
pub fn unstake_amount(&mut self, amount: Balance) {
self.current_stake_amount.subtract(amount);
self.next_stake_amount.subtract(amount);
}
/// Total staked amount in this era.
pub fn total_staked_amount(&self) -> Balance {
self.current_stake_amount.total()
}
/// Staked amount of specified `type` in this era.
pub fn staked_amount(&self, subperiod: Subperiod) -> Balance {
self.current_stake_amount.for_type(subperiod)
}
/// Total staked amount in the next era.
pub fn total_staked_amount_next_era(&self) -> Balance {
self.next_stake_amount.total()
}
/// Staked amount of specified `type` in the next era.
pub fn staked_amount_next_era(&self, subperiod: Subperiod) -> Balance {
self.next_stake_amount.for_type(subperiod)
}
/// Updates `Self` to reflect the transition to the next era.
///
/// ## Args
/// `next_subperiod` - `None` if no subperiod change, `Some(type)` if `type` is starting from the next era.
pub fn migrate_to_next_era(&mut self, next_subperiod: Option<Subperiod>) {
match next_subperiod {
// If next era marks start of new voting subperiod period, it means we're entering a new period
Some(Subperiod::Voting) => {
for stake_amount in [&mut self.current_stake_amount, &mut self.next_stake_amount] {
stake_amount.voting = Zero::zero();
stake_amount.build_and_earn = Zero::zero();
stake_amount.era.saturating_inc();
stake_amount.period.saturating_inc();
}
}
Some(Subperiod::BuildAndEarn) | None => {
self.current_stake_amount = self.next_stake_amount;
self.next_stake_amount.era.saturating_inc();
}
};
}
}
/// Information about how much a particular staker staked on a particular smart contract.
///
/// Keeps track of amount staked in the 'voting subperiod', as well as 'build&earn subperiod'.
#[derive(Encode, Decode, MaxEncodedLen, Copy, Clone, Debug, PartialEq, Eq, TypeInfo, Default)]
pub struct SingularStakingInfo {
/// Amount staked before, if anything.
pub(crate) previous_staked: StakeAmount,
/// Staked amount
pub(crate) staked: StakeAmount,
/// Indicates whether a staker is a loyal staker or not.
pub(crate) loyal_staker: bool,
}
impl SingularStakingInfo {
/// Creates new instance of the struct.
///
/// ## Args
///
/// `period` - period number for which this entry is relevant.
/// `subperiod` - subperiod during which this entry is created.
pub(crate) fn new(period: PeriodNumber, subperiod: Subperiod) -> Self {
Self {
previous_staked: Default::default(),
staked: StakeAmount {
period,
..Default::default()
},
// Loyalty staking is only possible if stake is first made during the voting subperiod.
loyal_staker: subperiod == Subperiod::Voting,
}
}
/// Stake the specified amount on the contract, for the specified subperiod.
pub fn stake(&mut self, amount: Balance, current_era: EraNumber, subperiod: Subperiod) {
// Keep the previous stake amount for future reference
self.previous_staked = self.staked;
self.previous_staked.era = current_era;
if self.previous_staked.total().is_zero() {
self.previous_staked = Default::default();
}
// Stake is only valid from the next era so we keep it consistent here
self.staked.add(amount, subperiod);
self.staked.era = current_era.saturating_add(1);
}
/// Unstakes some of the specified amount from the contract.
///
/// In case the `amount` being unstaked is larger than the amount staked in the `Voting` subperiod,
/// and `Voting` subperiod has passed, this will remove the _loyalty_ flag from the staker.
///
/// Returns a vector of `(era, amount)` pairs, where `era` is the era in which the unstake happened,
/// and the amount is the corresponding amount.
///
/// ### NOTE
/// `SingularStakingInfo` always aims to keep track of the staked amount between two consecutive eras.
/// This means that the returned value will at most cover two eras - the last staked era, and the one before it.
///
/// Last staked era can be the current era, or the era after.
pub fn unstake(
&mut self,
amount: Balance,
current_era: EraNumber,
subperiod: Subperiod,
) -> Vec<(EraNumber, Balance)> {
let mut result = Vec::new();
let staked_snapshot = self.staked;
// 1. Modify 'current' staked amount, and update the result.
self.staked.subtract(amount);
let unstaked_amount = staked_snapshot.total().saturating_sub(self.staked.total());
self.staked.era = self.staked.era.max(current_era);
result.push((self.staked.era, unstaked_amount));
// 2. Update loyal staker flag accordingly.
self.loyal_staker = self.loyal_staker
&& match subperiod {
Subperiod::Voting => !self.staked.voting.is_zero(),
Subperiod::BuildAndEarn => self.staked.voting == staked_snapshot.voting,
};
// 3. Determine what was the previous staked amount.
// This is done by simply comparing where does the _previous era_ fit in the current context.
let previous_era = self.staked.era.saturating_sub(1);
self.previous_staked = if staked_snapshot.era <= previous_era {
let mut previous_staked = staked_snapshot;
previous_staked.era = previous_era;
previous_staked
} else if !self.previous_staked.is_empty() && self.previous_staked.era <= previous_era {
let mut previous_staked = self.previous_staked;
previous_staked.era = previous_era;
previous_staked
} else {
Default::default()
};
// 4. Calculate how much is being unstaked from the previous staked era entry, in case its era equals the current era.
//
// Simples way to explain this is via an example.
// Let's assume a simplification where stake amount entries are in `(era, amount)` format.
//
// a. Values: previous_staked: **(2, 10)**, staked: **(3, 15)**
// b. User calls unstake during **era 2**, and unstakes amount **6**.
// Clearly some amount was staked during era 2, which resulted in era 3 stake being increased by 5.
// Calling unstake immediately in the same era should not necessarily reduce current era stake amount.
// This should be allowed to happen only if the unstaked amount is larger than the difference between the staked amount of two eras.
// c. Values: previous_staked: **(2, 9)**, staked: **(3, 9)**
//
// An alternative scenario, where user calls unstake during **era 2**, and unstakes amount **4**.
// c. Values: previous_staked: **(2, 10)**, staked: **(3, 11)**
//
// Note that the unstake operation didn't chip away from the current era, only the next one.
if self.previous_staked.era == current_era {
let maybe_stake_delta = staked_snapshot
.total()
.checked_sub(self.previous_staked.total());
match maybe_stake_delta {
Some(stake_delta) if unstaked_amount > stake_delta => {
let overflow_amount = unstaked_amount - stake_delta;
self.previous_staked.subtract(overflow_amount);
result.insert(0, (self.previous_staked.era, overflow_amount));
}
_ => {}
}
} else if self.staked.era == current_era {
// In case the `staked` era was already the current era, it also means we're chipping away from the future era.
result.push((self.staked.era.saturating_add(1), unstaked_amount));
}
// 5. Convenience cleanup
if self.previous_staked.is_empty() {
self.previous_staked = Default::default();
}
if self.staked.is_empty() {
self.staked = Default::default();
// No longer relevant.
self.previous_staked = Default::default();
}
result
}
/// Total staked on the contract by the user. Both subperiod stakes are included.
pub fn total_staked_amount(&self) -> Balance {
self.staked.total()
}
/// Returns amount staked in the specified period.
pub fn staked_amount(&self, subperiod: Subperiod) -> Balance {
self.staked.for_type(subperiod)
}
/// If `true` staker has staked during voting subperiod and has never reduced their sta
pub fn is_loyal(&self) -> bool {
self.loyal_staker
}
/// Period for which this entry is relevant.
pub fn period_number(&self) -> PeriodNumber {
self.staked.period
}
/// Era in which the entry was last time updated
pub fn era(&self) -> EraNumber {
self.staked.era
}
/// `true` if no stake exists, `false` otherwise.
pub fn is_empty(&self) -> bool {
self.staked.is_empty()
}
}
/// Composite type that holds information about how much was staked on a contract in up to two distinct eras.
///
/// This is needed since 'stake' operation only makes the staked amount valid from the next era.
/// In a situation when `stake` is called in era `N`, the staked amount is valid from era `N+1`, hence the need for 'future' entry.
///
/// **NOTE:** The 'future' entry term is only valid in the era when `stake` is called. It's possible contract stake isn't changed in consecutive eras,
/// so we might end up in a situation where era is `N + 10` but `staked` entry refers to era `N` and `staked_future` entry refers to era `N+1`.
/// This is still valid since these values are expected to be updated lazily.
#[derive(Encode, Decode, MaxEncodedLen, RuntimeDebug, PartialEq, Eq, Clone, TypeInfo, Default)]
pub struct ContractStakeAmount {
/// Staked amount in the 'current' era.
pub(crate) staked: StakeAmount,
/// Staked amount in the next or 'future' era.
pub(crate) staked_future: Option<StakeAmount>,
}
impl ContractStakeAmount {
/// `true` if series is empty, `false` otherwise.
pub fn is_empty(&self) -> bool {
self.staked.is_empty() && self.staked_future.is_none()
}
/// Latest period for which stake entry exists.
pub fn latest_stake_period(&self) -> Option<PeriodNumber> {
if let Some(stake_amount) = self.staked_future {
Some(stake_amount.period)
} else if !self.staked.is_empty() {
Some(self.staked.period)
} else {
None
}
}
/// Latest era for which stake entry exists.
pub fn latest_stake_era(&self) -> Option<EraNumber> {
if let Some(stake_amount) = self.staked_future {
Some(stake_amount.era)
} else if !self.staked.is_empty() {
Some(self.staked.era)
} else {
None
}
}
/// Returns the `StakeAmount` type for the specified era & period, if it exists.
pub fn get(&self, era: EraNumber, period: PeriodNumber) -> Option<StakeAmount> {
let mut maybe_result = match (self.staked, self.staked_future) {
(_, Some(staked_future)) if staked_future.era <= era => {
if staked_future.period == period {
Some(staked_future)
} else {
None
}
}
(staked, _) if staked.era <= era && staked.period == period => Some(staked),
_ => None,
};
if let Some(result) = maybe_result.as_mut() {
result.era = era;
}
maybe_result
}
/// Total staked amount on the contract, in the active period.
pub fn total_staked_amount(&self, active_period: PeriodNumber) -> Balance {
match (self.staked, self.staked_future) {
(_, Some(staked_future)) if staked_future.period == active_period => {
staked_future.total()
}
(staked, _) if staked.period == active_period => staked.total(),
_ => Balance::zero(),
}
}
/// Staked amount on the contract, for specified subperiod, in the active period.
pub fn staked_amount(&self, active_period: PeriodNumber, subperiod: Subperiod) -> Balance {
match (self.staked, self.staked_future) {
(_, Some(staked_future)) if staked_future.period == active_period => {
staked_future.for_type(subperiod)
}
(staked, _) if staked.period == active_period => staked.for_type(subperiod),
_ => Balance::zero(),
}
}
/// Stake the specified `amount` on the contract, for the specified `subperiod` and `era`.
pub fn stake(&mut self, amount: Balance, period_info: PeriodInfo, current_era: EraNumber) {
let stake_era = current_era.saturating_add(1);
match self.staked_future.as_mut() {
// Future entry matches the era, just updated it and return
Some(stake_amount) if stake_amount.era == stake_era => {
stake_amount.add(amount, period_info.subperiod);
return;
}
// Future entry has an older era, but periods match so overwrite the 'current' entry with it
Some(stake_amount) if stake_amount.period == period_info.number => {
self.staked = *stake_amount;
// Align the eras to keep it simple
self.staked.era = current_era;
}
// Otherwise do nothing
_ => (),
}
// Prepare new entry
let mut new_entry = match self.staked {
// 'current' entry period matches so we use it as base for the new entry
stake_amount if stake_amount.period == period_info.number => stake_amount,
// otherwise just create a dummy new entry
_ => Default::default(),
};
new_entry.add(amount, period_info.subperiod);
new_entry.era = stake_era;
new_entry.period = period_info.number;
self.staked_future = Some(new_entry);
// Convenience cleanup
if self.staked.period < period_info.number {
self.staked = Default::default();
}
}
/// Unstake the specified `(era, amount)` pairs from the contract.
// Important to account for the ongoing specified `subperiod` and `era` in order to align the entries.
pub fn unstake(
&mut self,
era_and_amount_pairs: Vec<(EraNumber, Balance)>,
period_info: PeriodInfo,
current_era: EraNumber,
) {
// 1. Entry alignment
// We only need to keep track of the current era, and the next one.
match self.staked_future {
// Future entry exists, but it covers current or older era.
Some(stake_amount)
if stake_amount.era <= current_era && stake_amount.period == period_info.number =>
{
self.staked = stake_amount;
self.staked.era = current_era;
self.staked_future = None;
}
_ => (),
}
// Current entry is from the right period, but older era. Shift it to the current era.
if self.staked.era < current_era && self.staked.period == period_info.number {
self.staked.era = current_era;
}
// 2. Value updates - only after alignment
for (era, amount) in era_and_amount_pairs {
if self.staked.era == era {
self.staked.subtract(amount);
continue;
}
match self.staked_future.as_mut() {
Some(future_stake_amount) if future_stake_amount.era == era => {
future_stake_amount.subtract(amount);
}
// Otherwise do nothing
_ => (),
}
}
// 3. Convenience cleanup
if self.staked.is_empty() {
self.staked = Default::default();
}
if let Some(stake_amount) = self.staked_future {
if stake_amount.is_empty() {
self.staked_future = None;
}
}
}
}
/// Information required for staker reward payout for a particular era.
#[derive(Encode, Decode, MaxEncodedLen, Clone, Copy, Debug, PartialEq, Eq, TypeInfo, Default)]
pub struct EraReward {
/// Total reward pool for staker rewards
#[codec(compact)]
pub(crate) staker_reward_pool: Balance,
/// Total amount which was staked at the end of an era
#[codec(compact)]
pub(crate) staked: Balance,
/// Total reward pool for dApp rewards
#[codec(compact)]
pub(crate) dapp_reward_pool: Balance,
}
impl EraReward {
/// Total reward pool for staker rewards.
pub fn staker_reward_pool(&self) -> Balance {
self.staker_reward_pool
}
/// Total amount which was staked at the end of an era.
pub fn staked(&self) -> Balance {
self.staked
}
/// Total reward pool for dApp rewards
pub fn dapp_reward_pool(&self) -> Balance {
self.dapp_reward_pool
}
}
#[derive(Encode, Decode, MaxEncodedLen, Clone, Copy, Debug, PartialEq, Eq, TypeInfo)]
pub enum EraRewardSpanError {
/// Provided era is invalid. Must be exactly one era after the last one in the span.
InvalidEra,
/// Span has no more capacity for additional entries.
NoCapacity,
}
/// Used to efficiently store era span information.
#[derive(
Encode,
Decode,
MaxEncodedLen,
RuntimeDebugNoBound,
PartialEqNoBound,
DefaultNoBound,
EqNoBound,
CloneNoBound,
TypeInfo,
)]
#[scale_info(skip_type_params(SL))]
pub struct EraRewardSpan<SL: Get<u32>> {
/// Span of EraRewardInfo entries.
pub(crate) span: BoundedVec<EraReward, SL>,
/// The first era in the span.
#[codec(compact)]
first_era: EraNumber,
/// The final era in the span.
#[codec(compact)]
last_era: EraNumber,
}
impl<SL> EraRewardSpan<SL>
where
SL: Get<u32>,
{
/// Create new instance of the `EraRewardSpan`
pub(crate) fn new() -> Self {
Self {
span: Default::default(),
first_era: 0,
last_era: 0,
}
}
/// First era covered in the span.
pub fn first_era(&self) -> EraNumber {
self.first_era
}
/// Last era covered in the span
pub fn last_era(&self) -> EraNumber {
self.last_era
}
/// Span length.
pub fn len(&self) -> usize {
self.span.len()
}
/// `true` if span is empty, `false` otherwise.
pub fn is_empty(&self) -> bool {
self.span.is_empty()
}
/// Push new `EraReward` entry into the span.
/// If span is not empty, the provided `era` must be exactly one era after the last one in the span.
pub fn push(
&mut self,
era: EraNumber,
era_reward: EraReward,
) -> Result<(), EraRewardSpanError> {
// First entry, no checks, just set eras to the provided value.
if self.span.is_empty() {
self.first_era = era;
self.last_era = era;
self.span
.try_push(era_reward)
// Defensive check, should never happen since it means capacity is 'zero'.
.map_err(|_| EraRewardSpanError::NoCapacity)
} else {
// Defensive check to ensure next era rewards refers to era after the last one in the span.
if era != self.last_era.saturating_add(1) {
return Err(EraRewardSpanError::InvalidEra);
}
self.last_era = era;
self.span
.try_push(era_reward)
.map_err(|_| EraRewardSpanError::NoCapacity)
}
}
/// Get the `EraReward` entry for the specified `era`.
///
/// In case `era` is not covered by the span, `None` is returned.
pub fn get(&self, era: EraNumber) -> Option<&EraReward> {
match era.checked_sub(self.first_era()) {
Some(index) => self.span.get(index as usize),
None => None,
}
}
}
/// Description of tier entry requirement.
#[derive(
Encode,
Decode,
MaxEncodedLen,
Copy,
Clone,
Debug,
PartialEq,
Eq,
TypeInfo,
Serialize,
Deserialize,
)]
pub enum TierThreshold {
/// Entry into the tier is mandated by a fixed percentage of the total issuance as staked funds.
/// This value is constant and does not change between periods.
FixedPercentage { required_percentage: Perbill },
/// Entry into the tier is mandated by a percentage of the total issuance as staked funds.
/// The `percentage` is the amount required, which can change in-between periods, while `minimum_required_percentage`
/// is the minimum percentage that should not be reduced below.
DynamicPercentage {
percentage: Perbill,
minimum_required_percentage: Perbill,
},
}
impl TierThreshold {
/// Return threshold amount for the tier.
pub fn threshold(&self, total_issuance: Balance) -> Balance {
match self {
Self::DynamicPercentage { percentage, .. } => *percentage * total_issuance,
Self::FixedPercentage {
required_percentage,
} => *required_percentage * total_issuance,
}
}
}
/// Top level description of tier slot parameters used to calculate tier configuration.
#[derive(
Encode,
Decode,
MaxEncodedLen,
RuntimeDebugNoBound,
PartialEqNoBound,
DefaultNoBound,
EqNoBound,
CloneNoBound,
TypeInfo,
)]
#[scale_info(skip_type_params(NT))]
pub struct TierParameters<NT: Get<u32>> {
/// Reward distribution per tier, in percentage.
/// First entry refers to the first tier, and so on.
/// The sum of all values must not exceed 100%.
/// In case it is less, portion of rewards will never be distributed.
pub(crate) reward_portion: BoundedVec<Permill, NT>,
/// Distribution of number of slots per tier, in percentage.
/// First entry refers to the first tier, and so on.
/// The sum of all values must not exceed 100%.
/// In case it is less, slot capacity will never be fully filled.
pub(crate) slot_distribution: BoundedVec<Permill, NT>,
/// Requirements for entry into each tier.
/// First entry refers to the first tier, and so on.
pub(crate) tier_thresholds: BoundedVec<TierThreshold, NT>,
}
impl<NT: Get<u32>> TierParameters<NT> {
/// Check if configuration is valid.
/// All vectors are expected to have exactly the amount of entries as `number_of_tiers`.
pub fn is_valid(&self) -> bool {
// Reward portions sum should not exceed 100%.
if self
.reward_portion
.iter()
.fold(Some(Permill::zero()), |acc, permill| match acc {
Some(acc) => acc.checked_add(permill),
None => None,
})
.is_none()
{
return false;
}
// Slot distribution sum should not exceed 100%.
if self
.slot_distribution
.iter()
.fold(Some(Permill::zero()), |acc, permill| match acc {
Some(acc) => acc.checked_add(permill),
None => None,
})
.is_none()
{
return false;
}
let number_of_tiers: usize = NT::get() as usize;
number_of_tiers == self.reward_portion.len()
&& number_of_tiers == self.slot_distribution.len()
&& number_of_tiers == self.tier_thresholds.len()
}
}
/// Configuration of dApp tiers.
#[derive(
Encode,
Decode,
MaxEncodedLen,
RuntimeDebugNoBound,
PartialEqNoBound,
DefaultNoBound,
EqNoBound,
CloneNoBound,
TypeInfo,
)]
#[scale_info(skip_type_params(NT, T, P))]
pub struct TiersConfiguration<NT: Get<u32>, T: TierSlotsFunc, P: Get<FixedU128>> {
/// Number of slots per tier.
/// First entry refers to the first tier, and so on.
pub(crate) slots_per_tier: BoundedVec<u16, NT>,
/// Reward distribution per tier, in percentage.
/// First entry refers to the first tier, and so on.
/// The sum of all values must be exactly equal to 1.
pub(crate) reward_portion: BoundedVec<Permill, NT>,
/// Requirements for entry into each tier.
/// First entry refers to the first tier, and so on.
pub(crate) tier_thresholds: BoundedVec<Balance, NT>,
/// Phantom data to keep track of the tier slots function.
#[codec(skip)]
pub(crate) _phantom: PhantomData<(T, P)>,
}
impl<NT: Get<u32>, T: TierSlotsFunc, P: Get<FixedU128>> TiersConfiguration<NT, T, P> {
/// Check if parameters are valid.
pub fn is_valid(&self) -> bool {
let number_of_tiers: usize = NT::get() as usize;
number_of_tiers == self.slots_per_tier.len()
// All vector length must match number of tiers.
&& number_of_tiers == self.reward_portion.len()
&& number_of_tiers == self.tier_thresholds.len()
}
/// Calculate the total number of slots.
pub fn total_number_of_slots(&self) -> u16 {
self.slots_per_tier.iter().copied().sum()
}
/// Calculate new `TiersConfiguration`, based on the old settings, current native currency price and tier configuration.
pub fn calculate_new(
&self,
params: &TierParameters<NT>,
native_price: FixedU128,
total_issuance: Balance,
) -> Self {
// It must always be at least 1 slot.
let base_number_of_slots = T::number_of_slots(P::get()).max(1);
let new_number_of_slots = T::number_of_slots(native_price).max(1);
// Calculate how much each tier gets slots.
let new_slots_per_tier: Vec<u16> = params
.slot_distribution
.clone()
.into_inner()
.iter()
.map(|percent| *percent * new_number_of_slots as u128)
.map(|x| x.unique_saturated_into())
.collect();
let new_slots_per_tier =
BoundedVec::<u16, NT>::try_from(new_slots_per_tier).unwrap_or_default();
// NOTE: even though we could ignore the situation when the new & base slot numbers are equal, it's necessary to re-calculate it since
// other params related to calculation might have changed.
let delta_threshold = if new_number_of_slots >= base_number_of_slots {
FixedU128::from_rational(
(new_number_of_slots - base_number_of_slots).into(),
new_number_of_slots.into(),
)
} else {
FixedU128::from_rational(
(base_number_of_slots - new_number_of_slots).into(),
new_number_of_slots.into(),
)
};
// Update tier thresholds.
// In case number of slots increase, we decrease thresholds required to enter the tier.
// In case number of slots decrease, we increase the threshold required to enter the tier.
//
// According to formula: %delta_threshold = (100% / (100% - delta_%_slots) - 1) * 100%
//
// where delta_%_slots is simply: (base_num_slots - new_num_slots) / base_num_slots
//
// `base_num_slots` is the number of slots at the base native currency price.
//
// When these entries are put into the threshold formula, we get:
// = 1 / ( 1 - (base_num_slots - new_num_slots) / base_num_slots ) - 1
// = 1 / ( new / base) - 1
// = base / new - 1
// = (base - new) / new
//
// This number can be negative. In order to keep all operations in unsigned integer domain,
// formulas are adjusted like:
//
// 1. Number of slots has increased, threshold is expected to decrease
// %delta_threshold = (new_num_slots - base_num_slots) / new_num_slots
// new_threshold = base_threshold * (1 - %delta_threshold)
//
// 2. Number of slots has decreased, threshold is expected to increase
// %delta_threshold = (base_num_slots - new_num_slots) / new_num_slots
// new_threshold = base_threshold * (1 + %delta_threshold)
//
let new_tier_thresholds: BoundedVec<Balance, NT> = params
.tier_thresholds
.clone()
.iter()
.map(|threshold| match threshold {
TierThreshold::DynamicPercentage {
percentage,
minimum_required_percentage,
} => {
let amount = *percentage * total_issuance;
let adjusted_amount = if new_number_of_slots >= base_number_of_slots {
amount.saturating_sub(delta_threshold.saturating_mul_int(amount))
} else {
amount.saturating_add(delta_threshold.saturating_mul_int(amount))
};
let minimum_amount = *minimum_required_percentage * total_issuance;
adjusted_amount.max(minimum_amount)
}
TierThreshold::FixedPercentage {
required_percentage,
} => *required_percentage * total_issuance,
})
.collect::<Vec<_>>()
.try_into()
.unwrap_or_default();
Self {
slots_per_tier: new_slots_per_tier,
reward_portion: params.reward_portion.clone(),
tier_thresholds: new_tier_thresholds,
_phantom: Default::default(),
}
}
}
/// Information about all of the dApps that got into tiers, and tier rewards
#[derive(
Encode,
Decode,
MaxEncodedLen,
RuntimeDebugNoBound,
PartialEqNoBound,
DefaultNoBound,
EqNoBound,
CloneNoBound,
TypeInfo,
)]
#[scale_info(skip_type_params(MD, NT))]
pub struct DAppTierRewards<MD: Get<u32>, NT: Get<u32>> {
/// DApps and their corresponding tiers (or `None` if they have been claimed in the meantime)
pub(crate) dapps: BoundedBTreeMap<DAppId, RankedTier, MD>,
/// Rewards for each tier. First entry refers to the first tier, and so on.
pub(crate) rewards: BoundedVec<Balance, NT>,
/// Period during which this struct was created.
#[codec(compact)]
pub(crate) period: PeriodNumber,
/// Rank reward for each tier. First entry refers to the first tier, and so on.
pub(crate) rank_rewards: BoundedVec<Balance, NT>,
}
impl<MD: Get<u32>, NT: Get<u32>> DAppTierRewards<MD, NT> {
/// Attempt to construct `DAppTierRewards` struct.
/// If the provided arguments exceed the allowed capacity, return an error.
pub(crate) fn new(
dapps: BTreeMap<DAppId, RankedTier>,
rewards: Vec<Balance>,
period: PeriodNumber,
rank_rewards: Vec<Balance>,
) -> Result<Self, ()> {
let dapps = BoundedBTreeMap::try_from(dapps).map_err(|_| ())?;
let rewards = BoundedVec::try_from(rewards).map_err(|_| ())?;
let rank_rewards = BoundedVec::try_from(rank_rewards).map_err(|_| ())?;
Ok(Self {
dapps,
rewards,
period,
rank_rewards,
})
}
/// Consume reward for the specified dapp id, returning its amount and tier Id.
/// In case dapp isn't applicable for rewards, or they have already been consumed, returns `None`.
pub fn try_claim(&mut self, dapp_id: DAppId) -> Result<(Balance, RankedTier), DAppTierError> {
// Check if dApp Id exists.
let ranked_tier = self
.dapps
.remove(&dapp_id)
.ok_or(DAppTierError::NoDAppInTiers)?;
let (tier_id, rank) = ranked_tier.deconstruct();
let mut amount = self
.rewards
.get(tier_id as usize)
.map_or(Balance::zero(), |x| *x);
let reward_per_rank = self
.rank_rewards
.get(tier_id as usize)
.map_or(Balance::zero(), |x| *x);
let additional_reward = reward_per_rank.saturating_mul(rank.into());
amount = amount.saturating_add(additional_reward);
Ok((amount, ranked_tier))
}
}
#[derive(Copy, Clone, Debug, PartialEq, Eq)]
pub enum DAppTierError {
/// Specified dApp Id doesn't exist in any tier.
NoDAppInTiers,
/// Internal, unexpected error occurred.
InternalError,
}
/// Describes which entries are next in line for cleanup.
#[derive(Encode, Decode, MaxEncodedLen, Copy, Clone, Debug, PartialEq, Eq, TypeInfo, Default)]
pub struct CleanupMarker {
/// Era reward span index that should be checked & cleaned up next.
#[codec(compact)]
pub(crate) era_reward_index: EraNumber,
/// dApp tier rewards index that should be checked & cleaned up next.
#[codec(compact)]
pub(crate) dapp_tiers_index: EraNumber,
/// Oldest valid era or earliest era in the oldest valid period.
#[codec(compact)]
pub(crate) oldest_valid_era: EraNumber,
}
impl CleanupMarker {
/// Used to check whether there are any pending cleanups, according to marker values.
pub(crate) fn has_pending_cleanups(&self) -> bool {
self.era_reward_index != self.oldest_valid_era
|| self.dapp_tiers_index != self.oldest_valid_era
}
}