Contract Overview
Balance:
0 MATIC
MATIC Value:
$0.00
My Name Tag:
Not Available, login to update
Txn Hash |
Method
|
Block
|
From
|
To
|
Value | [Txn Fee] | |||
---|---|---|---|---|---|---|---|---|---|
0x453a9c62e144310bbe150d3b8f8ef352fbbad89499f2047a23bade70eabd49c6 | Create Child Typ... | 29070501 | 297 days 23 hrs ago | 0x86aef9beac77fee6f2165e515fce6505f40afc27 | IN | 0x807fbb1515fcfd5574b8d5ffa6e4b831d7897987 | 0 MATIC | 0.007686430365 | |
0xcd7f387c8c6ae03af8f224d6f0dc598805877d5fdae2031e5ee71c9fcda86d18 | Create Child Typ... | 29029328 | 298 days 23 hrs ago | 0x86aef9beac77fee6f2165e515fce6505f40afc27 | IN | 0x807fbb1515fcfd5574b8d5ffa6e4b831d7897987 | 0 MATIC | 0.007260013993 | |
0x5e7255c23a46c867caed66b2be44042fddd50c3f6df917802fa0692a9a19fffa | 0x60a06040 | 28479198 | 312 days 14 hrs ago | 0xbf334f8bd1420a1cbfe15407f73919424934b1b3 | IN | Create: ERC20TransferTierFactory | 0 MATIC | 0.314828502196 |
[ Download CSV Export ]
Latest 3 internal transactions
Parent Txn Hash | Block | From | To | Value | |||
---|---|---|---|---|---|---|---|
0x453a9c62e144310bbe150d3b8f8ef352fbbad89499f2047a23bade70eabd49c6 | 29070501 | 297 days 23 hrs ago | 0x807fbb1515fcfd5574b8d5ffa6e4b831d7897987 | Contract Creation | 0 MATIC | ||
0xcd7f387c8c6ae03af8f224d6f0dc598805877d5fdae2031e5ee71c9fcda86d18 | 29029328 | 298 days 23 hrs ago | 0x807fbb1515fcfd5574b8d5ffa6e4b831d7897987 | Contract Creation | 0 MATIC | ||
0x5e7255c23a46c867caed66b2be44042fddd50c3f6df917802fa0692a9a19fffa | 28479198 | 312 days 14 hrs ago | 0x807fbb1515fcfd5574b8d5ffa6e4b831d7897987 | Contract Creation | 0 MATIC |
[ Download CSV Export ]
This contract may be a proxy contract. Click on More Options and select Is this a proxy? to confirm and enable the "Read as Proxy" & "Write as Proxy" tabs.
Contract Name:
ERC20TransferTierFactory
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/Clones.sol"; import {Factory} from "../factory/Factory.sol"; import "./ERC20TransferTier.sol"; /// @title ERC20TransferTierFactory /// @notice Factory for creating and deploying `ERC20TransferTier` contracts. contract ERC20TransferTierFactory is Factory { /// Template contract to clone. /// Deployed by the constructor. address public immutable implementation; /// Build the reference implementation to clone for each child. constructor() { address implementation_ = address(new ERC20TransferTier()); emit Implementation(msg.sender, implementation_); implementation = implementation_; } /// @inheritdoc Factory function _createChild(bytes calldata data_) internal virtual override returns (address) { ERC20TransferTierConfig memory config_ = abi.decode( data_, (ERC20TransferTierConfig) ); address clone_ = Clones.clone(implementation); ERC20TransferTier(clone_).initialize(config_); return clone_; } /// Typed wrapper for `createChild` with `ERC20TransferTierConfig`. /// Use original `Factory` `createChild` function signature if function /// parameters are already encoded. /// /// @param config_ Constructor config for `ERC20TransferTier`. /// @return New `ERC20TransferTier` child contract address. function createChildTyped(ERC20TransferTierConfig calldata config_) external returns (ERC20TransferTier) { return ERC20TransferTier(this.createChild(abi.encode(config_))); } }
// SPDX-License-Identifier: CAL pragma solidity =0.8.10; import {IFactory} from "./IFactory.sol"; // solhint-disable-next-line max-line-length import {ReentrancyGuard} from "@openzeppelin/contracts/security/ReentrancyGuard.sol"; /// @title Factory /// @notice Base contract for deploying and registering child contracts. abstract contract Factory is IFactory, ReentrancyGuard { /// @dev state to track each deployed contract address. A `Factory` will /// never lie about deploying a child, unless `isChild` is overridden to do /// so. mapping(address => bool) private contracts; /// Implements `IFactory`. /// /// `_createChild` hook must be overridden to actually create child /// contract. /// /// Implementers may want to overload this function with a typed equivalent /// to expose domain specific structs etc. to the compiled ABI consumed by /// tooling and other scripts. To minimise gas costs for deployment it is /// expected that the tooling will consume the typed ABI, then encode the /// arguments and pass them to this function directly. /// /// @param data_ ABI encoded data to pass to child contract constructor. function _createChild(bytes calldata data_) internal virtual returns (address); /// Implements `IFactory`. /// /// Calls the `_createChild` hook that inheriting contracts must override. /// Registers child contract address such that `isChild` is `true`. /// Emits `NewChild` event. /// /// @param data_ Encoded data to pass down to child contract constructor. /// @return New child contract address. function createChild(bytes calldata data_) external virtual override nonReentrant returns (address) { // Create child contract using hook. address child_ = _createChild(data_); // Ensure the child at this address has not previously been deployed. require(!contracts[child_], "DUPLICATE_CHILD"); // Register child contract address to `contracts` mapping. contracts[child_] = true; // Emit `NewChild` event with child contract address. emit IFactory.NewChild(msg.sender, child_); return child_; } /// Implements `IFactory`. /// /// Checks if address is registered as a child contract of this factory. /// /// @param maybeChild_ Address of child contract to look up. /// @return Returns `true` if address is a contract created by this /// contract factory, otherwise `false`. function isChild(address maybeChild_) external view virtual override returns (bool) { return contracts[maybeChild_]; } }
// SPDX-License-Identifier: CAL pragma solidity ^0.8.0; interface IFactory { /// Whenever a new child contract is deployed, a `NewChild` event /// containing the new child contract address MUST be emitted. /// @param sender `msg.sender` that deployed the contract (factory). /// @param child address of the newly deployed child. event NewChild(address sender, address child); /// Factories that clone a template contract MUST emit an event any time /// they set the implementation being cloned. Factories that deploy new /// contracts without cloning do NOT need to emit this. /// @param sender `msg.sender` that deployed the implementation (factory). /// @param implementation address of the implementation contract that will /// be used for future clones if relevant. event Implementation(address sender, address implementation); /// Creates a new child contract. /// /// @param data_ Domain specific data for the child contract constructor. /// @return New child contract address. function createChild(bytes calldata data_) external returns (address); /// Checks if address is registered as a child contract of this factory. /// /// Addresses that were not deployed by `createChild` MUST NOT return /// `true` from `isChild`. This is CRITICAL to the security guarantees for /// any contract implementing `IFactory`. /// /// @param maybeChild_ Address to check registration for. /// @return `true` if address was deployed by this contract factory, /// otherwise `false`. function isChild(address maybeChild_) external view returns (bool); }
// 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 v4.4.1 (proxy/Clones.sol) pragma solidity ^0.8.0; /** * @dev https://eips.ethereum.org/EIPS/eip-1167[EIP 1167] is a standard for * deploying minimal proxy contracts, also known as "clones". * * > To simply and cheaply clone contract functionality in an immutable way, this standard specifies * > a minimal bytecode implementation that delegates all calls to a known, fixed address. * * The library includes functions to deploy a proxy using either `create` (traditional deployment) or `create2` * (salted deterministic deployment). It also includes functions to predict the addresses of clones deployed using the * deterministic method. * * _Available since v3.4._ */ library Clones { /** * @dev Deploys and returns the address of a clone that mimics the behaviour of `implementation`. * * This function uses the create opcode, which should never revert. */ function clone(address implementation) internal returns (address instance) { assembly { let ptr := mload(0x40) mstore(ptr, 0x3d602d80600a3d3981f3363d3d373d3d3d363d73000000000000000000000000) mstore(add(ptr, 0x14), shl(0x60, implementation)) mstore(add(ptr, 0x28), 0x5af43d82803e903d91602b57fd5bf30000000000000000000000000000000000) instance := create(0, ptr, 0x37) } require(instance != address(0), "ERC1167: create failed"); } /** * @dev Deploys and returns the address of a clone that mimics the behaviour of `implementation`. * * This function uses the create2 opcode and a `salt` to deterministically deploy * the clone. Using the same `implementation` and `salt` multiple time will revert, since * the clones cannot be deployed twice at the same address. */ function cloneDeterministic(address implementation, bytes32 salt) internal returns (address instance) { assembly { let ptr := mload(0x40) mstore(ptr, 0x3d602d80600a3d3981f3363d3d373d3d3d363d73000000000000000000000000) mstore(add(ptr, 0x14), shl(0x60, implementation)) mstore(add(ptr, 0x28), 0x5af43d82803e903d91602b57fd5bf30000000000000000000000000000000000) instance := create2(0, ptr, 0x37, salt) } require(instance != address(0), "ERC1167: create2 failed"); } /** * @dev Computes the address of a clone deployed using {Clones-cloneDeterministic}. */ function predictDeterministicAddress( address implementation, bytes32 salt, address deployer ) internal pure returns (address predicted) { assembly { let ptr := mload(0x40) mstore(ptr, 0x3d602d80600a3d3981f3363d3d373d3d3d363d73000000000000000000000000) mstore(add(ptr, 0x14), shl(0x60, implementation)) mstore(add(ptr, 0x28), 0x5af43d82803e903d91602b57fd5bf3ff00000000000000000000000000000000) mstore(add(ptr, 0x38), shl(0x60, deployer)) mstore(add(ptr, 0x4c), salt) mstore(add(ptr, 0x6c), keccak256(ptr, 0x37)) predicted := keccak256(add(ptr, 0x37), 0x55) } } /** * @dev Computes the address of a clone deployed using {Clones-cloneDeterministic}. */ function predictDeterministicAddress(address implementation, bytes32 salt) internal view returns (address predicted) { return predictDeterministicAddress(implementation, salt, address(this)); } }
// SPDX-License-Identifier: MIT // OpenZeppelin Contracts v4.4.1 (security/ReentrancyGuard.sol) pragma solidity ^0.8.0; /** * @dev Contract module that helps prevent reentrant calls to a function. * * Inheriting from `ReentrancyGuard` will make the {nonReentrant} modifier * available, which can be applied to functions to make sure there are no nested * (reentrant) calls to them. * * Note that because there is a single `nonReentrant` guard, functions marked as * `nonReentrant` may not call one another. This can be worked around by making * those functions `private`, and then adding `external` `nonReentrant` entry * points to them. * * TIP: If you would like to learn more about reentrancy and alternative ways * to protect against it, check out our blog post * https://blog.openzeppelin.com/reentrancy-after-istanbul/[Reentrancy After Istanbul]. */ abstract contract ReentrancyGuard { // Booleans are more expensive than uint256 or any type that takes up a full // word because each write operation emits an extra SLOAD to first read the // slot's contents, replace the bits taken up by the boolean, and then write // back. This is the compiler's defense against contract upgrades and // pointer aliasing, and it cannot be disabled. // The values being non-zero value makes deployment a bit more expensive, // but in exchange the refund on every call to nonReentrant will be lower in // amount. Since refunds are capped to a percentage of the total // transaction's gas, it is best to keep them low in cases like this one, to // increase the likelihood of the full refund coming into effect. uint256 private constant _NOT_ENTERED = 1; uint256 private constant _ENTERED = 2; uint256 private _status; constructor() { _status = _NOT_ENTERED; } /** * @dev Prevents a contract from calling itself, directly or indirectly. * Calling a `nonReentrant` function from another `nonReentrant` * function is not supported. It is possible to prevent this from happening * by making the `nonReentrant` function external, and making it call a * `private` function that does the actual work. */ modifier nonReentrant() { // On the first call to nonReentrant, _notEntered will be true require(_status != _ENTERED, "ReentrancyGuard: reentrant call"); // Any calls to nonReentrant after this point will fail _status = _ENTERED; _; // By storing the original value once again, a refund is triggered (see // https://eips.ethereum.org/EIPS/eip-2200) _status = _NOT_ENTERED; } }
// 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":[],"stateMutability":"nonpayable","type":"constructor"},{"anonymous":false,"inputs":[{"indexed":false,"internalType":"address","name":"sender","type":"address"},{"indexed":false,"internalType":"address","name":"implementation","type":"address"}],"name":"Implementation","type":"event"},{"anonymous":false,"inputs":[{"indexed":false,"internalType":"address","name":"sender","type":"address"},{"indexed":false,"internalType":"address","name":"child","type":"address"}],"name":"NewChild","type":"event"},{"inputs":[{"internalType":"bytes","name":"data_","type":"bytes"}],"name":"createChild","outputs":[{"internalType":"address","name":"","type":"address"}],"stateMutability":"nonpayable","type":"function"},{"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":"createChildTyped","outputs":[{"internalType":"contract ERC20TransferTier","name":"","type":"address"}],"stateMutability":"nonpayable","type":"function"},{"inputs":[],"name":"implementation","outputs":[{"internalType":"address","name":"","type":"address"}],"stateMutability":"view","type":"function"},{"inputs":[{"internalType":"address","name":"maybeChild_","type":"address"}],"name":"isChild","outputs":[{"internalType":"bool","name":"","type":"bool"}],"stateMutability":"view","type":"function"}]
Contract Creation Code
60a060405234801561001057600080fd5b506001600090815560405161002490610096565b604051809103906000f080158015610040573d6000803e3d6000fd5b50604080513381526001600160a01b03831660208201529192507f7fac34ecf0b1b374cd9659e3d17db602659d53f1162b1f20142e6c02694aed70910160405180910390a16001600160a01b03166080526100a3565b611461806108f783390190565b6080516108336100c4600039600081816093015261037a01526108336000f3fe608060405234801561001057600080fd5b506004361061004c5760003560e01c80632ea72a49146100515780635c60da1b1461008e578063ab43ea1f146100b5578063fc91a897146100c8575b600080fd5b61006461005f366004610510565b610111565b60405173ffffffffffffffffffffffffffffffffffffffff90911681526020015b60405180910390f35b6100647f000000000000000000000000000000000000000000000000000000000000000081565b6100646100c3366004610582565b6102bf565b6101016100d63660046105c0565b73ffffffffffffffffffffffffffffffffffffffff1660009081526001602052604090205460ff1690565b6040519015158152602001610085565b600060026000541415610185576040517f08c379a000000000000000000000000000000000000000000000000000000000815260206004820152601f60248201527f5265656e7472616e637947756172643a207265656e7472616e742063616c6c0060448201526064015b60405180910390fd5b600260009081556101968484610362565b73ffffffffffffffffffffffffffffffffffffffff811660009081526001602052604090205490915060ff1615610229576040517f08c379a000000000000000000000000000000000000000000000000000000000815260206004820152600f60248201527f4455504c49434154455f4348494c440000000000000000000000000000000000604482015260640161017c565b73ffffffffffffffffffffffffffffffffffffffff811660008181526001602081815260409283902080547fffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffff00169092179091558151338152908101929092527f7da70c4e5387d7038610b79ca7d304caaef815826e51e67cf247135387a79bce910160405180910390a160016000559392505050565b60003073ffffffffffffffffffffffffffffffffffffffff16632ea72a49836040516020016102ee91906105e4565b6040516020818303038152906040526040518263ffffffff1660e01b81526004016103199190610622565b6020604051808303816000875af1158015610338573d6000803e3d6000fd5b505050506040513d601f19601f8201168201806040525081019061035c9190610695565b92915050565b6000806103718385018561070b565b9050600061039e7f000000000000000000000000000000000000000000000000000000000000000061042e565b6040517fa61e331500000000000000000000000000000000000000000000000000000000815290915073ffffffffffffffffffffffffffffffffffffffff82169063a61e3315906103f39085906004016107a9565b600060405180830381600087803b15801561040d57600080fd5b505af1158015610421573d6000803e3d6000fd5b5092979650505050505050565b60006040517f3d602d80600a3d3981f3363d3d373d3d3d363d7300000000000000000000000081528260601b60148201527f5af43d82803e903d91602b57fd5bf3000000000000000000000000000000000060288201526037816000f091505073ffffffffffffffffffffffffffffffffffffffff811661050b576040517f08c379a000000000000000000000000000000000000000000000000000000000815260206004820152601660248201527f455243313136373a20637265617465206661696c656400000000000000000000604482015260640161017c565b919050565b6000806020838503121561052357600080fd5b823567ffffffffffffffff8082111561053b57600080fd5b818501915085601f83011261054f57600080fd5b81358181111561055e57600080fd5b86602082850101111561057057600080fd5b60209290920196919550909350505050565b6000610120828403121561059557600080fd5b50919050565b73ffffffffffffffffffffffffffffffffffffffff811681146105bd57600080fd5b50565b6000602082840312156105d257600080fd5b81356105dd8161059b565b9392505050565b610120810182356105f48161059b565b73ffffffffffffffffffffffffffffffffffffffff1682526101006020848101908401376000815292915050565b600060208083528351808285015260005b8181101561064f57858101830151858201604001528201610633565b81811115610661576000604083870101525b50601f017fffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffe016929092016040019392505050565b6000602082840312156106a757600080fd5b81516105dd8161059b565b7f4e487b7100000000000000000000000000000000000000000000000000000000600052604160045260246000fd5b604051610100810167ffffffffffffffff81118282101715610705576107056106b2565b60405290565b600061012080838503121561071f57600080fd5b6040516040810181811067ffffffffffffffff82111715610742576107426106b2565b60405283356107508161059b565b81526020603f8501861361076357600080fd5b61076b6106e1565b92850192808785111561077d57600080fd5b8287015b858110156107985780358352918301918301610781565b509183019190915250949350505050565b815173ffffffffffffffffffffffffffffffffffffffff1681526020808301516101208301919081840160005b60088110156107f3578251825291830191908301906001016107d6565b505050509291505056fea2646970667358221220595000413c44d9b72a212da798ce433e335b4cf68b140efef65580c0638e571464736f6c634300080a0033608060405234801561001057600080fd5b50611441806100206000396000f3fe608060405234801561001057600080fd5b506004361061004c5760003560e01c806370230b39146100515780638a200fff1461006f578063a61e331514610084578063e053ea3114610097575b600080fd5b6100596100b8565b6040516100669190610f5a565b60405180910390f35b61008261007d366004610fb1565b6100fa565b005b610082610092366004611093565b610210565b6100aa6100a5366004611131565b61040d565b604051908152602001610066565b6100c0610f3b565b6001546100e29073ffffffffffffffffffffffffffffffffffffffff1661048a565b8060200190518101906100f5919061114e565b905090565b60008311610169576040517f08c379a000000000000000000000000000000000000000000000000000000000815260206004820152600d60248201527f5345545f5a45524f5f544945520000000000000000000000000000000000000060448201526064015b60405180910390fd5b60006101748561040d565b9050600061018282436104b8565b9050610190828287436104f2565b73ffffffffffffffffffffffffffffffffffffffff87166000908152602081905260409081902091909155517f38a6eea2baad9b582cfacaee65ba01dcf8fa591a082e5188dbf89cd8560228c8906101f3903390899085908a908a908a906111af565b60405180910390a1610208868287878761051f565b505050505050565b6001547501000000000000000000000000000000000000000000900460ff166102575760015474010000000000000000000000000000000000000000900460ff161561025b565b303b155b6102e7576040517f08c379a000000000000000000000000000000000000000000000000000000000815260206004820152602e60248201527f496e697469616c697a61626c653a20636f6e747261637420697320616c72656160448201527f647920696e697469616c697a65640000000000000000000000000000000000006064820152608401610160565b6001547501000000000000000000000000000000000000000000900460ff1615801561034e57600180547fffffffffffffffffffff0000ffffffffffffffffffffffffffffffffffffffff1675010100000000000000000000000000000000000000001790555b61035b8260200151610642565b8151600280547fffffffffffffffffffffffff00000000000000000000000000000000000000001673ffffffffffffffffffffffffffffffffffffffff90921691821790556040805133815260208101929092527fdc90fed0326ba91706deeac7eb34ac9f8b680734f9d782864dc29704d23bed6a910160405180910390a1801561040957600180547fffffffffffffffffffff00ffffffffffffffffffffffffffffffffffffffffff1690555b5050565b73ffffffffffffffffffffffffffffffffffffffff811660009081526020819052604081205461045d577fffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffff610484565b73ffffffffffffffffffffffffffffffffffffffff82166000908152602081905260409020545b92915050565b60606104848260017fffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffff6107db565b6000805b60088110156104e857828160200285901c63ffffffff1611156104e0579050610484565b6001016104bc565b5060089392505050565b600083831061050c57610507858585856108c4565b610516565b610516858461096a565b95945050505050565b8383116105a5573373ffffffffffffffffffffffffffffffffffffffff8616146105a5576040517f08c379a000000000000000000000000000000000000000000000000000000000815260206004820152601360248201527f44454c4547415445445f544945525f4c4f5353000000000000000000000000006044820152606401610160565b60006105af6100b8565b905060006105bd8287610a0a565b905060006105cb8387610a0a565b9050818114156105dd5750505061063b565b818111156106115760025461060c9073ffffffffffffffffffffffffffffffffffffffff163330858503610a3b565b610637565b6002546106379073ffffffffffffffffffffffffffffffffffffffff1633838503610b1d565b5050505b5050505050565b60015473ffffffffffffffffffffffffffffffffffffffff161561066857610668611235565b6000805b6008811015610716578183826008811061068857610688611264565b602002015110156106f5576040517f08c379a000000000000000000000000000000000000000000000000000000000815260206004820152601860248201527f4f55545f4f465f4f524445525f544945525f56414c55455300000000000000006044820152606401610160565b82816008811061070757610707611264565b6020020151915060010161066c565b505060006107428260405160200161072e9190610f5a565b604051602081830303815290604052610b78565b6040805133815273ffffffffffffffffffffffffffffffffffffffff831660208201529192507f18ebb958e85030233374c8eb79c1a72ee418770db7fb47a7de05d30c868ec958910160405180910390a1600180547fffffffffffffffffffffffff00000000000000000000000000000000000000001673ffffffffffffffffffffffffffffffffffffffff9290921691909117905550565b6060833b806107fa5750506040805160208101909152600081526108bd565b808411156108185750506040805160208101909152600081526108bd565b83831015610863576040517f2c4a89fa000000000000000000000000000000000000000000000000000000008152600481018290526024810185905260448101849052606401610160565b8383038482036000828210610878578261087a565b815b60408051603f83017fffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffe0168101909152818152955090508087602087018a3c505050505b9392505050565b6000826008811115610932576040517f08c379a000000000000000000000000000000000000000000000000000000000815260206004820152600860248201527f4d41585f544945520000000000000000000000000000000000000000000000006044820152606401610160565b6000855b8581101561095e5763ffffffff6020820290811b199890981685891b17979150600101610936565b50959695505050505050565b60008160088111156109d8576040517f08c379a000000000000000000000000000000000000000000000000000000000815260206004820152600860248201527f4d41585f544945520000000000000000000000000000000000000000000000006044820152606401610160565b50507fffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffff60209190910290811c901b1790565b6000808211610a1a5760006108bd565b826001830360088110610a2f57610a2f611264565b60200201519392505050565b60405173ffffffffffffffffffffffffffffffffffffffff80851660248301528316604482015260648101829052610b179085907f23b872dd00000000000000000000000000000000000000000000000000000000906084015b604080517fffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffe08184030181529190526020810180517bffffffffffffffffffffffffffffffffffffffffffffffffffffffff167fffffffff0000000000000000000000000000000000000000000000000000000090931692909217909152610c03565b50505050565b60405173ffffffffffffffffffffffffffffffffffffffff8316602482015260448101829052610b739084907fa9059cbb0000000000000000000000000000000000000000000000000000000090606401610a95565b505050565b600080610ba383604051602001610b8f91906112bf565b604051602081830303815290604052610d0f565b90508051602082016000f0915073ffffffffffffffffffffffffffffffffffffffff8216610bfd576040517f08d4abb600000000000000000000000000000000000000000000000000000000815260040160405180910390fd5b50919050565b6000610c65826040518060400160405280602081526020017f5361666545524332303a206c6f772d6c6576656c2063616c6c206661696c65648152508573ffffffffffffffffffffffffffffffffffffffff16610d3b9092919063ffffffff16565b805190915015610b735780806020019051810190610c8391906112e5565b610b73576040517f08c379a000000000000000000000000000000000000000000000000000000000815260206004820152602a60248201527f5361666545524332303a204552433230206f7065726174696f6e20646964206e60448201527f6f742073756363656564000000000000000000000000000000000000000000006064820152608401610160565b6060815182604051602001610d25929190611307565b6040516020818303038152906040529050919050565b6060610d4a8484600085610d52565b949350505050565b606082471015610de4576040517f08c379a000000000000000000000000000000000000000000000000000000000815260206004820152602660248201527f416464726573733a20696e73756666696369656e742062616c616e636520666f60448201527f722063616c6c00000000000000000000000000000000000000000000000000006064820152608401610160565b73ffffffffffffffffffffffffffffffffffffffff85163b610e62576040517f08c379a000000000000000000000000000000000000000000000000000000000815260206004820152601d60248201527f416464726573733a2063616c6c20746f206e6f6e2d636f6e74726163740000006044820152606401610160565b6000808673ffffffffffffffffffffffffffffffffffffffff168587604051610e8b919061139e565b60006040518083038185875af1925050503d8060008114610ec8576040519150601f19603f3d011682016040523d82523d6000602084013e610ecd565b606091505b5091509150610edd828286610ee8565b979650505050505050565b60608315610ef75750816108bd565b825115610f075782518084602001fd5b816040517f08c379a000000000000000000000000000000000000000000000000000000000815260040161016091906113ba565b6040518061010001604052806008906020820280368337509192915050565b6101008101818360005b6008811015610f83578151835260209283019290910190600101610f64565b50505092915050565b73ffffffffffffffffffffffffffffffffffffffff81168114610fae57600080fd5b50565b60008060008060608587031215610fc757600080fd5b8435610fd281610f8c565b935060208501359250604085013567ffffffffffffffff80821115610ff657600080fd5b818701915087601f83011261100a57600080fd5b81358181111561101957600080fd5b88602082850101111561102b57600080fd5b95989497505060200194505050565b7f4e487b7100000000000000000000000000000000000000000000000000000000600052604160045260246000fd5b604051610100810167ffffffffffffffff8111828210171561108d5761108d61103a565b60405290565b60006101208083850312156110a757600080fd5b6040516040810181811067ffffffffffffffff821117156110ca576110ca61103a565b60405283356110d881610f8c565b81526020603f850186136110eb57600080fd5b6110f3611069565b92850192808785111561110557600080fd5b8287015b858110156111205780358352918301918301611109565b509183019190915250949350505050565b60006020828403121561114357600080fd5b81356108bd81610f8c565b600061010080838503121561116257600080fd5b83601f84011261117157600080fd5b611179611069565b90830190808583111561118b57600080fd5b845b838110156111a557805183526020928301920161118d565b5095945050505050565b600073ffffffffffffffffffffffffffffffffffffffff808916835280881660208401525085604083015284606083015260a060808301528260a0830152828460c0840137600060c0848401015260c07fffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffe0601f8501168301019050979650505050505050565b7f4e487b7100000000000000000000000000000000000000000000000000000000600052600160045260246000fd5b7f4e487b7100000000000000000000000000000000000000000000000000000000600052603260045260246000fd5b60005b838110156112ae578181015183820152602001611296565b83811115610b175750506000910152565b60008152600082516112d8816001850160208701611293565b9190910160010192915050565b6000602082840312156112f757600080fd5b815180151581146108bd57600080fd5b7f630000000000000000000000000000000000000000000000000000000000000081527fffffffff000000000000000000000000000000000000000000000000000000008360e01b1660018201527f80600e6000396000f3000000000000000000000000000000000000000000000060058201526000825161139081600e850160208701611293565b91909101600e019392505050565b600082516113b0818460208701611293565b9190910192915050565b60208152600082518060208401526113d9816040850160208701611293565b601f017fffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffe016919091016040019291505056fea26469706673582212206ec8ffe9592912187417d18bec7de32180944a21c3e48048c4a3bad19700b40b64736f6c634300080a0033
Deployed ByteCode Sourcemap
306:1394:12:-:0;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;1659:614:6;;;;;;:::i;:::-;;:::i;:::-;;;786:42:18;774:55;;;756:74;;744:2;729:18;1659:614:6;;;;;;;;430:39:12;;;;;1493:205;;;;;;:::i;:::-;;:::i;2585:174:6:-;;;;;;:::i;:::-;2730:22;;2703:4;2730:22;;;:9;:22;;;;;;;;;2585:174;;;;1889:14:18;;1882:22;1864:41;;1852:2;1837:18;2585:174:6;1724:187:18;1659:614:6;1790:7;1744:1:2;2325:7;;:19;;2317:63;;;;;;;2118:2:18;2317:63:2;;;2100:21:18;2157:2;2137:18;;;2130:30;2196:33;2176:18;;;2169:61;2247:18;;2317:63:2;;;;;;;;;1744:1;2455:7;:18;;;1875:19:6::1;1888:5:::0;;1875:12:::1;:19::i;:::-;1991:17;::::0;::::1;;::::0;;;:9:::1;:17;::::0;;;;;1858:36;;-1:-1:-1;1991:17:6::1;;1990:18;1982:46;;;::::0;::::1;::::0;;2478:2:18;1982:46:6::1;::::0;::::1;2460:21:18::0;2517:2;2497:18;;;2490:30;2556:17;2536:18;;;2529:45;2591:18;;1982:46:6::1;2276:339:18::0;1982:46:6::1;2105:17;::::0;::::1;;::::0;;;2125:4:::1;2105:17;::::0;;;;;;;;:24;;;::::1;::::0;;::::1;::::0;;;2206:37;;2224:10:::1;2855:34:18::0;;2905:18;;;2898:43;;;;2206:37:6::1;::::0;2767:18:18;2206:37:6::1;;;;;;;1701:1:2::0;2628:7;:22;2260:6:6;1659:614;-1:-1:-1;;;1659:614:6:o;1493:205:12:-;1595:17;1653:4;:16;;;1681:7;1670:19;;;;;;;;:::i;:::-;;;;;;;;;;;;;1653:37;;;;;;;;;;;;;;;:::i;:::-;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;:::i;:::-;1628:63;1493:205;-1:-1:-1;;1493:205:12:o;767:393::-;878:7;;942:78;;;;966:5;942:78;:::i;:::-;901:119;;1030:14;1047:28;1060:14;1047:12;:28::i;:::-;1085:45;;;;;1030;;-1:-1:-1;1085:36:12;;;;;;:45;;1122:7;;1085:45;;;:::i;:::-;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;-1:-1:-1;1147:6:12;;767:393;-1:-1:-1;;;;;;;767:393:12:o;958:515:0:-;1015:16;1083:4;1077:11;1113:66;1108:3;1101:79;1226:14;1220:4;1216:25;1209:4;1204:3;1200:14;1193:49;1278:66;1271:4;1266:3;1262:14;1255:90;1385:4;1380:3;1377:1;1370:20;1358:32;-1:-1:-1;;1417:22:0;;;1409:57;;;;;;;6706:2:18;1409:57:0;;;6688:21:18;6745:2;6725:18;;;6718:30;6784:24;6764:18;;;6757:52;6826:18;;1409:57:0;6504:346:18;1409:57:0;958:515;;;:::o;14:591:18:-;84:6;92;145:2;133:9;124:7;120:23;116:32;113:52;;;161:1;158;151:12;113:52;201:9;188:23;230:18;271:2;263:6;260:14;257:34;;;287:1;284;277:12;257:34;325:6;314:9;310:22;300:32;;370:7;363:4;359:2;355:13;351:27;341:55;;392:1;389;382:12;341:55;432:2;419:16;458:2;450:6;447:14;444:34;;;474:1;471;464:12;444:34;519:7;514:2;505:6;501:2;497:15;493:24;490:37;487:57;;;540:1;537;530:12;487:57;571:2;563:11;;;;;593:6;;-1:-1:-1;14:591:18;;-1:-1:-1;;;;14:591:18:o;841:210::-;943:6;996:3;984:9;975:7;971:23;967:33;964:53;;;1013:1;1010;1003:12;964:53;-1:-1:-1;1036:9:18;841:210;-1:-1:-1;841:210:18:o;1313:154::-;1399:42;1392:5;1388:54;1381:5;1378:65;1368:93;;1457:1;1454;1447:12;1368:93;1313:154;:::o;1472:247::-;1531:6;1584:2;1572:9;1563:7;1559:23;1555:32;1552:52;;;1600:1;1597;1590:12;1552:52;1639:9;1626:23;1658:31;1683:5;1658:31;:::i;:::-;1708:5;1472:247;-1:-1:-1;;;1472:247:18:o;2952:486::-;3170:3;3155:19;;3196:20;;3225:31;3196:20;3225:31;:::i;:::-;3294:42;3283:54;3265:73;;3401:6;3394:4;3382:17;;;;3360:20;;3347:61;3430:1;3424:4;3417:15;2952:486;;;;:::o;3443:654::-;3553:4;3582:2;3611;3600:9;3593:21;3643:6;3637:13;3686:6;3681:2;3670:9;3666:18;3659:34;3711:1;3721:140;3735:6;3732:1;3729:13;3721:140;;;3830:14;;;3826:23;;3820:30;3796:17;;;3815:2;3792:26;3785:66;3750:10;;3721:140;;;3879:6;3876:1;3873:13;3870:91;;;3949:1;3944:2;3935:6;3924:9;3920:22;3916:31;3909:42;3870:91;-1:-1:-1;4013:2:18;4001:15;4018:66;3997:88;3982:104;;;;4088:2;3978:113;;3443:654;-1:-1:-1;;;3443:654:18:o;4102:251::-;4172:6;4225:2;4213:9;4204:7;4200:23;4196:32;4193:52;;;4241:1;4238;4231:12;4193:52;4273:9;4267:16;4292:31;4317:5;4292:31;:::i;4358:184::-;4410:77;4407:1;4400:88;4507:4;4504:1;4497:15;4531:4;4528:1;4521:15;4547:247;4614:2;4608:9;4656:3;4644:16;;4690:18;4675:34;;4711:22;;;4672:62;4669:88;;;4737:18;;:::i;:::-;4773:2;4766:22;4547:247;:::o;4799:1018::-;4899:6;4930:3;4974:2;4962:9;4953:7;4949:23;4945:32;4942:52;;;4990:1;4987;4980:12;4942:52;5023:4;5017:11;5067:4;5059:6;5055:17;5138:6;5126:10;5123:22;5102:18;5090:10;5087:34;5084:62;5081:88;;;5149:18;;:::i;:::-;5185:4;5178:24;5224:23;;5256:31;5224:23;5256:31;:::i;:::-;5296:21;;5336:2;5376;5361:18;;5357:32;-1:-1:-1;5347:60:18;;5403:1;5400;5393:12;5347:60;5427:17;;:::i;:::-;5492:18;;;;5466:3;5522:19;;;5519:39;;;5554:1;5551;5544:12;5519:39;5593:2;5582:9;5578:18;5605:142;5621:6;5616:3;5613:15;5605:142;;;5687:17;;5675:30;;5725:12;;;;5638;;5605:142;;;-1:-1:-1;5763:15:18;;;5756:30;;;;-1:-1:-1;5767:6:18;4799:1018;-1:-1:-1;;;;4799:1018:18:o;5822:677::-;6073:13;;6088:42;6069:62;6051:81;;6151:4;6190:15;;;6184:22;6038:3;6023:19;;;6151:4;6226:18;;;5996:4;6326:167;6340:4;6337:1;6334:11;6326:167;;;6399:13;;6387:26;;6468:15;;;;6433:12;;;;6360:1;6353:9;6326:167;;;6330:3;;;;5822:677;;;;:::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.