Polygon Sponsored slots available. Book your slot here!
Contract Overview
Balance:
0 MATIC
MATIC Value:
$0.00
My Name Tag:
Not Available, login to update
Latest 1 internal transaction
Parent Txn Hash | Block | From | To | Value | |||
---|---|---|---|---|---|---|---|
0x5e7255c23a46c867caed66b2be44042fddd50c3f6df917802fa0692a9a19fffa | 28479198 | 317 days 12 hrs ago | 0x807fbb1515fcfd5574b8d5ffa6e4b831d7897987 | Contract Creation | 0 MATIC |
[ Download CSV Export ]
Contract Name:
ERC20TransferTier
Compiler Version
v0.8.10+commit.fc410830
Contract Source Code (Solidity Standard Json-Input format)
// SPDX-License-Identifier: CAL pragma solidity =0.8.10; import "@openzeppelin/contracts/proxy/utils/Initializable.sol"; import {IERC20} from "@openzeppelin/contracts/token/ERC20/IERC20.sol"; //solhint-disable-next-line max-line-length import {SafeERC20} from "@openzeppelin/contracts/token/ERC20/utils/SafeERC20.sol"; import "../math/SaturatingMath.sol"; import {TierReport} from "./libraries/TierReport.sol"; import {ValueTier} from "./ValueTier.sol"; import "./ReadWriteTier.sol"; /// @param erc20_ The erc20 token contract to transfer balances /// from/to during `setTier`. /// @param tierValues_ 8 values corresponding to minimum erc20 /// balances for tiers ONE through EIGHT. struct ERC20TransferTierConfig { IERC20 erc20; uint256[8] tierValues; } /// @title ERC20TransferTier /// @notice `ERC20TransferTier` inherits from `ReadWriteTier`. /// /// In addition to the standard accounting it requires that users transfer /// erc20 tokens to achieve a tier. /// /// Data is ignored, the only requirement is that the user has approved /// sufficient balance to gain the next tier. /// /// To avoid griefing attacks where accounts remove tiers from arbitrary third /// parties, we `require(msg.sender == account_);` when a tier is removed. /// When a tier is added the `msg.sender` is responsible for payment. /// /// The 8 values for gainable tiers and erc20 contract must be set upon /// construction and are immutable. /// /// The `_afterSetTier` simply transfers the diff between the start/end tier /// to/from the user as required. /// /// If a user sends erc20 tokens directly to the contract without calling /// `setTier` the FUNDS ARE LOST. /// /// @dev The `ERC20TransferTier` takes ownership of an erc20 balance by /// transferring erc20 token to itself. The `msg.sender` must pay the /// difference on upgrade; the tiered address receives refunds on downgrade. /// This allows users to "gift" tiers to each other. /// As the transfer is a state changing event we can track historical block /// times. /// As the tiered address moves up/down tiers it sends/receives the value /// difference between its current tier only. /// /// The user is required to preapprove enough erc20 to cover the tier change or /// they will fail and lose gas. /// /// `ERC20TransferTier` is useful for: /// - Claims that rely on historical holdings so the tiered address /// cannot simply "flash claim" /// - Token demand and lockup where liquidity (trading) is a secondary goal /// - erc20 tokens without additonal restrictions on transfer contract ERC20TransferTier is ReadWriteTier, ValueTier, Initializable { using SafeERC20 for IERC20; using SaturatingMath for uint256; /// Result of initialize. /// @param sender `msg.sender` of the initialize. /// @param erc20 erc20 to transfer. event Initialize(address sender, address erc20); /// The erc20 to transfer balances of. IERC20 internal erc20; /// @param config_ Constructor config. function initialize(ERC20TransferTierConfig memory config_) external initializer { initializeValueTier(config_.tierValues); erc20 = config_.erc20; emit Initialize(msg.sender, address(config_.erc20)); } /// Transfers balances of erc20 from/to the tiered account according to the /// difference in values. Any failure to transfer in/out will rollback the /// tier change. The tiered account must ensure sufficient approvals before /// attempting to set a new tier. /// The `msg.sender` is responsible for paying the token cost of a tier /// increase. /// The tiered account is always the recipient of a refund on a tier /// decrease. /// @inheritdoc ReadWriteTier function _afterSetTier( address account_, uint256 startTier_, uint256 endTier_, bytes calldata ) internal override { // As _anyone_ can call `setTier` we require that `msg.sender` and // `account_` are the same if the end tier is not an improvement. // Anyone can increase anyone else's tier as the `msg.sender` is // responsible to pay the difference. if (endTier_ <= startTier_) { require(msg.sender == account_, "DELEGATED_TIER_LOSS"); } uint256[8] memory tierValues_ = tierValues(); // Handle the erc20 transfer. // Convert the start tier to an erc20 amount. uint256 startValue_ = tierToValue(tierValues_, startTier_); // Convert the end tier to an erc20 amount. uint256 endValue_ = tierToValue(tierValues_, endTier_); unchecked { // Short circuit if the values are the same for both tiers. if (endValue_ == startValue_) { return; } if (endValue_ > startValue_) { // Going up, take ownership of erc20 from the `msg.sender`. erc20.safeTransferFrom( msg.sender, address(this), endValue_ - startValue_ ); } else { // Going down, process a refund for the tiered account. // Guaranteed to be `msg.sender` for a tier loss (see above) and // using `msg.sender` is cheaper gas than using `account_`. erc20.safeTransfer(msg.sender, startValue_ - endValue_); } } } }
// SPDX-License-Identifier: CAL pragma solidity =0.8.10; /// @title SaturatingMath /// @notice Sometimes we neither want math operations to error nor wrap around /// on an overflow or underflow. In the case of transferring assets an error /// may cause assets to be locked in an irretrievable state within the erroring /// contract, e.g. due to a tiny rounding/calculation error. We also can't have /// assets underflowing and attempting to approve/transfer "infinity" when we /// wanted "almost or exactly zero" but some calculation bug underflowed zero. /// Ideally there are no calculation mistakes, but in guarding against bugs it /// may be safer pragmatically to saturate arithmatic at the numeric bounds. /// Note that saturating div is not supported because 0/0 is undefined. library SaturatingMath { /// Saturating addition. /// @param a_ First term. /// @param b_ Second term. /// @return Minimum of a_ + b_ and max uint256. function saturatingAdd(uint256 a_, uint256 b_) internal pure returns (uint256) { unchecked { uint256 c_ = a_ + b_; return c_ < a_ ? type(uint256).max : c_; } } /// Saturating subtraction. /// @param a_ Minuend. /// @param b_ Subtrahend. /// @return Maximum of a_ - b_ and 0. function saturatingSub(uint256 a_, uint256 b_) internal pure returns (uint256) { unchecked { return a_ > b_ ? a_ - b_ : 0; } } /// Saturating multiplication. /// @param a_ First term. /// @param b_ Second term. /// @return Minimum of a_ * b_ and max uint256. function saturatingMul(uint256 a_, uint256 b_) internal pure returns (uint256) { unchecked { // Gas optimization: this is cheaper than requiring 'a' not being // zero, but the benefit is lost if 'b' is also tested. // https://github.com/OpenZeppelin/openzeppelin-contracts/pull/522 if (a_ == 0) return 0; uint256 c_ = a_ * b_; return c_ / a_ != b_ ? type(uint256).max : c_; } } }
// SPDX-License-Identifier: CAL pragma solidity =0.8.10; import {ITier} from "../ITier.sol"; import "./TierConstants.sol"; /// @title TierReport /// @notice `TierReport` implements several pure functions that can be /// used to interface with reports. /// - `tierAtBlockFromReport`: Returns the highest status achieved relative to /// a block number and report. Statuses gained after that block are ignored. /// - `tierBlock`: Returns the block that a given tier has been held /// since according to a report. /// - `truncateTiersAbove`: Resets all the tiers above the reference tier. /// - `updateBlocksForTierRange`: Updates a report with a block /// number for every tier in a range. /// - `updateReportWithTierAtBlock`: Updates a report to a new tier. /// @dev Utilities to consistently read, write and manipulate tiers in reports. /// The low-level bit shifting can be difficult to get right so this /// factors that out. library TierReport { /// Enforce upper limit on tiers so we can do unchecked math. /// @param tier_ The tier to enforce bounds on. modifier maxTier(uint256 tier_) { require(tier_ <= TierConstants.MAX_TIER, "MAX_TIER"); _; } /// Returns the highest tier achieved relative to a block number /// and report. /// /// Note that typically the report will be from the _current_ contract /// state, i.e. `block.number` but not always. Tiers gained after the /// reference block are ignored. /// /// When the `report` comes from a later block than the `blockNumber` this /// means the user must have held the tier continuously from `blockNumber` /// _through_ to the report block. /// I.e. NOT a snapshot. /// /// @param report_ A report as per `ITier`. /// @param blockNumber_ The block number to check the tiers against. /// @return The highest tier held since `blockNumber` as per `report`. function tierAtBlockFromReport(uint256 report_, uint256 blockNumber_) internal pure returns (uint256) { unchecked { for (uint256 i_ = 0; i_ < 8; i_++) { if (uint32(uint256(report_ >> (i_ * 32))) > blockNumber_) { return i_; } } return TierConstants.MAX_TIER; } } /// Returns the block that a given tier has been held since from a report. /// /// The report MUST encode "never" as 0xFFFFFFFF. This ensures /// compatibility with `tierAtBlockFromReport`. /// /// @param report_ The report to read a block number from. /// @param tier_ The Tier to read the block number for. /// @return The block number this has been held since. function tierBlock(uint256 report_, uint256 tier_) internal pure maxTier(tier_) returns (uint256) { unchecked { // ZERO is a special case. Everyone has always been at least ZERO, // since block 0. if (tier_ == 0) { return 0; } uint256 offset_ = (tier_ - 1) * 32; return uint256(uint32(uint256(report_ >> offset_))); } } /// Resets all the tiers above the reference tier to 0xFFFFFFFF. /// /// @param report_ Report to truncate with high bit 1s. /// @param tier_ Tier to truncate above (exclusive). /// @return Truncated report. function truncateTiersAbove(uint256 report_, uint256 tier_) internal pure maxTier(tier_) returns (uint256) { unchecked { uint256 offset_ = tier_ * 32; uint256 mask_ = (TierConstants.NEVER_REPORT >> offset_) << offset_; return report_ | mask_; } } /// Updates a report with a block number for a given tier. /// More gas efficient than `updateBlocksForTierRange` if only a single /// tier is being modified. /// The tier at/above the given tier is updated. E.g. tier `0` will update /// the block for tier `1`. /// @param report_ Report to use as the baseline for the updated report. /// @param tier_ The tier level to update. /// @param blockNumber_ The new block number for `tier_`. function updateBlockAtTier( uint256 report_, uint256 tier_, uint256 blockNumber_ ) internal pure maxTier(tier_) returns (uint256) { unchecked { uint256 offset_ = tier_ * 32; return (report_ & ~uint256(uint256(TierConstants.NEVER_TIER) << offset_)) | uint256(blockNumber_ << offset_); } } /// Updates a report with a block number for every tier in a range. /// /// Does nothing if the end status is equal or less than the start tier. /// @param report_ The report to update. /// @param startTier_ The tier at the start of the range (exclusive). /// @param endTier_ The tier at the end of the range (inclusive). /// @param blockNumber_ The block number to set for every tier in the /// range. /// @return The updated report. function updateBlocksForTierRange( uint256 report_, uint256 startTier_, uint256 endTier_, uint256 blockNumber_ ) internal pure maxTier(endTier_) returns (uint256) { unchecked { uint256 offset_; for (uint256 i_ = startTier_; i_ < endTier_; i_++) { offset_ = i_ * 32; report_ = (report_ & ~uint256( uint256(TierConstants.NEVER_TIER) << offset_ )) | uint256(blockNumber_ << offset_); } return report_; } } /// Updates a report to a new status. /// /// Internally dispatches to `truncateTiersAbove` and /// `updateBlocksForTierRange`. /// The dispatch is based on whether the new tier is above or below the /// current tier. /// The `startTier_` MUST match the result of `tierAtBlockFromReport`. /// It is expected the caller will know the current tier when /// calling this function and need to do other things in the calling scope /// with it. /// /// @param report_ The report to update. /// @param startTier_ The tier to start updating relative to. Data above /// this tier WILL BE LOST so probably should be the current tier. /// @param endTier_ The new highest tier held, at the given block number. /// @param blockNumber_ The block number to update the highest tier to, and /// intermediate tiers from `startTier_`. /// @return The updated report. function updateReportWithTierAtBlock( uint256 report_, uint256 startTier_, uint256 endTier_, uint256 blockNumber_ ) internal pure returns (uint256) { return endTier_ < startTier_ ? truncateTiersAbove(report_, endTier_) : updateBlocksForTierRange( report_, startTier_, endTier_, blockNumber_ ); } }
// SPDX-License-Identifier: CAL pragma solidity ^0.8.0; /// @title ITier /// @notice `ITier` is a simple interface that contracts can /// implement to provide membership lists for other contracts. /// /// There are many use-cases for a time-preserving conditional membership list. /// /// Some examples include: /// /// - Self-serve whitelist to participate in fundraising /// - Lists of users who can claim airdrops and perks /// - Pooling resources with implied governance/reward tiers /// - POAP style attendance proofs allowing access to future exclusive events /// /// @dev Standard interface to a tiered membership. /// /// A "membership" can represent many things: /// - Exclusive access. /// - Participation in some event or process. /// - KYC completion. /// - Combination of sub-memberships. /// - Etc. /// /// The high level requirements for a contract implementing `ITier`: /// - MUST represent held tiers as a `uint`. /// - MUST implement `report`. /// - The report is a `uint256` that SHOULD represent the block each tier has /// been continuously held since encoded as `uint32`. /// - The encoded tiers start at `1`; Tier `0` is implied if no tier has ever /// been held. /// - Tier `0` is NOT encoded in the report, it is simply the fallback value. /// - If a tier is lost the block data is erased for that tier and will be /// set if/when the tier is regained to the new block. /// - If a tier is held but the historical block information is not available /// the report MAY return `0x00000000` for all held tiers. /// - Tiers that are lost or have never been held MUST return `0xFFFFFFFF`. /// - SHOULD implement `setTier`. /// - Contracts SHOULD revert with `SET_TIER` error if they cannot /// meaningfully set a tier directly. /// For example a contract that can only derive a membership tier by /// reading the state of an external contract cannot set tiers. /// - Contracts implementing `setTier` SHOULD error with `SET_ZERO_TIER` /// if tier 0 is being set. /// - MUST emit `TierChange` when `setTier` successfully writes a new tier. /// - Contracts that cannot meaningfully set a tier are exempt. /// /// So the four possible states and report values are: /// - Tier is held and block is known: Block is in the report /// - Tier is held but block is NOT known: `0` is in the report /// - Tier is NOT held: `0xFF..` is in the report /// - Tier is unknown: `0xFF..` is in the report interface ITier { /// Every time a tier changes we log start and end tier against the /// account. /// This MAY NOT be emitted if reports are being read from the state of an /// external contract. /// The start tier MAY be lower than the current tier as at the block this /// event is emitted in. /// @param sender The `msg.sender` that authorized the tier change. /// @param account The account changing tier. /// @param startTier The previous tier the account held. /// @param endTier The newly acquired tier the account now holds. /// @param data The associated data for the tier change. event TierChange( address sender, address account, uint256 startTier, uint256 endTier, bytes data ); /// @notice Users can set their own tier by calling `setTier`. /// /// The contract that implements `ITier` is responsible for checking /// eligibility and/or taking actions required to set the tier. /// /// For example, the contract must take/refund any tokens relevant to /// changing the tier. /// /// Obviously the user is responsible for any approvals for this action /// prior to calling `setTier`. /// /// When the tier is changed a `TierChange` event will be emmited as: /// ``` /// event TierChange(address account, uint startTier, uint endTier); /// ``` /// /// The `setTier` function includes arbitrary data as the third /// parameter. This can be used to disambiguate in the case that /// there may be many possible options for a user to achieve some tier. /// /// For example, consider the case where tier 3 can be achieved /// by EITHER locking 1x rare NFT or 3x uncommon NFTs. A user with both /// could use `data` to explicitly state their intent. /// /// NOTE however that _any_ address can call `setTier` for any other /// address. /// /// If you implement `data` or anything that changes state then be very /// careful to avoid griefing attacks. /// /// The `data` parameter can also be ignored by the contract implementing /// `ITier`. For example, ERC20 tokens are fungible so only the balance /// approved by the user is relevant to a tier change. /// /// The `setTier` function SHOULD prevent users from reassigning /// tier 0 to themselves. /// /// The tier 0 status represents never having any status. /// @dev Updates the tier of an account. /// /// The implementing contract is responsible for all checks and state /// changes required to set the tier. For example, taking/refunding /// funds/NFTs etc. /// /// Contracts may disallow directly setting tiers, preferring to derive /// reports from other onchain data. /// In this case they should `revert("SET_TIER");`. /// /// @param account Account to change the tier for. /// @param endTier Tier after the change. /// @param data Arbitrary input to disambiguate ownership /// (e.g. NFTs to lock). function setTier( address account, uint256 endTier, bytes calldata data ) external; /// @notice A tier report is a `uint256` that contains each of the block /// numbers each tier has been held continously since as a `uint32`. /// There are 9 possible tier, starting with tier 0 for `0` offset or /// "never held any tier" then working up through 8x 4 byte offsets to the /// full 256 bits. /// /// Low bits = Lower tier. /// /// In hexadecimal every 8 characters = one tier, starting at tier 8 /// from high bits and working down to tier 1. /// /// `uint32` should be plenty for any blockchain that measures block times /// in seconds, but reconsider if deploying to an environment with /// significantly sub-second block times. /// /// ~135 years of 1 second blocks fit into `uint32`. /// /// `2^8 / (365 * 24 * 60 * 60)` /// /// When a user INCREASES their tier they keep all the block numbers they /// already had, and get new block times for each increased tiers they have /// earned. /// /// When a user DECREASES their tier they return to `0xFFFFFFFF` (never) /// for every tier level they remove, but keep their block numbers for the /// remaining tiers. /// /// GUIs are encouraged to make this dynamic very clear for users as /// round-tripping to a lower status and back is a DESTRUCTIVE operation /// for block times. /// /// The intent is that downstream code can provide additional benefits for /// members who have maintained a certain tier for/since a long time. /// These benefits can be provided by inspecting the report, and by /// on-chain contracts directly, /// rather than needing to work with snapshots etc. /// @dev Returns the earliest block the account has held each tier for /// continuously. /// This is encoded as a uint256 with blocks represented as 8x /// concatenated uint32. /// I.e. Each 4 bytes of the uint256 represents a u32 tier start time. /// The low bits represent low tiers and high bits the high tiers. /// Implementing contracts should return 0xFFFFFFFF for lost and /// never-held tiers. /// /// @param account Account to get the report for. /// @return The report blocks encoded as a uint256. function report(address account) external view returns (uint256); }
// SPDX-License-Identifier: CAL pragma solidity =0.8.10; /// @title TierConstants /// @notice Constants for use with tier logic. library TierConstants { /// NEVER is 0xFF.. as it is infinitely in the future. /// NEVER for an entire report. uint256 internal constant NEVER_REPORT = type(uint256).max; /// NEVER for a single tier. uint32 internal constant NEVER_TIER = type(uint32).max; /// Always is 0 as it is the genesis block. /// Tiers can't predate the chain but they can predate an `ITier` contract. uint256 internal constant ALWAYS = 0; /// Account has never held a tier. uint256 internal constant TIER_ZERO = 0; /// Magic number for tier one. uint256 internal constant TIER_ONE = 1; /// Magic number for tier two. uint256 internal constant TIER_TWO = 2; /// Magic number for tier three. uint256 internal constant TIER_THREE = 3; /// Magic number for tier four. uint256 internal constant TIER_FOUR = 4; /// Magic number for tier five. uint256 internal constant TIER_FIVE = 5; /// Magic number for tier six. uint256 internal constant TIER_SIX = 6; /// Magic number for tier seven. uint256 internal constant TIER_SEVEN = 7; /// Magic number for tier eight. uint256 internal constant TIER_EIGHT = 8; /// Maximum tier is `TIER_EIGHT`. uint256 internal constant MAX_TIER = TIER_EIGHT; }
// SPDX-License-Identifier: CAL pragma solidity =0.8.10; import {ITier} from "./ITier.sol"; import "./libraries/TierConstants.sol"; import "../sstore2/SSTORE2.sol"; /// @title ValueTier /// /// @dev A contract that is `ValueTier` expects to derive tiers from explicit /// values. For example an address must send or hold an amount of something to /// reach a given tier. /// Anything with predefined values that map to tiers can be a `ValueTier`. /// /// Note that `ValueTier` does NOT implement `ITier`. /// `ValueTier` does include state however, to track the `tierValues` so is not /// a library. contract ValueTier { /// TODO: Typescript errors on uint256[8] so can't include tierValues here. /// @param sender The `msg.sender` initializing value tier. /// @param pointer Pointer to the uint256[8] values. event InitializeValueTier(address sender, address pointer); /// Pointer to the uint256[8] values. address private tierValuesPointer; /// Set the `tierValues` on construction to be referenced immutably. function initializeValueTier(uint256[8] memory tierValues_) internal { // Reinitialization is a bug. assert(tierValuesPointer == address(0)); unchecked { uint256 accumulator_ = 0; for (uint256 i_ = 0; i_ < 8; i_++) { require( tierValues_[i_] >= accumulator_, "OUT_OF_ORDER_TIER_VALUES" ); accumulator_ = tierValues_[i_]; } } address tierValuesPointer_ = SSTORE2.write(abi.encode(tierValues_)); emit InitializeValueTier(msg.sender, tierValuesPointer_); tierValuesPointer = tierValuesPointer_; } /// Complements the default solidity accessor for `tierValues`. /// Returns all the values in a list rather than requiring an index be /// specified. /// @return tierValues_ The immutable `tierValues`. function tierValues() public view returns (uint256[8] memory tierValues_) { return abi.decode(SSTORE2.read(tierValuesPointer), (uint256[8])); } /// Converts a Tier to the minimum value it requires. /// tier 0 is always value 0 as it is the fallback. /// @param tier_ The Tier to convert to a value. function tierToValue(uint256[8] memory tierValues_, uint256 tier_) internal pure returns (uint256) { unchecked { return tier_ > TierConstants.TIER_ZERO ? tierValues_[tier_ - 1] : 0; } } /// Converts a value to the maximum Tier it qualifies for. /// @param value_ The value to convert to a tier. function valueToTier(uint256[8] memory tierValues_, uint256 value_) internal pure returns (uint256) { for (uint256 i_ = 0; i_ < TierConstants.MAX_TIER; i_++) { if (value_ < tierValues_[i_]) { return i_; } } return TierConstants.MAX_TIER; } }
// SPDX-License-Identifier: MIT pragma solidity =0.8.10; import "./utils/Bytecode.sol"; /** @title A key-value storage with auto-generated keys for storing chunks of data with a lower write & read cost. @author Agustin Aguilar <[email protected]> Readme: https://github.com/0xsequence/sstore2#readme */ library SSTORE2 { error WriteError(); /** @notice Stores `_data` and returns `pointer` as key for later retrieval @dev The pointer is a contract address with `_data` as code @param _data to be written @return pointer Pointer to the written `_data` */ function write(bytes memory _data) internal returns (address pointer) { // Append 00 to _data so contract can't be called // Build init code bytes memory code = Bytecode.creationCodeFor( abi.encodePacked(hex"00", _data) ); // Deploy contract using create assembly { pointer := create(0, add(code, 32), mload(code)) } // Address MUST be non-zero if (pointer == address(0)) revert WriteError(); } /** @notice Reads the contents of the `_pointer` code as data, skips the first byte @dev The function is intended for reading pointers generated by `write` @param _pointer to be read @return data read from `_pointer` contract */ function read(address _pointer) internal view returns (bytes memory) { return Bytecode.codeAt(_pointer, 1, type(uint256).max); } /** @notice Reads the contents of the `_pointer` code as data, skips the first byte @dev The function is intended for reading pointers generated by `write` @param _pointer to be read @param _start number of bytes to skip @return data read from `_pointer` contract */ function read(address _pointer, uint256 _start) internal view returns (bytes memory) { return Bytecode.codeAt(_pointer, _start + 1, type(uint256).max); } /** @notice Reads the contents of the `_pointer` code as data, skips the first byte @dev The function is intended for reading pointers generated by `write` @param _pointer to be read @param _start number of bytes to skip @param _end index before which to end extraction @return data read from `_pointer` contract */ function read( address _pointer, uint256 _start, uint256 _end ) internal view returns (bytes memory) { return Bytecode.codeAt(_pointer, _start + 1, _end + 1); } }
// SPDX-License-Identifier: MIT pragma solidity =0.8.10; library Bytecode { error InvalidCodeAtRange(uint256 _size, uint256 _start, uint256 _end); /** @notice Generate a creation code that results on a contract with `_code` as bytecode @param _code The returning value of the resulting `creationCode` @return creationCode (constructor) for new contract */ function creationCodeFor(bytes memory _code) internal pure returns (bytes memory) { /* 0x00 0x63 0x63XXXXXX PUSH4 _code.length size 0x01 0x80 0x80 DUP1 size size 0x02 0x60 0x600e PUSH1 14 14 size size 0x03 0x60 0x6000 PUSH1 00 0 14 size size 0x04 0x39 0x39 CODECOPY size 0x05 0x60 0x6000 PUSH1 00 0 size 0x06 0xf3 0xf3 RETURN <CODE> */ return abi.encodePacked( hex"63", uint32(_code.length), hex"80_60_0E_60_00_39_60_00_F3", _code ); } /** @notice Returns the size of the code on a given address @param _addr Address that may or may not contain code @return size of the code on the given `_addr` */ function codeSize(address _addr) internal view returns (uint256 size) { assembly { size := extcodesize(_addr) } } /** @notice Returns the code of a given address @dev It will fail if `_end < _start` @param _addr Address that may or may not contain code @param _start number of bytes of code to skip on read @param _end index before which to end extraction @return oCode read from `_addr` deployed bytecode Forked: https://gist.github.com/KardanovIR/fe98661df9338c842b4a30306d507fbd */ function codeAt( address _addr, uint256 _start, uint256 _end ) internal view returns (bytes memory oCode) { uint256 csize = codeSize(_addr); if (csize == 0) return bytes(""); if (_start > csize) return bytes(""); if (_end < _start) revert InvalidCodeAtRange(csize, _start, _end); unchecked { uint256 reqSize = _end - _start; uint256 maxSize = csize - _start; uint256 size = maxSize < reqSize ? maxSize : reqSize; assembly { // allocate output byte array - this could also be done without // assembly // by using o_code = new bytes(size) oCode := mload(0x40) // new "memory end" including padding mstore( 0x40, add(oCode, and(add(add(size, 0x20), 0x1f), not(0x1f))) ) // store length in memory mstore(oCode, size) // actually retrieve the code, this needs assembly extcodecopy(_addr, add(oCode, 0x20), _start, size) } } } }
// SPDX-License-Identifier: CAL pragma solidity =0.8.10; import {ITier} from "./ITier.sol"; import "./libraries/TierConstants.sol"; import "./libraries/TierReport.sol"; /// @title ReadWriteTier /// @notice `ReadWriteTier` is a base contract that other contracts are /// expected to inherit. /// /// It handles all the internal accounting and state changes for `report` /// and `setTier`. /// /// It calls an `_afterSetTier` hook that inheriting contracts can override to /// enforce tier requirements. /// /// @dev ReadWriteTier can `setTier` in addition to generating reports. /// When `setTier` is called it automatically sets the current blocks in the /// report for the new tiers. Lost tiers are scrubbed from the report as tiered /// addresses move down the tiers. contract ReadWriteTier is ITier { /// account => reports mapping(address => uint256) private reports; /// Either fetch the report from storage or return UNINITIALIZED. /// @inheritdoc ITier function report(address account_) public view virtual override returns (uint256) { // Inequality here to silence slither warnings. return reports[account_] > 0 ? reports[account_] : TierConstants.NEVER_REPORT; } /// Errors if the user attempts to return to the ZERO tier. /// Updates the report from `report` using default `TierReport` logic. /// Calls `_afterSetTier` that inheriting contracts SHOULD /// override to enforce status requirements. /// Emits `TierChange` event. /// @inheritdoc ITier function setTier( address account_, uint256 endTier_, bytes calldata data_ ) external virtual override { // The user must move to at least tier 1. // The tier 0 status is reserved for users that have never // interacted with the contract. require(endTier_ > 0, "SET_ZERO_TIER"); uint256 report_ = report(account_); uint256 startTier_ = TierReport.tierAtBlockFromReport( report_, block.number ); reports[account_] = TierReport.updateReportWithTierAtBlock( report_, startTier_, endTier_, block.number ); // Emit this event for ITier. emit TierChange(msg.sender, account_, startTier_, endTier_, data_); // Call the `_afterSetTier` hook to allow inheriting contracts to // enforce requirements. // The inheriting contract MUST `require` or otherwise enforce its // needs to rollback a bad status change. _afterSetTier(account_, startTier_, endTier_, data_); } /// Inheriting contracts SHOULD override this to enforce requirements. /// /// All the internal accounting and state changes are complete at /// this point. /// Use `require` to enforce additional requirements for tier changes. /// /// @param account_ The account with the new tier. /// @param startTier_ The tier the account had before this update. /// @param endTier_ The tier the account will have after this update. /// @param data_ Additional arbitrary data to inform update requirements. function _afterSetTier( address account_, uint256 startTier_, uint256 endTier_, bytes calldata data_ ) internal virtual {} // solhint-disable-line no-empty-blocks }
// SPDX-License-Identifier: MIT // OpenZeppelin Contracts (last updated v4.5.0) (proxy/utils/Initializable.sol) pragma solidity ^0.8.0; import "../../utils/Address.sol"; /** * @dev This is a base contract to aid in writing upgradeable contracts, or any kind of contract that will be deployed * behind a proxy. Since proxied contracts do not make use of a constructor, it's common to move constructor logic to an * external initializer function, usually called `initialize`. It then becomes necessary to protect this initializer * function so it can only be called once. The {initializer} modifier provided by this contract will have this effect. * * TIP: To avoid leaving the proxy in an uninitialized state, the initializer function should be called as early as * possible by providing the encoded function call as the `_data` argument to {ERC1967Proxy-constructor}. * * CAUTION: When used with inheritance, manual care must be taken to not invoke a parent initializer twice, or to ensure * that all initializers are idempotent. This is not verified automatically as constructors are by Solidity. * * [CAUTION] * ==== * Avoid leaving a contract uninitialized. * * An uninitialized contract can be taken over by an attacker. This applies to both a proxy and its implementation * contract, which may impact the proxy. To initialize the implementation contract, you can either invoke the * initializer manually, or you can include a constructor to automatically mark it as initialized when it is deployed: * * [.hljs-theme-light.nopadding] * ``` * /// @custom:oz-upgrades-unsafe-allow constructor * constructor() initializer {} * ``` * ==== */ abstract contract Initializable { /** * @dev Indicates that the contract has been initialized. */ bool private _initialized; /** * @dev Indicates that the contract is in the process of being initialized. */ bool private _initializing; /** * @dev Modifier to protect an initializer function from being invoked twice. */ modifier initializer() { // If the contract is initializing we ignore whether _initialized is set in order to support multiple // inheritance patterns, but we only do this in the context of a constructor, because in other contexts the // contract may have been reentered. require(_initializing ? _isConstructor() : !_initialized, "Initializable: contract is already initialized"); bool isTopLevelCall = !_initializing; if (isTopLevelCall) { _initializing = true; _initialized = true; } _; if (isTopLevelCall) { _initializing = false; } } /** * @dev Modifier to protect an initialization function so that it can only be invoked by functions with the * {initializer} modifier, directly or indirectly. */ modifier onlyInitializing() { require(_initializing, "Initializable: contract is not initializing"); _; } function _isConstructor() private view returns (bool) { return !Address.isContract(address(this)); } }
// SPDX-License-Identifier: MIT // OpenZeppelin Contracts (last updated v4.5.0) (utils/Address.sol) pragma solidity ^0.8.1; /** * @dev Collection of functions related to the address type */ library Address { /** * @dev Returns true if `account` is a contract. * * [IMPORTANT] * ==== * It is unsafe to assume that an address for which this function returns * false is an externally-owned account (EOA) and not a contract. * * Among others, `isContract` will return false for the following * types of addresses: * * - an externally-owned account * - a contract in construction * - an address where a contract will be created * - an address where a contract lived, but was destroyed * ==== * * [IMPORTANT] * ==== * You shouldn't rely on `isContract` to protect against flash loan attacks! * * Preventing calls from contracts is highly discouraged. It breaks composability, breaks support for smart wallets * like Gnosis Safe, and does not provide security since it can be circumvented by calling from a contract * constructor. * ==== */ function isContract(address account) internal view returns (bool) { // This method relies on extcodesize/address.code.length, which returns 0 // for contracts in construction, since the code is only stored at the end // of the constructor execution. return account.code.length > 0; } /** * @dev Replacement for Solidity's `transfer`: sends `amount` wei to * `recipient`, forwarding all available gas and reverting on errors. * * https://eips.ethereum.org/EIPS/eip-1884[EIP1884] increases the gas cost * of certain opcodes, possibly making contracts go over the 2300 gas limit * imposed by `transfer`, making them unable to receive funds via * `transfer`. {sendValue} removes this limitation. * * https://diligence.consensys.net/posts/2019/09/stop-using-soliditys-transfer-now/[Learn more]. * * IMPORTANT: because control is transferred to `recipient`, care must be * taken to not create reentrancy vulnerabilities. Consider using * {ReentrancyGuard} or the * https://solidity.readthedocs.io/en/v0.5.11/security-considerations.html#use-the-checks-effects-interactions-pattern[checks-effects-interactions pattern]. */ function sendValue(address payable recipient, uint256 amount) internal { require(address(this).balance >= amount, "Address: insufficient balance"); (bool success, ) = recipient.call{value: amount}(""); require(success, "Address: unable to send value, recipient may have reverted"); } /** * @dev Performs a Solidity function call using a low level `call`. A * plain `call` is an unsafe replacement for a function call: use this * function instead. * * If `target` reverts with a revert reason, it is bubbled up by this * function (like regular Solidity function calls). * * Returns the raw returned data. To convert to the expected return value, * use https://solidity.readthedocs.io/en/latest/units-and-global-variables.html?highlight=abi.decode#abi-encoding-and-decoding-functions[`abi.decode`]. * * Requirements: * * - `target` must be a contract. * - calling `target` with `data` must not revert. * * _Available since v3.1._ */ function functionCall(address target, bytes memory data) internal returns (bytes memory) { return functionCall(target, data, "Address: low-level call failed"); } /** * @dev Same as {xref-Address-functionCall-address-bytes-}[`functionCall`], but with * `errorMessage` as a fallback revert reason when `target` reverts. * * _Available since v3.1._ */ function functionCall( address target, bytes memory data, string memory errorMessage ) internal returns (bytes memory) { return functionCallWithValue(target, data, 0, errorMessage); } /** * @dev Same as {xref-Address-functionCall-address-bytes-}[`functionCall`], * but also transferring `value` wei to `target`. * * Requirements: * * - the calling contract must have an ETH balance of at least `value`. * - the called Solidity function must be `payable`. * * _Available since v3.1._ */ function functionCallWithValue( address target, bytes memory data, uint256 value ) internal returns (bytes memory) { return functionCallWithValue(target, data, value, "Address: low-level call with value failed"); } /** * @dev Same as {xref-Address-functionCallWithValue-address-bytes-uint256-}[`functionCallWithValue`], but * with `errorMessage` as a fallback revert reason when `target` reverts. * * _Available since v3.1._ */ function functionCallWithValue( address target, bytes memory data, uint256 value, string memory errorMessage ) internal returns (bytes memory) { require(address(this).balance >= value, "Address: insufficient balance for call"); require(isContract(target), "Address: call to non-contract"); (bool success, bytes memory returndata) = target.call{value: value}(data); return verifyCallResult(success, returndata, errorMessage); } /** * @dev Same as {xref-Address-functionCall-address-bytes-}[`functionCall`], * but performing a static call. * * _Available since v3.3._ */ function functionStaticCall(address target, bytes memory data) internal view returns (bytes memory) { return functionStaticCall(target, data, "Address: low-level static call failed"); } /** * @dev Same as {xref-Address-functionCall-address-bytes-string-}[`functionCall`], * but performing a static call. * * _Available since v3.3._ */ function functionStaticCall( address target, bytes memory data, string memory errorMessage ) internal view returns (bytes memory) { require(isContract(target), "Address: static call to non-contract"); (bool success, bytes memory returndata) = target.staticcall(data); return verifyCallResult(success, returndata, errorMessage); } /** * @dev Same as {xref-Address-functionCall-address-bytes-}[`functionCall`], * but performing a delegate call. * * _Available since v3.4._ */ function functionDelegateCall(address target, bytes memory data) internal returns (bytes memory) { return functionDelegateCall(target, data, "Address: low-level delegate call failed"); } /** * @dev Same as {xref-Address-functionCall-address-bytes-string-}[`functionCall`], * but performing a delegate call. * * _Available since v3.4._ */ function functionDelegateCall( address target, bytes memory data, string memory errorMessage ) internal returns (bytes memory) { require(isContract(target), "Address: delegate call to non-contract"); (bool success, bytes memory returndata) = target.delegatecall(data); return verifyCallResult(success, returndata, errorMessage); } /** * @dev Tool to verifies that a low level call was successful, and revert if it wasn't, either by bubbling the * revert reason using the provided one. * * _Available since v4.3._ */ function verifyCallResult( bool success, bytes memory returndata, string memory errorMessage ) internal pure returns (bytes memory) { if (success) { return returndata; } else { // Look for revert reason and bubble it up if present if (returndata.length > 0) { // The easiest way to bubble the revert reason is using memory via assembly assembly { let returndata_size := mload(returndata) revert(add(32, returndata), returndata_size) } } else { revert(errorMessage); } } } }
// SPDX-License-Identifier: MIT // OpenZeppelin Contracts (last updated v4.5.0) (token/ERC20/IERC20.sol) pragma solidity ^0.8.0; /** * @dev Interface of the ERC20 standard as defined in the EIP. */ interface IERC20 { /** * @dev Returns the amount of tokens in existence. */ function totalSupply() external view returns (uint256); /** * @dev Returns the amount of tokens owned by `account`. */ function balanceOf(address account) external view returns (uint256); /** * @dev Moves `amount` tokens from the caller's account to `to`. * * Returns a boolean value indicating whether the operation succeeded. * * Emits a {Transfer} event. */ function transfer(address to, uint256 amount) external returns (bool); /** * @dev Returns the remaining number of tokens that `spender` will be * allowed to spend on behalf of `owner` through {transferFrom}. This is * zero by default. * * This value changes when {approve} or {transferFrom} are called. */ function allowance(address owner, address spender) external view returns (uint256); /** * @dev Sets `amount` as the allowance of `spender` over the caller's tokens. * * Returns a boolean value indicating whether the operation succeeded. * * IMPORTANT: Beware that changing an allowance with this method brings the risk * that someone may use both the old and the new allowance by unfortunate * transaction ordering. One possible solution to mitigate this race * condition is to first reduce the spender's allowance to 0 and set the * desired value afterwards: * https://github.com/ethereum/EIPs/issues/20#issuecomment-263524729 * * Emits an {Approval} event. */ function approve(address spender, uint256 amount) external returns (bool); /** * @dev Moves `amount` tokens from `from` to `to` using the * allowance mechanism. `amount` is then deducted from the caller's * allowance. * * Returns a boolean value indicating whether the operation succeeded. * * Emits a {Transfer} event. */ function transferFrom( address from, address to, uint256 amount ) external returns (bool); /** * @dev Emitted when `value` tokens are moved from one account (`from`) to * another (`to`). * * Note that `value` may be zero. */ event Transfer(address indexed from, address indexed to, uint256 value); /** * @dev Emitted when the allowance of a `spender` for an `owner` is set by * a call to {approve}. `value` is the new allowance. */ event Approval(address indexed owner, address indexed spender, uint256 value); }
// SPDX-License-Identifier: MIT // OpenZeppelin Contracts v4.4.1 (token/ERC20/utils/SafeERC20.sol) pragma solidity ^0.8.0; import "../IERC20.sol"; import "../../../utils/Address.sol"; /** * @title SafeERC20 * @dev Wrappers around ERC20 operations that throw on failure (when the token * contract returns false). Tokens that return no value (and instead revert or * throw on failure) are also supported, non-reverting calls are assumed to be * successful. * To use this library you can add a `using SafeERC20 for IERC20;` statement to your contract, * which allows you to call the safe operations as `token.safeTransfer(...)`, etc. */ library SafeERC20 { using Address for address; function safeTransfer( IERC20 token, address to, uint256 value ) internal { _callOptionalReturn(token, abi.encodeWithSelector(token.transfer.selector, to, value)); } function safeTransferFrom( IERC20 token, address from, address to, uint256 value ) internal { _callOptionalReturn(token, abi.encodeWithSelector(token.transferFrom.selector, from, to, value)); } /** * @dev Deprecated. This function has issues similar to the ones found in * {IERC20-approve}, and its usage is discouraged. * * Whenever possible, use {safeIncreaseAllowance} and * {safeDecreaseAllowance} instead. */ function safeApprove( IERC20 token, address spender, uint256 value ) internal { // safeApprove should only be called when setting an initial allowance, // or when resetting it to zero. To increase and decrease it, use // 'safeIncreaseAllowance' and 'safeDecreaseAllowance' require( (value == 0) || (token.allowance(address(this), spender) == 0), "SafeERC20: approve from non-zero to non-zero allowance" ); _callOptionalReturn(token, abi.encodeWithSelector(token.approve.selector, spender, value)); } function safeIncreaseAllowance( IERC20 token, address spender, uint256 value ) internal { uint256 newAllowance = token.allowance(address(this), spender) + value; _callOptionalReturn(token, abi.encodeWithSelector(token.approve.selector, spender, newAllowance)); } function safeDecreaseAllowance( IERC20 token, address spender, uint256 value ) internal { unchecked { uint256 oldAllowance = token.allowance(address(this), spender); require(oldAllowance >= value, "SafeERC20: decreased allowance below zero"); uint256 newAllowance = oldAllowance - value; _callOptionalReturn(token, abi.encodeWithSelector(token.approve.selector, spender, newAllowance)); } } /** * @dev Imitates a Solidity high-level call (i.e. a regular function call to a contract), relaxing the requirement * on the return value: the return value is optional (but if data is returned, it must not be false). * @param token The token targeted by the call. * @param data The call data (encoded using abi.encode or one of its variants). */ function _callOptionalReturn(IERC20 token, bytes memory data) private { // We need to perform a low level call here, to bypass Solidity's return data size checking mechanism, since // we're implementing it ourselves. We use {Address.functionCall} to perform this call, which verifies that // the target address contains contract code and also asserts for success in the low-level call. bytes memory returndata = address(token).functionCall(data, "SafeERC20: low-level call failed"); if (returndata.length > 0) { // Return data is optional require(abi.decode(returndata, (bool)), "SafeERC20: ERC20 operation did not succeed"); } } }
{ "metadata": { "useLiteralContent": true }, "optimizer": { "enabled": true, "runs": 100000 }, "outputSelection": { "*": { "*": [ "evm.bytecode", "evm.deployedBytecode", "abi" ] } } }
Contract Security Audit
- No Contract Security Audit Submitted- Submit Audit Here
[{"inputs":[{"internalType":"uint256","name":"_size","type":"uint256"},{"internalType":"uint256","name":"_start","type":"uint256"},{"internalType":"uint256","name":"_end","type":"uint256"}],"name":"InvalidCodeAtRange","type":"error"},{"inputs":[],"name":"WriteError","type":"error"},{"anonymous":false,"inputs":[{"indexed":false,"internalType":"address","name":"sender","type":"address"},{"indexed":false,"internalType":"address","name":"erc20","type":"address"}],"name":"Initialize","type":"event"},{"anonymous":false,"inputs":[{"indexed":false,"internalType":"address","name":"sender","type":"address"},{"indexed":false,"internalType":"address","name":"pointer","type":"address"}],"name":"InitializeValueTier","type":"event"},{"anonymous":false,"inputs":[{"indexed":false,"internalType":"address","name":"sender","type":"address"},{"indexed":false,"internalType":"address","name":"account","type":"address"},{"indexed":false,"internalType":"uint256","name":"startTier","type":"uint256"},{"indexed":false,"internalType":"uint256","name":"endTier","type":"uint256"},{"indexed":false,"internalType":"bytes","name":"data","type":"bytes"}],"name":"TierChange","type":"event"},{"inputs":[{"components":[{"internalType":"contract IERC20","name":"erc20","type":"address"},{"internalType":"uint256[8]","name":"tierValues","type":"uint256[8]"}],"internalType":"struct ERC20TransferTierConfig","name":"config_","type":"tuple"}],"name":"initialize","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"address","name":"account_","type":"address"}],"name":"report","outputs":[{"internalType":"uint256","name":"","type":"uint256"}],"stateMutability":"view","type":"function"},{"inputs":[{"internalType":"address","name":"account_","type":"address"},{"internalType":"uint256","name":"endTier_","type":"uint256"},{"internalType":"bytes","name":"data_","type":"bytes"}],"name":"setTier","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[],"name":"tierValues","outputs":[{"internalType":"uint256[8]","name":"tierValues_","type":"uint256[8]"}],"stateMutability":"view","type":"function"}]
Contract Creation Code
608060405234801561001057600080fd5b50611441806100206000396000f3fe608060405234801561001057600080fd5b506004361061004c5760003560e01c806370230b39146100515780638a200fff1461006f578063a61e331514610084578063e053ea3114610097575b600080fd5b6100596100b8565b6040516100669190610f5a565b60405180910390f35b61008261007d366004610fb1565b6100fa565b005b610082610092366004611093565b610210565b6100aa6100a5366004611131565b61040d565b604051908152602001610066565b6100c0610f3b565b6001546100e29073ffffffffffffffffffffffffffffffffffffffff1661048a565b8060200190518101906100f5919061114e565b905090565b60008311610169576040517f08c379a000000000000000000000000000000000000000000000000000000000815260206004820152600d60248201527f5345545f5a45524f5f544945520000000000000000000000000000000000000060448201526064015b60405180910390fd5b60006101748561040d565b9050600061018282436104b8565b9050610190828287436104f2565b73ffffffffffffffffffffffffffffffffffffffff87166000908152602081905260409081902091909155517f38a6eea2baad9b582cfacaee65ba01dcf8fa591a082e5188dbf89cd8560228c8906101f3903390899085908a908a908a906111af565b60405180910390a1610208868287878761051f565b505050505050565b6001547501000000000000000000000000000000000000000000900460ff166102575760015474010000000000000000000000000000000000000000900460ff161561025b565b303b155b6102e7576040517f08c379a000000000000000000000000000000000000000000000000000000000815260206004820152602e60248201527f496e697469616c697a61626c653a20636f6e747261637420697320616c72656160448201527f647920696e697469616c697a65640000000000000000000000000000000000006064820152608401610160565b6001547501000000000000000000000000000000000000000000900460ff1615801561034e57600180547fffffffffffffffffffff0000ffffffffffffffffffffffffffffffffffffffff1675010100000000000000000000000000000000000000001790555b61035b8260200151610642565b8151600280547fffffffffffffffffffffffff00000000000000000000000000000000000000001673ffffffffffffffffffffffffffffffffffffffff90921691821790556040805133815260208101929092527fdc90fed0326ba91706deeac7eb34ac9f8b680734f9d782864dc29704d23bed6a910160405180910390a1801561040957600180547fffffffffffffffffffff00ffffffffffffffffffffffffffffffffffffffffff1690555b5050565b73ffffffffffffffffffffffffffffffffffffffff811660009081526020819052604081205461045d577fffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffff610484565b73ffffffffffffffffffffffffffffffffffffffff82166000908152602081905260409020545b92915050565b60606104848260017fffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffff6107db565b6000805b60088110156104e857828160200285901c63ffffffff1611156104e0579050610484565b6001016104bc565b5060089392505050565b600083831061050c57610507858585856108c4565b610516565b610516858461096a565b95945050505050565b8383116105a5573373ffffffffffffffffffffffffffffffffffffffff8616146105a5576040517f08c379a000000000000000000000000000000000000000000000000000000000815260206004820152601360248201527f44454c4547415445445f544945525f4c4f5353000000000000000000000000006044820152606401610160565b60006105af6100b8565b905060006105bd8287610a0a565b905060006105cb8387610a0a565b9050818114156105dd5750505061063b565b818111156106115760025461060c9073ffffffffffffffffffffffffffffffffffffffff163330858503610a3b565b610637565b6002546106379073ffffffffffffffffffffffffffffffffffffffff1633838503610b1d565b5050505b5050505050565b60015473ffffffffffffffffffffffffffffffffffffffff161561066857610668611235565b6000805b6008811015610716578183826008811061068857610688611264565b602002015110156106f5576040517f08c379a000000000000000000000000000000000000000000000000000000000815260206004820152601860248201527f4f55545f4f465f4f524445525f544945525f56414c55455300000000000000006044820152606401610160565b82816008811061070757610707611264565b6020020151915060010161066c565b505060006107428260405160200161072e9190610f5a565b604051602081830303815290604052610b78565b6040805133815273ffffffffffffffffffffffffffffffffffffffff831660208201529192507f18ebb958e85030233374c8eb79c1a72ee418770db7fb47a7de05d30c868ec958910160405180910390a1600180547fffffffffffffffffffffffff00000000000000000000000000000000000000001673ffffffffffffffffffffffffffffffffffffffff9290921691909117905550565b6060833b806107fa5750506040805160208101909152600081526108bd565b808411156108185750506040805160208101909152600081526108bd565b83831015610863576040517f2c4a89fa000000000000000000000000000000000000000000000000000000008152600481018290526024810185905260448101849052606401610160565b8383038482036000828210610878578261087a565b815b60408051603f83017fffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffe0168101909152818152955090508087602087018a3c505050505b9392505050565b6000826008811115610932576040517f08c379a000000000000000000000000000000000000000000000000000000000815260206004820152600860248201527f4d41585f544945520000000000000000000000000000000000000000000000006044820152606401610160565b6000855b8581101561095e5763ffffffff6020820290811b199890981685891b17979150600101610936565b50959695505050505050565b60008160088111156109d8576040517f08c379a000000000000000000000000000000000000000000000000000000000815260206004820152600860248201527f4d41585f544945520000000000000000000000000000000000000000000000006044820152606401610160565b50507fffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffff60209190910290811c901b1790565b6000808211610a1a5760006108bd565b826001830360088110610a2f57610a2f611264565b60200201519392505050565b60405173ffffffffffffffffffffffffffffffffffffffff80851660248301528316604482015260648101829052610b179085907f23b872dd00000000000000000000000000000000000000000000000000000000906084015b604080517fffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffe08184030181529190526020810180517bffffffffffffffffffffffffffffffffffffffffffffffffffffffff167fffffffff0000000000000000000000000000000000000000000000000000000090931692909217909152610c03565b50505050565b60405173ffffffffffffffffffffffffffffffffffffffff8316602482015260448101829052610b739084907fa9059cbb0000000000000000000000000000000000000000000000000000000090606401610a95565b505050565b600080610ba383604051602001610b8f91906112bf565b604051602081830303815290604052610d0f565b90508051602082016000f0915073ffffffffffffffffffffffffffffffffffffffff8216610bfd576040517f08d4abb600000000000000000000000000000000000000000000000000000000815260040160405180910390fd5b50919050565b6000610c65826040518060400160405280602081526020017f5361666545524332303a206c6f772d6c6576656c2063616c6c206661696c65648152508573ffffffffffffffffffffffffffffffffffffffff16610d3b9092919063ffffffff16565b805190915015610b735780806020019051810190610c8391906112e5565b610b73576040517f08c379a000000000000000000000000000000000000000000000000000000000815260206004820152602a60248201527f5361666545524332303a204552433230206f7065726174696f6e20646964206e60448201527f6f742073756363656564000000000000000000000000000000000000000000006064820152608401610160565b6060815182604051602001610d25929190611307565b6040516020818303038152906040529050919050565b6060610d4a8484600085610d52565b949350505050565b606082471015610de4576040517f08c379a000000000000000000000000000000000000000000000000000000000815260206004820152602660248201527f416464726573733a20696e73756666696369656e742062616c616e636520666f60448201527f722063616c6c00000000000000000000000000000000000000000000000000006064820152608401610160565b73ffffffffffffffffffffffffffffffffffffffff85163b610e62576040517f08c379a000000000000000000000000000000000000000000000000000000000815260206004820152601d60248201527f416464726573733a2063616c6c20746f206e6f6e2d636f6e74726163740000006044820152606401610160565b6000808673ffffffffffffffffffffffffffffffffffffffff168587604051610e8b919061139e565b60006040518083038185875af1925050503d8060008114610ec8576040519150601f19603f3d011682016040523d82523d6000602084013e610ecd565b606091505b5091509150610edd828286610ee8565b979650505050505050565b60608315610ef75750816108bd565b825115610f075782518084602001fd5b816040517f08c379a000000000000000000000000000000000000000000000000000000000815260040161016091906113ba565b6040518061010001604052806008906020820280368337509192915050565b6101008101818360005b6008811015610f83578151835260209283019290910190600101610f64565b50505092915050565b73ffffffffffffffffffffffffffffffffffffffff81168114610fae57600080fd5b50565b60008060008060608587031215610fc757600080fd5b8435610fd281610f8c565b935060208501359250604085013567ffffffffffffffff80821115610ff657600080fd5b818701915087601f83011261100a57600080fd5b81358181111561101957600080fd5b88602082850101111561102b57600080fd5b95989497505060200194505050565b7f4e487b7100000000000000000000000000000000000000000000000000000000600052604160045260246000fd5b604051610100810167ffffffffffffffff8111828210171561108d5761108d61103a565b60405290565b60006101208083850312156110a757600080fd5b6040516040810181811067ffffffffffffffff821117156110ca576110ca61103a565b60405283356110d881610f8c565b81526020603f850186136110eb57600080fd5b6110f3611069565b92850192808785111561110557600080fd5b8287015b858110156111205780358352918301918301611109565b509183019190915250949350505050565b60006020828403121561114357600080fd5b81356108bd81610f8c565b600061010080838503121561116257600080fd5b83601f84011261117157600080fd5b611179611069565b90830190808583111561118b57600080fd5b845b838110156111a557805183526020928301920161118d565b5095945050505050565b600073ffffffffffffffffffffffffffffffffffffffff808916835280881660208401525085604083015284606083015260a060808301528260a0830152828460c0840137600060c0848401015260c07fffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffe0601f8501168301019050979650505050505050565b7f4e487b7100000000000000000000000000000000000000000000000000000000600052600160045260246000fd5b7f4e487b7100000000000000000000000000000000000000000000000000000000600052603260045260246000fd5b60005b838110156112ae578181015183820152602001611296565b83811115610b175750506000910152565b60008152600082516112d8816001850160208701611293565b9190910160010192915050565b6000602082840312156112f757600080fd5b815180151581146108bd57600080fd5b7f630000000000000000000000000000000000000000000000000000000000000081527fffffffff000000000000000000000000000000000000000000000000000000008360e01b1660018201527f80600e6000396000f3000000000000000000000000000000000000000000000060058201526000825161139081600e850160208701611293565b91909101600e019392505050565b600082516113b0818460208701611293565b9190910192915050565b60208152600082518060208401526113d9816040850160208701611293565b601f017fffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffe016919091016040019291505056fea26469706673582212206ec8ffe9592912187417d18bec7de32180944a21c3e48048c4a3bad19700b40b64736f6c634300080a0033
Deployed ByteCode Sourcemap
2546:2877:7:-:0;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;1950:155:10;;;:::i;:::-;;;;;;;:::i;:::-;;;;;;;;1619:1092:9;;;;;;:::i;:::-;;:::i;:::-;;2985:249:7;;;;;;:::i;:::-;;:::i;983:319:9:-;;;;;;:::i;:::-;;:::i;:::-;;;3334:25:13;;;3322:2;3307:18;983:319:9;3188:177:13;1950:155:10;1993:29;;:::i;:::-;2065:17;;2052:31;;2065:17;;2052:12;:31::i;:::-;2041:57;;;;;;;;;;;;:::i;:::-;2034:64;;1950:155;:::o;1619:1092:9:-;1937:1;1926:8;:12;1918:38;;;;;;;4194:2:13;1918:38:9;;;4176:21:13;4233:2;4213:18;;;4206:30;4272:15;4252:18;;;4245:43;4305:18;;1918:38:9;;;;;;;;;1967:15;1985:16;1992:8;1985:6;:16::i;:::-;1967:34;;2012:18;2033:89;2079:7;2100:12;2033:32;:89::i;:::-;2012:110;;2153:141;2205:7;2226:10;2250:8;2272:12;2153:38;:141::i;:::-;2133:17;;;:7;:17;;;;;;;;;;;;:161;;;;2348:61;;;;;2359:10;;2141:8;;2381:10;;2393:8;;2403:5;;;;2348:61;:::i;:::-;;;;;;;;2652:52;2666:8;2676:10;2688:8;2698:5;;2652:13;:52::i;:::-;1750:961;;1619:1092;;;;:::o;2985:249:7:-;2358:13:0;;;;;;;:48;;2394:12;;;;;;;2393:13;2358:48;;;3125:4;1465:19:3;:23;2374:16:0;2350:107;;;;;;;5357:2:13;2350:107:0;;;5339:21:13;5396:2;5376:18;;;5369:30;5435:34;5415:18;;;5408:62;5506:16;5486:18;;;5479:44;5540:19;;2350:107:0;5155:410:13;2350:107:0;2491:13;;;;;;;2490:14;2514:98;;;;2564:4;2548:20;;2582:19;;;;;;2514:98;3096:39:7::1;3116:7;:18;;;3096:19;:39::i;:::-;3153:13:::0;;3145:5:::1;:21:::0;;;::::1;;::::0;;::::1;::::0;;::::1;::::0;;3181:46:::1;::::0;;3192:10:::1;5805:34:13::0;;5870:2;5855:18;;5848:43;;;;3181:46:7::1;::::0;5717:18:13;3181:46:7::1;;;;;;;2638:14:0::0;2634:66;;;2668:13;:21;;;;;;2634:66;2069:637;2985:249:7;:::o;983:319:9:-;1193:17;;;1095:7;1193:17;;;;;;;;;;;:102;;294:17:11;1193:102:9;;;1233:17;;;:7;:17;;;;;;;;;;;1193:102;1174:121;983:319;-1:-1:-1;;983:319:9:o;1349:140:5:-;1404:12;1435:47;1451:8;1461:1;1464:17;1435:15;:47::i;1911:398:12:-;2028:7;;2075:175;2101:1;2096:2;:6;2075:175;;;2172:12;2159:2;2164;2159:7;2147;:20;;2132:52;;;2128:108;;;2215:2;-1:-1:-1;2208:9:12;;2128:108;2104:4;;2075:175;;;-1:-1:-1;1308:1:11;;1911:398:12;-1:-1:-1;;;1911:398:12:o;6689:483::-;6864:7;6913:10;6902:8;:21;:263;;6998:167;7044:7;7073:10;7105:8;7135:12;6998:24;:167::i;:::-;6902:263;;;6942:37;6961:7;6970:8;6942:18;:37::i;:::-;6883:282;6689:483;-1:-1:-1;;;;;6689:483:12:o;3736:1685:7:-;4181:10;4169:8;:22;4165:107;;4215:10;:22;;;;4207:54;;;;;;;6104:2:13;4207:54:7;;;6086:21:13;6143:2;6123:18;;;6116:30;6182:21;6162:18;;;6155:49;6221:18;;4207:54:7;5902:343:13;4207:54:7;4282:29;4314:12;:10;:12::i;:::-;4282:44;;4429:19;4451:36;4463:11;4476:10;4451:11;:36::i;:::-;4429:58;;4549:17;4569:34;4581:11;4594:8;4569:11;:34::i;:::-;4549:54;;4727:11;4714:9;:24;4710:69;;;4758:7;;;;;4710:69;4808:11;4796:9;:23;4792:613;;;4915:5;;:152;;:5;;4959:10;4999:4;5026:23;;;4915:22;:152::i;:::-;4792:613;;;5335:5;;:55;;:5;;5354:10;5366:23;;;5335:18;:55::i;:::-;3887:1534;;;3736:1685;;;;;;:::o;1049:677:10:-;1173:17;;:31;:17;:31;1166:39;;;;:::i;:::-;1239:20;1282:10;1277:242;1303:1;1298:2;:6;1277:242;;;1378:12;1359:11;1371:2;1359:15;;;;;;;:::i;:::-;;;;;:31;;1330:126;;;;;;;6830:2:13;1330:126:10;;;6812:21:13;6869:2;6849:18;;;6842:30;6908:26;6888:18;;;6881:54;6952:18;;1330:126:10;6628:348:13;1330:126:10;1489:11;1501:2;1489:15;;;;;;;:::i;:::-;;;;;;-1:-1:-1;1306:4:10;;1277:242;;;;1215:314;1538:26;1567:38;1592:11;1581:23;;;;;;;;:::i;:::-;;;;;;;;;;;;;1567:13;:38::i;:::-;1620:51;;;1640:10;5805:34:13;;5754:42;5875:15;;5870:2;5855:18;;5848:43;1538:67:10;;-1:-1:-1;1620:51:10;;5717:18:13;1620:51:10;;;;;;;1681:17;:38;;;;;;;;;;;;;;;-1:-1:-1;1049:677:10:o;1930:1180:6:-;2044:18;1484;;;2115:32;;-1:-1:-1;;2138:9:6;;;;;;;;;-1:-1:-1;2138:9:6;;2131:16;;2115:32;2171:5;2162:6;:14;2158:36;;;-1:-1:-1;;2185:9:6;;;;;;;;;-1:-1:-1;2185:9:6;;2178:16;;2158:36;2215:6;2208:4;:13;2204:65;;;2230:39;;;;;;;;7183:25:13;;;7224:18;;;7217:34;;;7267:18;;;7260:34;;;7156:18;;2230:39:6;6981:319:13;2204:65:6;2322:13;;;2367:14;;;2304:15;2411:17;;;:37;;2441:7;2411:37;;;2431:7;2411:37;2666:4;2660:11;;2811:26;;;2839:9;2807:42;2796:54;;2742:126;;;2927:19;;;2660:11;-1:-1:-1;2396:52:6;-1:-1:-1;2396:52:6;3067:6;2825:4;3049:16;;3042:5;3030:50;2472:622;;;2064:1046;1930:1180;;;;;;:::o;5109:654:12:-;5299:7;5280:8;1308:1:11;1122:5:12;:31;;1114:52;;;;;;;7507:2:13;1114:52:12;;;7489:21:13;7546:1;7526:18;;;7519:29;7584:10;7564:18;;;7557:38;7612:18;;1114:52:12;7305:331:13;1114:52:12;5342:15:::1;5389:10:::0;5371:348:::1;5406:8;5401:2;:13;5371:348;;;388:16:11;5455:2:12;5450:7:::0;::::1;5578:44:::0;;::::1;5540:108;5506:142:::0;;;::::1;5680:23:::0;;::::1;5505:199;::::0;5450:7;-1:-1:-1;5416:4:12::1;;5371:348;;;-1:-1:-1::0;5739:7:12;;5109:654;-1:-1:-1;;;;;;5109:654:12:o;3409:338::-;3539:7;3515:5;1308:1:11;1122:5:12;:31;;1114:52;;;;;;;7507:2:13;1114:52:12;;;7489:21:13;7546:1;7526:18;;;7519:29;7584:10;7564:18;;;7557:38;7612:18;;1114:52:12;7305:331:13;1114:52:12;-1:-1:-1;;294:17:11::1;3612:2:12;3604:10:::0;;;::::1;3645:37:::0;;::::1;3644:50:::0;::::1;3715:15;::::0;3409:338::o;2278:245:10:-;2392:7;659:1:11;2446:5:10;:31;:60;;2505:1;2446:60;;;2480:11;2500:1;2492:5;:9;2480:22;;;;;;;:::i;:::-;;;;;2439:67;2278:245;-1:-1:-1;;;2278:245:10:o;912:241:2:-;1077:68;;7853:42:13;7922:15;;;1077:68:2;;;7904:34:13;7974:15;;7954:18;;;7947:43;8006:18;;;7999:34;;;1050:96:2;;1070:5;;1100:27;;7816:18:13;;1077:68:2;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;1050:19;:96::i;:::-;912:241;;;;:::o;701:205::-;840:58;;8248:42:13;8236:55;;840:58:2;;;8218:74:13;8308:18;;;8301:34;;;813:86:2;;833:5;;863:23;;8191:18:13;;840:58:2;8044:297:13;813:86:2;701:205;;;:::o;592:496:5:-;645:15;757:17;777:80;841:5;815:32;;;;;;;;:::i;:::-;;;;;;;;;;;;;777:24;:80::i;:::-;757:100;;973:4;967:11;962:2;956:4;952:13;949:1;942:37;931:48;-1:-1:-1;1039:21:5;;;1035:46;;1069:12;;;;;;;;;;;;;;1035:46;662:426;592:496;;;:::o;3207:706:2:-;3626:23;3652:69;3680:4;3652:69;;;;;;;;;;;;;;;;;3660:5;3652:27;;;;:69;;;;;:::i;:::-;3735:17;;3626:95;;-1:-1:-1;3735:21:2;3731:176;;3830:10;3819:30;;;;;;;;;;;;:::i;:::-;3811:85;;;;;;;9512:2:13;3811:85:2;;;9494:21:13;9551:2;9531:18;;;9524:30;9590:34;9570:18;;;9563:62;9661:12;9641:18;;;9634:40;9691:19;;3811:85:2;9310:406:13;388:798:6;480:12;1080:5;:12;1160:5;1014:165;;;;;;;;;:::i;:::-;;;;;;;;;;;;;995:184;;388:798;;;:::o;3861:223:3:-;3994:12;4025:52;4047:6;4055:4;4061:1;4064:12;4025:21;:52::i;:::-;4018:59;3861:223;-1:-1:-1;;;;3861:223:3:o;4948:499::-;5113:12;5170:5;5145:21;:30;;5137:81;;;;;;;10688:2:13;5137:81:3;;;10670:21:13;10727:2;10707:18;;;10700:30;10766:34;10746:18;;;10739:62;10837:8;10817:18;;;10810:36;10863:19;;5137:81:3;10486:402:13;5137:81:3;1465:19;;;;5228:60;;;;;;;11095:2:13;5228:60:3;;;11077:21:13;11134:2;11114:18;;;11107:30;11173:31;11153:18;;;11146:59;11222:18;;5228:60:3;10893:353:13;5228:60:3;5300:12;5314:23;5341:6;:11;;5360:5;5367:4;5341:31;;;;;;:::i;:::-;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;5299:73;;;;5389:51;5406:7;5415:10;5427:12;5389:16;:51::i;:::-;5382:58;4948:499;-1:-1:-1;;;;;;;4948:499:3:o;7561:692::-;7707:12;7735:7;7731:516;;;-1:-1:-1;7765:10:3;7758:17;;7731:516;7876:17;;:21;7872:365;;8070:10;8064:17;8130:15;8117:10;8113:2;8109:19;8102:44;7872:365;8209:12;8202:20;;;;;;;;;;;:::i;-1:-1:-1:-;;;;;;;;;;;;;;;;;;;;;;;;:::o;14:495:13:-;194:3;179:19;;183:9;275:6;152:4;309:194;323:4;320:1;317:11;309:194;;;382:13;;370:26;;419:4;443:12;;;;478:15;;;;343:1;336:9;309:194;;;313:3;;;14:495;;;;:::o;514:154::-;600:42;593:5;589:54;582:5;579:65;569:93;;658:1;655;648:12;569:93;514:154;:::o;673:794::-;761:6;769;777;785;838:2;826:9;817:7;813:23;809:32;806:52;;;854:1;851;844:12;806:52;893:9;880:23;912:31;937:5;912:31;:::i;:::-;962:5;-1:-1:-1;1014:2:13;999:18;;986:32;;-1:-1:-1;1069:2:13;1054:18;;1041:32;1092:18;1122:14;;;1119:34;;;1149:1;1146;1139:12;1119:34;1187:6;1176:9;1172:22;1162:32;;1232:7;1225:4;1221:2;1217:13;1213:27;1203:55;;1254:1;1251;1244:12;1203:55;1294:2;1281:16;1320:2;1312:6;1309:14;1306:34;;;1336:1;1333;1326:12;1306:34;1381:7;1376:2;1367:6;1363:2;1359:15;1355:24;1352:37;1349:57;;;1402:1;1399;1392:12;1349:57;673:794;;;;-1:-1:-1;;1433:2:13;1425:11;;-1:-1:-1;;;673:794:13:o;1472:184::-;1524:77;1521:1;1514:88;1621:4;1618:1;1611:15;1645:4;1642:1;1635:15;1661:247;1728:2;1722:9;1770:3;1758:16;;1804:18;1789:34;;1825:22;;;1786:62;1783:88;;;1851:18;;:::i;:::-;1887:2;1880:22;1661:247;:::o;1913:1018::-;2013:6;2044:3;2088:2;2076:9;2067:7;2063:23;2059:32;2056:52;;;2104:1;2101;2094:12;2056:52;2137:4;2131:11;2181:4;2173:6;2169:17;2252:6;2240:10;2237:22;2216:18;2204:10;2201:34;2198:62;2195:88;;;2263:18;;:::i;:::-;2299:4;2292:24;2338:23;;2370:31;2338:23;2370:31;:::i;:::-;2410:21;;2450:2;2490;2475:18;;2471:32;-1:-1:-1;2461:60:13;;2517:1;2514;2507:12;2461:60;2541:17;;:::i;:::-;2606:18;;;;2580:3;2636:19;;;2633:39;;;2668:1;2665;2658:12;2633:39;2707:2;2696:9;2692:18;2719:142;2735:6;2730:3;2727:15;2719:142;;;2801:17;;2789:30;;2839:12;;;;2752;;2719:142;;;-1:-1:-1;2877:15:13;;;2870:30;;;;-1:-1:-1;2881:6:13;1913:1018;-1:-1:-1;;;;1913:1018:13:o;2936:247::-;2995:6;3048:2;3036:9;3027:7;3023:23;3019:32;3016:52;;;3064:1;3061;3054:12;3016:52;3103:9;3090:23;3122:31;3147:5;3122:31;:::i;3370:617::-;3463:6;3494:3;3538:2;3526:9;3517:7;3513:23;3509:32;3506:52;;;3554:1;3551;3544:12;3506:52;3603:7;3596:4;3585:9;3581:20;3577:34;3567:62;;3625:1;3622;3615:12;3567:62;3649:17;;:::i;:::-;3714:18;;;;3688:3;3744:19;;;3741:39;;;3776:1;3773;3766:12;3741:39;3800:9;3818:139;3834:6;3829:3;3826:15;3818:139;;;3902:10;;3890:23;;3942:4;3933:14;;;;3851;3818:139;;;-1:-1:-1;3976:5:13;3370:617;-1:-1:-1;;;;;3370:617:13:o;4334:816::-;4566:4;4595:42;4676:2;4668:6;4664:15;4653:9;4646:34;4728:2;4720:6;4716:15;4711:2;4700:9;4696:18;4689:43;;4768:6;4763:2;4752:9;4748:18;4741:34;4811:6;4806:2;4795:9;4791:18;4784:34;4855:3;4849;4838:9;4834:19;4827:32;4896:6;4890:3;4879:9;4875:19;4868:35;4954:6;4946;4940:3;4929:9;4925:19;4912:49;5011:1;5005:3;4996:6;4985:9;4981:22;4977:32;4970:43;5140:3;5070:66;5065:2;5057:6;5053:15;5049:88;5038:9;5034:104;5030:114;5022:122;;4334:816;;;;;;;;;:::o;6250:184::-;6302:77;6299:1;6292:88;6399:4;6396:1;6389:15;6423:4;6420:1;6413:15;6439:184;6491:77;6488:1;6481:88;6588:4;6585:1;6578:15;6612:4;6609:1;6602:15;8346:258;8418:1;8428:113;8442:6;8439:1;8436:13;8428:113;;;8518:11;;;8512:18;8499:11;;;8492:39;8464:2;8457:10;8428:113;;;8559:6;8556:1;8553:13;8550:48;;;-1:-1:-1;;8594:1:13;8576:16;;8569:27;8346:258::o;8609:414::-;8869:1;8864:3;8857:14;8839:3;8900:6;8894:13;8916:61;8970:6;8966:1;8961:3;8957:11;8950:4;8942:6;8938:17;8916:61;:::i;:::-;8997:16;;;;9015:1;8993:24;;8609:414;-1:-1:-1;;8609:414:13:o;9028:277::-;9095:6;9148:2;9136:9;9127:7;9123:23;9119:32;9116:52;;;9164:1;9161;9154:12;9116:52;9196:9;9190:16;9249:5;9242:13;9235:21;9228:5;9225:32;9215:60;;9271:1;9268;9261:12;9721:760;10108:3;10103;10096:16;10163:66;10154:6;10149:3;10145:16;10141:89;10137:1;10132:3;10128:11;10121:110;10260:66;10256:1;10251:3;10247:11;10240:87;10078:3;10356:6;10350:13;10372:62;10427:6;10422:2;10417:3;10413:12;10406:4;10398:6;10394:17;10372:62;:::i;:::-;10454:16;;;;10472:2;10450:25;;9721:760;-1:-1:-1;;;9721:760:13:o;11251:274::-;11380:3;11418:6;11412:13;11434:53;11480:6;11475:3;11468:4;11460:6;11456:17;11434:53;:::i;:::-;11503:16;;;;;11251:274;-1:-1:-1;;11251:274:13:o;11530:442::-;11679:2;11668:9;11661:21;11642:4;11711:6;11705:13;11754:6;11749:2;11738:9;11734:18;11727:34;11770:66;11829:6;11824:2;11813:9;11809:18;11804:2;11796:6;11792:15;11770:66;:::i;:::-;11888:2;11876:15;11893:66;11872:88;11857:104;;;;11963:2;11853:113;;11530:442;-1:-1:-1;;11530:442:13:o
Swarm Source
ipfs://6ec8ffe9592912187417d18bec7de32180944a21c3e48048c4a3bad19700b40b
Age | Block | Fee Address | BC Fee Address | Voting Power | Jailed | Incoming |
---|
Make sure to use the "Vote Down" button for any spammy posts, and the "Vote Up" for interesting conversations.