Overview
S Balance
S Value
$0.00More Info
Private Name Tags
ContractCreator
Loading...
Loading
Contract Source Code Verified (Exact Match)
Contract Name:
XSTBL
Compiler Version
v0.8.28+commit.7893614a
Optimization Enabled:
Yes with 200 runs
Other Settings:
cancun EvmVersion
Contract Source Code (Solidity Standard Json-Input format)
// SPDX-License-Identifier: MIT pragma solidity ^0.8.28; import {IERC20} from "@openzeppelin/contracts/token/ERC20/IERC20.sol"; import {ERC20Upgradeable} from "@openzeppelin/contracts-upgradeable/token/ERC20/ERC20Upgradeable.sol"; import {EnumerableSet} from "@openzeppelin/contracts/utils/structs/EnumerableSet.sol"; import {Controllable} from "../core/base/Controllable.sol"; import {IControllable} from "../interfaces/IControllable.sol"; import {IXSTBL} from "../interfaces/IXSTBL.sol"; import {IXStaking} from "../interfaces/IXStaking.sol"; import {IRevenueRouter} from "../interfaces/IRevenueRouter.sol"; /// @title xSTBL token /// Inspired by xRAM/xSHADOW from Ramses/Shadow codebase /// @author Alien Deployer (https://github.com/a17) contract XSTBL is Controllable, ERC20Upgradeable, IXSTBL { using EnumerableSet for EnumerableSet.AddressSet; /*´:°•.°+.*•´.*:˚.°*.˚•´.°:°•.°•.*•´.*:˚.°*.˚•´.°:°•.°+.*•´.*:*/ /* CONSTANTS */ /*.•°:°.´+˚.*°.˚:*.´•*.+°.•°:´*.´•*.•°.•°:°.´:•˚°.*°.˚:*.´+°.•*/ /// @inheritdoc IControllable string public constant VERSION = "1.0.0"; /// @inheritdoc IXSTBL uint public constant BASIS = 10_000; /// @inheritdoc IXSTBL uint public constant SLASHING_PENALTY = 5000; /// @inheritdoc IXSTBL uint public constant MIN_VEST = 14 days; /// @inheritdoc IXSTBL uint public constant MAX_VEST = 180 days; // keccak256(abi.encode(uint256(keccak256("erc7201:stability.XSTBL")) - 1)) & ~bytes32(uint256(0xff)) bytes32 private constant XSTBL_STORAGE_LOCATION = 0x8070df933051cfd06b1bc8a1cc21337087bed1e1452be7055e564e22eadb9e00; /*´:°•.°+.*•´.*:˚.°*.˚•´.°:°•.°•.*•´.*:˚.°*.˚•´.°:°•.°+.*•´.*:*/ /* DATA TYPES */ /*.•°:°.´+˚.*°.˚:*.´•*.+°.•°:´*.´•*.•°.•°:°.´:•˚°.*°.˚:*.´+°.•*/ /// @custom:storage-location erc7201:stability.XSTBL struct XSTBLStorage { /// @inheritdoc IXSTBL address STBL; /// @inheritdoc IXSTBL address xStaking; /// @inheritdoc IXSTBL address revenueRouter; /// @dev stores the addresses that are exempt from transfer limitations when transferring out EnumerableSet.AddressSet exempt; /// @dev stores the addresses that are exempt from transfer limitations when transferring to them EnumerableSet.AddressSet exemptTo; /// @inheritdoc IXSTBL uint pendingRebase; /// @inheritdoc IXSTBL uint lastDistributedPeriod; /// @inheritdoc IXSTBL mapping(address => VestPosition[]) vestInfo; } /*´:°•.°+.*•´.*:˚.°*.˚•´.°:°•.°•.*•´.*:˚.°*.˚•´.°:°•.°+.*•´.*:*/ /* INITIALIZATION */ /*.•°:°.´+˚.*°.˚:*.´•*.+°.•°:´*.´•*.•°.•°:°.´:•˚°.*°.˚:*.´+°.•*/ function initialize( address platform_, address stbl_, address xStaking_, address revenueRouter_ ) external initializer { __Controllable_init(platform_); __ERC20_init("xStability", "xSTBL"); XSTBLStorage storage $ = _getXSTBLStorage(); $.STBL = stbl_; $.xStaking = xStaking_; $.revenueRouter = revenueRouter_; $.exempt.add(xStaking_); $.exemptTo.add(xStaking_); } /*´:°•.°+.*•´.*:˚.°*.˚•´.°:°•.°•.*•´.*:˚.°*.˚•´.°:°•.°+.*•´.*:*/ /* RESTRICTED ACTIONS */ /*.•°:°.´+˚.*°.˚:*.´•*.+°.•°:´*.´•*.•°.•°:°.´:•˚°.*°.˚:*.´+°.•*/ /// @inheritdoc IXSTBL function rebase() external { XSTBLStorage storage $ = _getXSTBLStorage(); address _revenueRouter = $.revenueRouter; /// @dev gate to minter and call it on epoch flips require(msg.sender == _revenueRouter, IncorrectMsgSender()); /// @dev fetch the current period uint period = IRevenueRouter(_revenueRouter).getPeriod(); uint _pendingRebase = $.pendingRebase; /// @dev if it's a new period (epoch) if ( /// @dev if the rebase is greater than the Basis period > $.lastDistributedPeriod && _pendingRebase >= BASIS ) { /// @dev PvP rebase notified to the XStaking contract to stream to xSTBL /// @dev fetch the current period from voter $.lastDistributedPeriod = period; /// @dev zero it out $.pendingRebase = 0; address _xStaking = $.xStaking; /// @dev approve STBL transferring to voteModule IERC20($.STBL).approve(_xStaking, _pendingRebase); /// @dev notify the STBL rebase IXStaking(_xStaking).notifyRewardAmount(_pendingRebase); emit Rebase(msg.sender, _pendingRebase); } } /// @inheritdoc IXSTBL function setExemptionFrom(address[] calldata exemptee, bool[] calldata exempt) external onlyGovernanceOrMultisig { /// @dev ensure arrays of same length require(exemptee.length == exempt.length, IncorrectArrayLength()); XSTBLStorage storage $ = _getXSTBLStorage(); EnumerableSet.AddressSet storage exemptFrom = $.exempt; /// @dev loop through all and attempt add/remove based on status uint len = exempt.length; for (uint i; i < len; ++i) { bool success = exempt[i] ? exemptFrom.add(exemptee[i]) : exemptFrom.remove(exemptee[i]); /// @dev emit : (who, status, success) emit ExemptionFrom(exemptee[i], exempt[i], success); } } /// @inheritdoc IXSTBL function setExemptionTo(address[] calldata exemptee, bool[] calldata exempt) external onlyGovernanceOrMultisig { /// @dev ensure arrays of same length require(exemptee.length == exempt.length, IncorrectArrayLength()); XSTBLStorage storage $ = _getXSTBLStorage(); EnumerableSet.AddressSet storage exemptTo = $.exemptTo; /// @dev loop through all and attempt add/remove based on status uint len = exempt.length; for (uint i; i < len; ++i) { bool success = exempt[i] ? exemptTo.add(exemptee[i]) : exemptTo.remove(exemptee[i]); /// @dev emit : (who, status, success) emit ExemptionTo(exemptee[i], exempt[i], success); } } /*´:°•.°+.*•´.*:˚.°*.˚•´.°:°•.°•.*•´.*:˚.°*.˚•´.°:°•.°+.*•´.*:*/ /* USER ACTIONS */ /*.•°:°.´+˚.*°.˚:*.´•*.+°.•°:´*.´•*.•°.•°:°.´:•˚°.*°.˚:*.´+°.•*/ /// @inheritdoc IXSTBL function enter(uint amount_) external { /// @dev ensure the amount_ is > 0 require(amount_ != 0, IncorrectZeroArgument()); /// @dev transfer from the caller to this address // slither-disable-next-line unchecked-transfer IERC20(STBL()).transferFrom(msg.sender, address(this), amount_); /// @dev mint the xSTBL to the caller _mint(msg.sender, amount_); /// @dev emit an event for conversion emit Enter(msg.sender, amount_); } /// @inheritdoc IXSTBL function exit(uint amount_) external returns (uint exitedAmount) { /// @dev cannot exit a 0 amount require(amount_ != 0, IncorrectZeroArgument()); /// @dev if it's at least 2 wei it will give a penalty uint penalty = amount_ * SLASHING_PENALTY / BASIS; uint exitAmount = amount_ - penalty; /// @dev burn the xSTBL from the caller's address _burn(msg.sender, amount_); XSTBLStorage storage $ = _getXSTBLStorage(); /// @dev store the rebase earned from the penalty $.pendingRebase += penalty; /// @dev transfer the exitAmount to the caller // slither-disable-next-line unchecked-transfer IERC20($.STBL).transfer(msg.sender, exitAmount); /// @dev emit actual exited amount emit InstantExit(msg.sender, exitAmount); return exitAmount; } /// @inheritdoc IXSTBL function createVest(uint amount_) external { /// @dev ensure not 0 require(amount_ != 0, IncorrectZeroArgument()); /// @dev preemptive burn _burn(msg.sender, amount_); XSTBLStorage storage $ = _getXSTBLStorage(); /// @dev fetch total length of vests uint vestLength = $.vestInfo[msg.sender].length; /// @dev push new position $.vestInfo[msg.sender].push(VestPosition(amount_, block.timestamp, block.timestamp + MAX_VEST, vestLength)); emit NewVest(msg.sender, vestLength, amount_); } /// @inheritdoc IXSTBL function exitVest(uint vestID_) external { XSTBLStorage storage $ = _getXSTBLStorage(); VestPosition storage _vest = $.vestInfo[msg.sender][vestID_]; require(_vest.amount != 0, NO_VEST()); /// @dev store amount in the vest and start time uint _amount = _vest.amount; uint _start = _vest.start; /// @dev zero out the amount before anything else as a safety measure _vest.amount = 0; if (block.timestamp < _start + MIN_VEST) { /// @dev case: vest has not crossed the minimum vesting threshold /// @dev mint cancelled xSTBL back to msg.sender _mint(msg.sender, _amount); emit CancelVesting(msg.sender, vestID_, _amount); } else if (_vest.maxEnd <= block.timestamp) { /// @dev case: vest is complete /// @dev send liquid STBL to msg.sender // slither-disable-next-line unchecked-transfer IERC20($.STBL).transfer(msg.sender, _amount); emit ExitVesting(msg.sender, vestID_, _amount, _amount); } else { /// @dev case: vest is in progress /// @dev calculate % earned based on length of time that has vested /// @dev linear calculations /// @dev the base to start at (50%) uint base = _amount * SLASHING_PENALTY / BASIS; /// @dev calculate the extra earned via vesting uint vestEarned = _amount * (BASIS - SLASHING_PENALTY) * (block.timestamp - _start) / MAX_VEST / BASIS; uint exitedAmount = base + vestEarned; /// @dev add to the existing pendingRebases $.pendingRebase += (_amount - exitedAmount); /// @dev transfer underlying to the sender after penalties removed // slither-disable-next-line unchecked-transfer IERC20($.STBL).transfer(msg.sender, exitedAmount); emit ExitVesting(msg.sender, vestID_, _amount, exitedAmount); } } /*´:°•.°+.*•´.*:˚.°*.˚•´.°:°•.°•.*•´.*:˚.°*.˚•´.°:°•.°+.*•´.*:*/ /* VIEW FUNCTIONS */ /*.•°:°.´+˚.*°.˚:*.´•*.+°.•°:´*.´•*.•°.•°:°.´:•˚°.*°.˚:*.´+°.•*/ /// @inheritdoc IXSTBL function STBL() public view returns (address) { return _getXSTBLStorage().STBL; } /// @inheritdoc IXSTBL function xStaking() external view returns (address) { return _getXSTBLStorage().xStaking; } /// @inheritdoc IXSTBL function revenueRouter() external view returns (address) { return _getXSTBLStorage().revenueRouter; } /// @inheritdoc IXSTBL function vestInfo(address user, uint vestID) external view returns (uint amount, uint start, uint maxEnd) { XSTBLStorage storage $ = _getXSTBLStorage(); VestPosition memory vestPosition = $.vestInfo[user][vestID]; amount = vestPosition.amount; start = vestPosition.start; maxEnd = vestPosition.maxEnd; } /// @inheritdoc IXSTBL function usersTotalVests(address who) external view returns (uint numOfVests) { XSTBLStorage storage $ = _getXSTBLStorage(); return $.vestInfo[who].length; } /// @inheritdoc IXSTBL function pendingRebase() external view returns (uint) { return _getXSTBLStorage().pendingRebase; } /// @inheritdoc IXSTBL function lastDistributedPeriod() external view returns (uint) { return _getXSTBLStorage().lastDistributedPeriod; } /*´:°•.°+.*•´.*:˚.°*.˚•´.°:°•.°•.*•´.*:˚.°*.˚•´.°:°•.°+.*•´.*:*/ /* HOOKS TO OVERRIDE */ /*.•°:°.´+˚.*°.˚:*.´•*.+°.•°:´*.´•*.•°.•°:°.´:•˚°.*°.˚:*.´+°.•*/ function _update(address from, address to, uint value) internal override { require(_isExempted(from, to), NOT_WHITELISTED(from, to)); /// @dev call parent function super._update(from, to, value); } /*´:°•.°+.*•´.*:˚.°*.˚•´.°:°•.°•.*•´.*:˚.°*.˚•´.°:°•.°+.*•´.*:*/ /* INTERNAL LOGIC */ /*.•°:°.´+˚.*°.˚:*.´•*.+°.•°:´*.´•*.•°.•°:°.´:•˚°.*°.˚:*.´+°.•*/ /// @dev internal check for the transfer whitelist function _isExempted(address from_, address to_) internal view returns (bool) { XSTBLStorage storage $ = _getXSTBLStorage(); return (from_ == address(0) || to_ == address(0) || $.exempt.contains(from_) || $.exemptTo.contains(to_)); } function _getXSTBLStorage() internal pure returns (XSTBLStorage storage $) { //slither-disable-next-line assembly assembly { $.slot := XSTBL_STORAGE_LOCATION } } }
// SPDX-License-Identifier: MIT // OpenZeppelin Contracts (last updated v5.0.0) (token/ERC20/IERC20.sol) pragma solidity ^0.8.20; /** * @dev Interface of the ERC20 standard as defined in the EIP. */ interface IERC20 { /** * @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); /** * @dev Returns the value of tokens in existence. */ function totalSupply() external view returns (uint256); /** * @dev Returns the value of tokens owned by `account`. */ function balanceOf(address account) external view returns (uint256); /** * @dev Moves a `value` amount of 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 value) 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 a `value` amount of tokens 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 value) external returns (bool); /** * @dev Moves a `value` amount of tokens from `from` to `to` using the * allowance mechanism. `value` 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 value) external returns (bool); }
// SPDX-License-Identifier: MIT // OpenZeppelin Contracts (last updated v5.0.0) (token/ERC20/ERC20.sol) pragma solidity ^0.8.20; import {IERC20} from "@openzeppelin/contracts/token/ERC20/IERC20.sol"; import {IERC20Metadata} from "@openzeppelin/contracts/token/ERC20/extensions/IERC20Metadata.sol"; import {ContextUpgradeable} from "../../utils/ContextUpgradeable.sol"; import {IERC20Errors} from "@openzeppelin/contracts/interfaces/draft-IERC6093.sol"; import {Initializable} from "../../proxy/utils/Initializable.sol"; /** * @dev Implementation of the {IERC20} interface. * * This implementation is agnostic to the way tokens are created. This means * that a supply mechanism has to be added in a derived contract using {_mint}. * * TIP: For a detailed writeup see our guide * https://forum.openzeppelin.com/t/how-to-implement-erc20-supply-mechanisms/226[How * to implement supply mechanisms]. * * The default value of {decimals} is 18. To change this, you should override * this function so it returns a different value. * * We have followed general OpenZeppelin Contracts guidelines: functions revert * instead returning `false` on failure. This behavior is nonetheless * conventional and does not conflict with the expectations of ERC20 * applications. * * Additionally, an {Approval} event is emitted on calls to {transferFrom}. * This allows applications to reconstruct the allowance for all accounts just * by listening to said events. Other implementations of the EIP may not emit * these events, as it isn't required by the specification. */ abstract contract ERC20Upgradeable is Initializable, ContextUpgradeable, IERC20, IERC20Metadata, IERC20Errors { /// @custom:storage-location erc7201:openzeppelin.storage.ERC20 struct ERC20Storage { mapping(address account => uint256) _balances; mapping(address account => mapping(address spender => uint256)) _allowances; uint256 _totalSupply; string _name; string _symbol; } // keccak256(abi.encode(uint256(keccak256("openzeppelin.storage.ERC20")) - 1)) & ~bytes32(uint256(0xff)) bytes32 private constant ERC20StorageLocation = 0x52c63247e1f47db19d5ce0460030c497f067ca4cebf71ba98eeadabe20bace00; function _getERC20Storage() private pure returns (ERC20Storage storage $) { assembly { $.slot := ERC20StorageLocation } } /** * @dev Sets the values for {name} and {symbol}. * * All two of these values are immutable: they can only be set once during * construction. */ function __ERC20_init(string memory name_, string memory symbol_) internal onlyInitializing { __ERC20_init_unchained(name_, symbol_); } function __ERC20_init_unchained(string memory name_, string memory symbol_) internal onlyInitializing { ERC20Storage storage $ = _getERC20Storage(); $._name = name_; $._symbol = symbol_; } /** * @dev Returns the name of the token. */ function name() public view virtual returns (string memory) { ERC20Storage storage $ = _getERC20Storage(); return $._name; } /** * @dev Returns the symbol of the token, usually a shorter version of the * name. */ function symbol() public view virtual returns (string memory) { ERC20Storage storage $ = _getERC20Storage(); return $._symbol; } /** * @dev Returns the number of decimals used to get its user representation. * For example, if `decimals` equals `2`, a balance of `505` tokens should * be displayed to a user as `5.05` (`505 / 10 ** 2`). * * Tokens usually opt for a value of 18, imitating the relationship between * Ether and Wei. This is the default value returned by this function, unless * it's overridden. * * NOTE: This information is only used for _display_ purposes: it in * no way affects any of the arithmetic of the contract, including * {IERC20-balanceOf} and {IERC20-transfer}. */ function decimals() public view virtual returns (uint8) { return 18; } /** * @dev See {IERC20-totalSupply}. */ function totalSupply() public view virtual returns (uint256) { ERC20Storage storage $ = _getERC20Storage(); return $._totalSupply; } /** * @dev See {IERC20-balanceOf}. */ function balanceOf(address account) public view virtual returns (uint256) { ERC20Storage storage $ = _getERC20Storage(); return $._balances[account]; } /** * @dev See {IERC20-transfer}. * * Requirements: * * - `to` cannot be the zero address. * - the caller must have a balance of at least `value`. */ function transfer(address to, uint256 value) public virtual returns (bool) { address owner = _msgSender(); _transfer(owner, to, value); return true; } /** * @dev See {IERC20-allowance}. */ function allowance(address owner, address spender) public view virtual returns (uint256) { ERC20Storage storage $ = _getERC20Storage(); return $._allowances[owner][spender]; } /** * @dev See {IERC20-approve}. * * NOTE: If `value` is the maximum `uint256`, the allowance is not updated on * `transferFrom`. This is semantically equivalent to an infinite approval. * * Requirements: * * - `spender` cannot be the zero address. */ function approve(address spender, uint256 value) public virtual returns (bool) { address owner = _msgSender(); _approve(owner, spender, value); return true; } /** * @dev See {IERC20-transferFrom}. * * Emits an {Approval} event indicating the updated allowance. This is not * required by the EIP. See the note at the beginning of {ERC20}. * * NOTE: Does not update the allowance if the current allowance * is the maximum `uint256`. * * Requirements: * * - `from` and `to` cannot be the zero address. * - `from` must have a balance of at least `value`. * - the caller must have allowance for ``from``'s tokens of at least * `value`. */ function transferFrom(address from, address to, uint256 value) public virtual returns (bool) { address spender = _msgSender(); _spendAllowance(from, spender, value); _transfer(from, to, value); return true; } /** * @dev Moves a `value` amount of tokens from `from` to `to`. * * This internal function is equivalent to {transfer}, and can be used to * e.g. implement automatic token fees, slashing mechanisms, etc. * * Emits a {Transfer} event. * * NOTE: This function is not virtual, {_update} should be overridden instead. */ function _transfer(address from, address to, uint256 value) internal { if (from == address(0)) { revert ERC20InvalidSender(address(0)); } if (to == address(0)) { revert ERC20InvalidReceiver(address(0)); } _update(from, to, value); } /** * @dev Transfers a `value` amount of tokens from `from` to `to`, or alternatively mints (or burns) if `from` * (or `to`) is the zero address. All customizations to transfers, mints, and burns should be done by overriding * this function. * * Emits a {Transfer} event. */ function _update(address from, address to, uint256 value) internal virtual { ERC20Storage storage $ = _getERC20Storage(); if (from == address(0)) { // Overflow check required: The rest of the code assumes that totalSupply never overflows $._totalSupply += value; } else { uint256 fromBalance = $._balances[from]; if (fromBalance < value) { revert ERC20InsufficientBalance(from, fromBalance, value); } unchecked { // Overflow not possible: value <= fromBalance <= totalSupply. $._balances[from] = fromBalance - value; } } if (to == address(0)) { unchecked { // Overflow not possible: value <= totalSupply or value <= fromBalance <= totalSupply. $._totalSupply -= value; } } else { unchecked { // Overflow not possible: balance + value is at most totalSupply, which we know fits into a uint256. $._balances[to] += value; } } emit Transfer(from, to, value); } /** * @dev Creates a `value` amount of tokens and assigns them to `account`, by transferring it from address(0). * Relies on the `_update` mechanism * * Emits a {Transfer} event with `from` set to the zero address. * * NOTE: This function is not virtual, {_update} should be overridden instead. */ function _mint(address account, uint256 value) internal { if (account == address(0)) { revert ERC20InvalidReceiver(address(0)); } _update(address(0), account, value); } /** * @dev Destroys a `value` amount of tokens from `account`, lowering the total supply. * Relies on the `_update` mechanism. * * Emits a {Transfer} event with `to` set to the zero address. * * NOTE: This function is not virtual, {_update} should be overridden instead */ function _burn(address account, uint256 value) internal { if (account == address(0)) { revert ERC20InvalidSender(address(0)); } _update(account, address(0), value); } /** * @dev Sets `value` as the allowance of `spender` over the `owner` s tokens. * * This internal function is equivalent to `approve`, and can be used to * e.g. set automatic allowances for certain subsystems, etc. * * Emits an {Approval} event. * * Requirements: * * - `owner` cannot be the zero address. * - `spender` cannot be the zero address. * * Overrides to this logic should be done to the variant with an additional `bool emitEvent` argument. */ function _approve(address owner, address spender, uint256 value) internal { _approve(owner, spender, value, true); } /** * @dev Variant of {_approve} with an optional flag to enable or disable the {Approval} event. * * By default (when calling {_approve}) the flag is set to true. On the other hand, approval changes made by * `_spendAllowance` during the `transferFrom` operation set the flag to false. This saves gas by not emitting any * `Approval` event during `transferFrom` operations. * * Anyone who wishes to continue emitting `Approval` events on the`transferFrom` operation can force the flag to * true using the following override: * ``` * function _approve(address owner, address spender, uint256 value, bool) internal virtual override { * super._approve(owner, spender, value, true); * } * ``` * * Requirements are the same as {_approve}. */ function _approve(address owner, address spender, uint256 value, bool emitEvent) internal virtual { ERC20Storage storage $ = _getERC20Storage(); if (owner == address(0)) { revert ERC20InvalidApprover(address(0)); } if (spender == address(0)) { revert ERC20InvalidSpender(address(0)); } $._allowances[owner][spender] = value; if (emitEvent) { emit Approval(owner, spender, value); } } /** * @dev Updates `owner` s allowance for `spender` based on spent `value`. * * Does not update the allowance value in case of infinite allowance. * Revert if not enough allowance is available. * * Does not emit an {Approval} event. */ function _spendAllowance(address owner, address spender, uint256 value) internal virtual { uint256 currentAllowance = allowance(owner, spender); if (currentAllowance != type(uint256).max) { if (currentAllowance < value) { revert ERC20InsufficientAllowance(spender, currentAllowance, value); } unchecked { _approve(owner, spender, currentAllowance - value, false); } } } }
// SPDX-License-Identifier: MIT // OpenZeppelin Contracts (last updated v5.0.0) (utils/structs/EnumerableSet.sol) // This file was procedurally generated from scripts/generate/templates/EnumerableSet.js. pragma solidity ^0.8.20; /** * @dev Library for managing * https://en.wikipedia.org/wiki/Set_(abstract_data_type)[sets] of primitive * types. * * Sets have the following properties: * * - Elements are added, removed, and checked for existence in constant time * (O(1)). * - Elements are enumerated in O(n). No guarantees are made on the ordering. * * ```solidity * contract Example { * // Add the library methods * using EnumerableSet for EnumerableSet.AddressSet; * * // Declare a set state variable * EnumerableSet.AddressSet private mySet; * } * ``` * * As of v3.3.0, sets of type `bytes32` (`Bytes32Set`), `address` (`AddressSet`) * and `uint256` (`UintSet`) are supported. * * [WARNING] * ==== * Trying to delete such a structure from storage will likely result in data corruption, rendering the structure * unusable. * See https://github.com/ethereum/solidity/pull/11843[ethereum/solidity#11843] for more info. * * In order to clean an EnumerableSet, you can either remove all elements one by one or create a fresh instance using an * array of EnumerableSet. * ==== */ library EnumerableSet { // To implement this library for multiple types with as little code // repetition as possible, we write it in terms of a generic Set type with // bytes32 values. // The Set implementation uses private functions, and user-facing // implementations (such as AddressSet) are just wrappers around the // underlying Set. // This means that we can only create new EnumerableSets for types that fit // in bytes32. struct Set { // Storage of set values bytes32[] _values; // Position is the index of the value in the `values` array plus 1. // Position 0 is used to mean a value is not in the set. mapping(bytes32 value => uint256) _positions; } /** * @dev Add a value to a set. O(1). * * Returns true if the value was added to the set, that is if it was not * already present. */ function _add(Set storage set, bytes32 value) private returns (bool) { if (!_contains(set, value)) { set._values.push(value); // The value is stored at length-1, but we add 1 to all indexes // and use 0 as a sentinel value set._positions[value] = set._values.length; return true; } else { return false; } } /** * @dev Removes a value from a set. O(1). * * Returns true if the value was removed from the set, that is if it was * present. */ function _remove(Set storage set, bytes32 value) private returns (bool) { // We cache the value's position to prevent multiple reads from the same storage slot uint256 position = set._positions[value]; if (position != 0) { // Equivalent to contains(set, value) // To delete an element from the _values array in O(1), we swap the element to delete with the last one in // the array, and then remove the last element (sometimes called as 'swap and pop'). // This modifies the order of the array, as noted in {at}. uint256 valueIndex = position - 1; uint256 lastIndex = set._values.length - 1; if (valueIndex != lastIndex) { bytes32 lastValue = set._values[lastIndex]; // Move the lastValue to the index where the value to delete is set._values[valueIndex] = lastValue; // Update the tracked position of the lastValue (that was just moved) set._positions[lastValue] = position; } // Delete the slot where the moved value was stored set._values.pop(); // Delete the tracked position for the deleted slot delete set._positions[value]; return true; } else { return false; } } /** * @dev Returns true if the value is in the set. O(1). */ function _contains(Set storage set, bytes32 value) private view returns (bool) { return set._positions[value] != 0; } /** * @dev Returns the number of values on the set. O(1). */ function _length(Set storage set) private view returns (uint256) { return set._values.length; } /** * @dev Returns the value stored at position `index` in the set. O(1). * * Note that there are no guarantees on the ordering of values inside the * array, and it may change when more values are added or removed. * * Requirements: * * - `index` must be strictly less than {length}. */ function _at(Set storage set, uint256 index) private view returns (bytes32) { return set._values[index]; } /** * @dev Return the entire set in an array * * WARNING: This operation will copy the entire storage to memory, which can be quite expensive. This is designed * to mostly be used by view accessors that are queried without any gas fees. Developers should keep in mind that * this function has an unbounded cost, and using it as part of a state-changing function may render the function * uncallable if the set grows to a point where copying to memory consumes too much gas to fit in a block. */ function _values(Set storage set) private view returns (bytes32[] memory) { return set._values; } // Bytes32Set struct Bytes32Set { Set _inner; } /** * @dev Add a value to a set. O(1). * * Returns true if the value was added to the set, that is if it was not * already present. */ function add(Bytes32Set storage set, bytes32 value) internal returns (bool) { return _add(set._inner, value); } /** * @dev Removes a value from a set. O(1). * * Returns true if the value was removed from the set, that is if it was * present. */ function remove(Bytes32Set storage set, bytes32 value) internal returns (bool) { return _remove(set._inner, value); } /** * @dev Returns true if the value is in the set. O(1). */ function contains(Bytes32Set storage set, bytes32 value) internal view returns (bool) { return _contains(set._inner, value); } /** * @dev Returns the number of values in the set. O(1). */ function length(Bytes32Set storage set) internal view returns (uint256) { return _length(set._inner); } /** * @dev Returns the value stored at position `index` in the set. O(1). * * Note that there are no guarantees on the ordering of values inside the * array, and it may change when more values are added or removed. * * Requirements: * * - `index` must be strictly less than {length}. */ function at(Bytes32Set storage set, uint256 index) internal view returns (bytes32) { return _at(set._inner, index); } /** * @dev Return the entire set in an array * * WARNING: This operation will copy the entire storage to memory, which can be quite expensive. This is designed * to mostly be used by view accessors that are queried without any gas fees. Developers should keep in mind that * this function has an unbounded cost, and using it as part of a state-changing function may render the function * uncallable if the set grows to a point where copying to memory consumes too much gas to fit in a block. */ function values(Bytes32Set storage set) internal view returns (bytes32[] memory) { bytes32[] memory store = _values(set._inner); bytes32[] memory result; /// @solidity memory-safe-assembly assembly { result := store } return result; } // AddressSet struct AddressSet { Set _inner; } /** * @dev Add a value to a set. O(1). * * Returns true if the value was added to the set, that is if it was not * already present. */ function add(AddressSet storage set, address value) internal returns (bool) { return _add(set._inner, bytes32(uint256(uint160(value)))); } /** * @dev Removes a value from a set. O(1). * * Returns true if the value was removed from the set, that is if it was * present. */ function remove(AddressSet storage set, address value) internal returns (bool) { return _remove(set._inner, bytes32(uint256(uint160(value)))); } /** * @dev Returns true if the value is in the set. O(1). */ function contains(AddressSet storage set, address value) internal view returns (bool) { return _contains(set._inner, bytes32(uint256(uint160(value)))); } /** * @dev Returns the number of values in the set. O(1). */ function length(AddressSet storage set) internal view returns (uint256) { return _length(set._inner); } /** * @dev Returns the value stored at position `index` in the set. O(1). * * Note that there are no guarantees on the ordering of values inside the * array, and it may change when more values are added or removed. * * Requirements: * * - `index` must be strictly less than {length}. */ function at(AddressSet storage set, uint256 index) internal view returns (address) { return address(uint160(uint256(_at(set._inner, index)))); } /** * @dev Return the entire set in an array * * WARNING: This operation will copy the entire storage to memory, which can be quite expensive. This is designed * to mostly be used by view accessors that are queried without any gas fees. Developers should keep in mind that * this function has an unbounded cost, and using it as part of a state-changing function may render the function * uncallable if the set grows to a point where copying to memory consumes too much gas to fit in a block. */ function values(AddressSet storage set) internal view returns (address[] memory) { bytes32[] memory store = _values(set._inner); address[] memory result; /// @solidity memory-safe-assembly assembly { result := store } return result; } // UintSet struct UintSet { Set _inner; } /** * @dev Add a value to a set. O(1). * * Returns true if the value was added to the set, that is if it was not * already present. */ function add(UintSet storage set, uint256 value) internal returns (bool) { return _add(set._inner, bytes32(value)); } /** * @dev Removes a value from a set. O(1). * * Returns true if the value was removed from the set, that is if it was * present. */ function remove(UintSet storage set, uint256 value) internal returns (bool) { return _remove(set._inner, bytes32(value)); } /** * @dev Returns true if the value is in the set. O(1). */ function contains(UintSet storage set, uint256 value) internal view returns (bool) { return _contains(set._inner, bytes32(value)); } /** * @dev Returns the number of values in the set. O(1). */ function length(UintSet storage set) internal view returns (uint256) { return _length(set._inner); } /** * @dev Returns the value stored at position `index` in the set. O(1). * * Note that there are no guarantees on the ordering of values inside the * array, and it may change when more values are added or removed. * * Requirements: * * - `index` must be strictly less than {length}. */ function at(UintSet storage set, uint256 index) internal view returns (uint256) { return uint256(_at(set._inner, index)); } /** * @dev Return the entire set in an array * * WARNING: This operation will copy the entire storage to memory, which can be quite expensive. This is designed * to mostly be used by view accessors that are queried without any gas fees. Developers should keep in mind that * this function has an unbounded cost, and using it as part of a state-changing function may render the function * uncallable if the set grows to a point where copying to memory consumes too much gas to fit in a block. */ function values(UintSet storage set) internal view returns (uint256[] memory) { bytes32[] memory store = _values(set._inner); uint256[] memory result; /// @solidity memory-safe-assembly assembly { result := store } return result; } }
// SPDX-License-Identifier: MIT pragma solidity ^0.8.23; import "@openzeppelin/contracts-upgradeable/proxy/utils/Initializable.sol"; import "@openzeppelin/contracts/utils/introspection/ERC165.sol"; import "../libs/SlotsLib.sol"; import "../../interfaces/IControllable.sol"; import "../../interfaces/IPlatform.sol"; /// @dev Base core contract. /// It store an immutable platform proxy address in the storage and provides access control to inherited contracts. /// @author Alien Deployer (https://github.com/a17) /// @author 0xhokugava (https://github.com/0xhokugava) abstract contract Controllable is Initializable, IControllable, ERC165 { using SlotsLib for bytes32; string public constant CONTROLLABLE_VERSION = "1.0.0"; bytes32 internal constant _PLATFORM_SLOT = bytes32(uint(keccak256("eip1967.controllable.platform")) - 1); bytes32 internal constant _CREATED_BLOCK_SLOT = bytes32(uint(keccak256("eip1967.controllable.created_block")) - 1); /// @dev Prevent implementation init constructor() { _disableInitializers(); } /// @notice Initialize contract after setup it as proxy implementation /// Save block.timestamp in the "created" variable /// @dev Use it only once after first logic setup /// @param platform_ Platform address //slither-disable-next-line naming-convention function __Controllable_init(address platform_) internal onlyInitializing { if (platform_ == address(0) || IPlatform(platform_).multisig() == address(0)) { revert IncorrectZeroArgument(); } SlotsLib.set(_PLATFORM_SLOT, platform_); // syntax for forge coverage _CREATED_BLOCK_SLOT.set(block.number); emit ContractInitialized(platform_, block.timestamp, block.number); } modifier onlyGovernance() { _requireGovernance(); _; } modifier onlyMultisig() { _requireMultisig(); _; } modifier onlyGovernanceOrMultisig() { _requireGovernanceOrMultisig(); _; } modifier onlyOperator() { _requireOperator(); _; } modifier onlyFactory() { _requireFactory(); _; } // ************* SETTERS/GETTERS ******************* /// @inheritdoc IControllable function platform() public view override returns (address) { return _PLATFORM_SLOT.getAddress(); } /// @inheritdoc IControllable function createdBlock() external view override returns (uint) { return _CREATED_BLOCK_SLOT.getUint(); } /// @inheritdoc IERC165 function supportsInterface(bytes4 interfaceId) public view virtual override returns (bool) { return interfaceId == type(IControllable).interfaceId || super.supportsInterface(interfaceId); } function _requireGovernance() internal view { if (IPlatform(platform()).governance() != msg.sender) { revert NotGovernance(); } } function _requireMultisig() internal view { if (!IPlatform(platform()).isOperator(msg.sender)) { revert NotMultisig(); } } function _requireGovernanceOrMultisig() internal view { IPlatform _platform = IPlatform(platform()); // nosemgrep if (_platform.governance() != msg.sender && _platform.multisig() != msg.sender) { revert NotGovernanceAndNotMultisig(); } } function _requireOperator() internal view { if (!IPlatform(platform()).isOperator(msg.sender)) { revert NotOperator(); } } function _requireFactory() internal view { if (IPlatform(platform()).factory() != msg.sender) { revert NotFactory(); } } }
// SPDX-License-Identifier: MIT pragma solidity ^0.8.28; /// @dev Base core interface implemented by most platform contracts. /// Inherited contracts store an immutable Platform proxy address in the storage, /// which provides authorization capabilities and infrastructure contract addresses. /// @author Alien Deployer (https://github.com/a17) /// @author JodsMigel (https://github.com/JodsMigel) interface IControllable { //region ----- Custom Errors ----- error IncorrectZeroArgument(); error IncorrectMsgSender(); error NotGovernance(); error NotMultisig(); error NotGovernanceAndNotMultisig(); error NotOperator(); error NotFactory(); error NotPlatform(); error NotVault(); error IncorrectArrayLength(); error AlreadyExist(); error NotExist(); error NotTheOwner(); error ETHTransferFailed(); error IncorrectInitParams(); //endregion -- Custom Errors ----- event ContractInitialized(address platform, uint ts, uint block); /// @notice Stability Platform main contract address function platform() external view returns (address); /// @notice Version of contract implementation /// @dev SemVer scheme MAJOR.MINOR.PATCH //slither-disable-next-line naming-convention function VERSION() external view returns (string memory); /// @notice Block number when contract was initialized function createdBlock() external view returns (uint); }
// SPDX-License-Identifier: MIT pragma solidity ^0.8.28; interface IXSTBL { /*´:°•.°+.*•´.*:˚.°*.˚•´.°:°•.°•.*•´.*:˚.°*.˚•´.°:°•.°+.*•´.*:*/ /* DATA TYPES */ /*.•°:°.´+˚.*°.˚:*.´•*.+°.•°:´*.´•*.•°.•°:°.´:•˚°.*°.˚:*.´+°.•*/ struct VestPosition { /// @dev amount of xSTBL uint amount; /// @dev start unix timestamp uint start; /// @dev start + MAX_VEST (end timestamp) uint maxEnd; /// @dev vest identifier (starting from 0) uint vestID; } /*´:°•.°+.*•´.*:˚.°*.˚•´.°:°•.°•.*•´.*:˚.°*.˚•´.°:°•.°+.*•´.*:*/ /* CUSTOM ERRORS */ /*.•°:°.´+˚.*°.˚:*.´•*.+°.•°:´*.´•*.•°.•°:°.´:•˚°.*°.˚:*.´+°.•*/ error NO_VEST(); error NOT_WHITELISTED(address from, address to); /*´:°•.°+.*•´.*:˚.°*.˚•´.°:°•.°•.*•´.*:˚.°*.˚•´.°:°•.°+.*•´.*:*/ /* EVENTS */ /*.•°:°.´+˚.*°.˚:*.´•*.+°.•°:´*.´•*.•°.•°:°.´:•˚°.*°.˚:*.´+°.•*/ event Enter(address indexed user, uint amount); event InstantExit(address indexed user, uint exitAmount); event NewVest(address indexed user, uint indexed vestId, uint amount); event CancelVesting(address indexed user, uint indexed vestId, uint amount); event ExitVesting(address indexed user, uint indexed vestId, uint totalAmount, uint exitedAmount); event ExemptionFrom(address indexed candidate, bool status, bool success); event ExemptionTo(address indexed candidate, bool status, bool success); event Rebase(address indexed caller, uint amount); /*´:°•.°+.*•´.*:˚.°*.˚•´.°:°•.°•.*•´.*:˚.°*.˚•´.°:°•.°+.*•´.*:*/ /* WRITE FUNCTIONS */ /*.•°:°.´+˚.*°.˚:*.´•*.+°.•°:´*.´•*.•°.•°:°.´:•˚°.*°.˚:*.´+°.•*/ /// @dev Mints xSTBL for each STBL function enter(uint amount_) external; /// @dev Exit instantly with a penalty /// @param amount_ Amount of xSTBL to exit function exit(uint amount_) external returns (uint exitedAmount); /// @dev Vesting xSTBL --> STBL functionality function createVest(uint amount_) external; /// @dev Handles all situations regarding exiting vests function exitVest(uint vestID_) external; /// @notice Set exemption status for from address function setExemptionFrom(address[] calldata exemptee, bool[] calldata exempt) external; /// @notice Set exemption status for to address function setExemptionTo(address[] calldata exemptee, bool[] calldata exempt) external; /// @notice Function called by the RevenueRouter to send the rebases once a week function rebase() external; /*´:°•.°+.*•´.*:˚.°*.˚•´.°:°•.°•.*•´.*:˚.°*.˚•´.°:°•.°+.*•´.*:*/ /* VIEW FUNCTIONS */ /*.•°:°.´+˚.*°.˚:*.´•*.+°.•°:´*.´•*.•°.•°:°.´:•˚°.*°.˚:*.´+°.•*/ /// @notice Denominator function BASIS() external view returns (uint); /// @notice Max slashing amount function SLASHING_PENALTY() external view returns (uint); /// @notice The minimum vesting length function MIN_VEST() external view returns (uint); /// @notice The maximum vesting length function MAX_VEST() external view returns (uint); /// @notice STBL address function STBL() external view returns (address); /// @notice xSTBL staking contract function xStaking() external view returns (address); /// @notice Revenue distributor contract function revenueRouter() external view returns (address); /// @notice returns info on a user's vests function vestInfo(address user, uint vestId) external view returns (uint amount, uint start, uint maxEnd); /// @notice Returns the total number of individual vests the user has function usersTotalVests(address who) external view returns (uint numOfVests); /// @notice Amount of pvp rebase penalties accumulated pending to be distributed function pendingRebase() external view returns (uint); /// @notice The last period rebases were distributed function lastDistributedPeriod() external view returns (uint); }
// SPDX-License-Identifier: MIT pragma solidity ^0.8.28; interface IXStaking { /*´:°•.°+.*•´.*:˚.°*.˚•´.°:°•.°•.*•´.*:˚.°*.˚•´.°:°•.°+.*•´.*:*/ /* EVENTS */ /*.•°:°.´+˚.*°.˚:*.´•*.+°.•°:´*.´•*.•°.•°:°.´:•˚°.*°.˚:*.´+°.•*/ event Deposit(address indexed from, uint amount); event Withdraw(address indexed from, uint amount); event NotifyReward(address indexed from, uint amount); event ClaimRewards(address indexed from, uint amount); event NewDuration(uint oldDuration, uint newDuration); /*´:°•.°+.*•´.*:˚.°*.˚•´.°:°•.°•.*•´.*:˚.°*.˚•´.°:°•.°+.*•´.*:*/ /* WRITE FUNCTIONS */ /*.•°:°.´+˚.*°.˚:*.´•*.+°.•°:´*.´•*.•°.•°:°.´:•˚°.*°.˚:*.´+°.•*/ /// @notice Deposits all xSTBL in the caller's wallet function depositAll() external; /// @notice Deposit a specified amount of xSTBL function deposit(uint amount) external; /// @notice Withdraw all xSTBL and claim rewards function withdrawAll() external; /// @notice Withdraw a specified amount of xSTBL function withdraw(uint amount) external; /// @notice Claims pending rebase rewards function getReward() external; /// @notice Used to notify pending xSTBL rebases and platform revenue share /// @param amount The amount of STBL to be notified function notifyRewardAmount(uint amount) external; /// @notice Change duration period function setNewDuration(uint) external; /*´:°•.°+.*•´.*:˚.°*.˚•´.°:°•.°•.*•´.*:˚.°*.˚•´.°:°•.°+.*•´.*:*/ /* VIEW FUNCTIONS */ /*.•°:°.´+˚.*°.˚:*.´•*.+°.•°:´*.´•*.•°.•°:°.´:•˚°.*°.˚:*.´+°.•*/ /// @notice Returns the last time the reward was modified or periodFinish if the reward has ended function lastTimeRewardApplicable() external view returns (uint); /// @notice The address of the xSTBL token (staking/voting token) /// @return xSTBL address function xSTBL() external view returns (address); /// @notice Returns the total voting power (equal to total supply in the XStaking) function totalSupply() external view returns (uint); /// @notice Last time the rewards system was updated function lastUpdateTime() external view returns (uint); /// @notice The amount of rewards per xSTBL function rewardPerTokenStored() external view returns (uint); /// @notice When the 1800 seconds after notifying are up function periodFinish() external view returns (uint); /// @notice Calculates the rewards distributed per second function rewardRate() external view returns (uint); /// @notice The duration of notified rewards distribution function duration() external view returns (uint); /// @dev Current calculated reward per token /// @return The return value is scaled (multiplied) by PRECISION = 10 ** 18 function rewardPerToken() external view returns (uint); /// @notice The amount of rewards claimable for the user /// @param user the address of the user to check /// @return The stored rewards function storedRewardsPerUser(address user) external view returns (uint); /// @notice Rewards per amount of xSTBL's staked function userRewardPerTokenStored(address user) external view returns (uint); /// @notice User's earned reward function earned(address account) external view returns (uint); /// @notice Voting power /// @param user the address to check /// @return The staked balance function balanceOf(address user) external view returns (uint); }
// SPDX-License-Identifier: MIT pragma solidity ^0.8.28; interface IRevenueRouter { error WaitForNewPeriod(); /// @notice Update the epoch (period) -- callable once a week at >= Thursday 0 UTC /// @return newPeriod The new period function updatePeriod() external returns (uint newPeriod); /// @notice Process platform fee in form of an asset function processFeeAsset(address asset, uint amount) external; /// @notice Process platform fee in form of an vault shares function processFeeVault(address vault, uint amount) external; /// @notice The period used for rewarding /// @return The block.timestamp divided by 1 week in seconds function getPeriod() external view returns (uint); /// @notice Current active period function activePeriod() external view returns (uint); /// @notice Accumulated STBL amount for next distribution function pendingRevenue() external view returns (uint); }
// SPDX-License-Identifier: MIT // OpenZeppelin Contracts (last updated v5.0.0) (token/ERC20/extensions/IERC20Metadata.sol) pragma solidity ^0.8.20; import {IERC20} from "../IERC20.sol"; /** * @dev Interface for the optional metadata functions from the ERC20 standard. */ interface IERC20Metadata is IERC20 { /** * @dev Returns the name of the token. */ function name() external view returns (string memory); /** * @dev Returns the symbol of the token. */ function symbol() external view returns (string memory); /** * @dev Returns the decimals places of the token. */ function decimals() external view returns (uint8); }
// SPDX-License-Identifier: MIT // OpenZeppelin Contracts (last updated v5.0.0) (utils/Context.sol) pragma solidity ^0.8.20; import {Initializable} from "../proxy/utils/Initializable.sol"; /** * @dev Provides information about the current execution context, including the * sender of the transaction and its data. While these are generally available * via msg.sender and msg.data, they should not be accessed in such a direct * manner, since when dealing with meta-transactions the account sending and * paying for execution may not be the actual sender (as far as an application * is concerned). * * This contract is only required for intermediate, library-like contracts. */ abstract contract ContextUpgradeable is Initializable { function __Context_init() internal onlyInitializing { } function __Context_init_unchained() internal onlyInitializing { } function _msgSender() internal view virtual returns (address) { return msg.sender; } function _msgData() internal view virtual returns (bytes calldata) { return msg.data; } }
// SPDX-License-Identifier: MIT // OpenZeppelin Contracts (last updated v5.0.0) (interfaces/draft-IERC6093.sol) pragma solidity ^0.8.20; /** * @dev Standard ERC20 Errors * Interface of the https://eips.ethereum.org/EIPS/eip-6093[ERC-6093] custom errors for ERC20 tokens. */ interface IERC20Errors { /** * @dev Indicates an error related to the current `balance` of a `sender`. Used in transfers. * @param sender Address whose tokens are being transferred. * @param balance Current balance for the interacting account. * @param needed Minimum amount required to perform a transfer. */ error ERC20InsufficientBalance(address sender, uint256 balance, uint256 needed); /** * @dev Indicates a failure with the token `sender`. Used in transfers. * @param sender Address whose tokens are being transferred. */ error ERC20InvalidSender(address sender); /** * @dev Indicates a failure with the token `receiver`. Used in transfers. * @param receiver Address to which tokens are being transferred. */ error ERC20InvalidReceiver(address receiver); /** * @dev Indicates a failure with the `spender`’s `allowance`. Used in transfers. * @param spender Address that may be allowed to operate on tokens without being their owner. * @param allowance Amount of tokens a `spender` is allowed to operate with. * @param needed Minimum amount required to perform a transfer. */ error ERC20InsufficientAllowance(address spender, uint256 allowance, uint256 needed); /** * @dev Indicates a failure with the `approver` of a token to be approved. Used in approvals. * @param approver Address initiating an approval operation. */ error ERC20InvalidApprover(address approver); /** * @dev Indicates a failure with the `spender` to be approved. Used in approvals. * @param spender Address that may be allowed to operate on tokens without being their owner. */ error ERC20InvalidSpender(address spender); } /** * @dev Standard ERC721 Errors * Interface of the https://eips.ethereum.org/EIPS/eip-6093[ERC-6093] custom errors for ERC721 tokens. */ interface IERC721Errors { /** * @dev Indicates that an address can't be an owner. For example, `address(0)` is a forbidden owner in EIP-20. * Used in balance queries. * @param owner Address of the current owner of a token. */ error ERC721InvalidOwner(address owner); /** * @dev Indicates a `tokenId` whose `owner` is the zero address. * @param tokenId Identifier number of a token. */ error ERC721NonexistentToken(uint256 tokenId); /** * @dev Indicates an error related to the ownership over a particular token. Used in transfers. * @param sender Address whose tokens are being transferred. * @param tokenId Identifier number of a token. * @param owner Address of the current owner of a token. */ error ERC721IncorrectOwner(address sender, uint256 tokenId, address owner); /** * @dev Indicates a failure with the token `sender`. Used in transfers. * @param sender Address whose tokens are being transferred. */ error ERC721InvalidSender(address sender); /** * @dev Indicates a failure with the token `receiver`. Used in transfers. * @param receiver Address to which tokens are being transferred. */ error ERC721InvalidReceiver(address receiver); /** * @dev Indicates a failure with the `operator`’s approval. Used in transfers. * @param operator Address that may be allowed to operate on tokens without being their owner. * @param tokenId Identifier number of a token. */ error ERC721InsufficientApproval(address operator, uint256 tokenId); /** * @dev Indicates a failure with the `approver` of a token to be approved. Used in approvals. * @param approver Address initiating an approval operation. */ error ERC721InvalidApprover(address approver); /** * @dev Indicates a failure with the `operator` to be approved. Used in approvals. * @param operator Address that may be allowed to operate on tokens without being their owner. */ error ERC721InvalidOperator(address operator); } /** * @dev Standard ERC1155 Errors * Interface of the https://eips.ethereum.org/EIPS/eip-6093[ERC-6093] custom errors for ERC1155 tokens. */ interface IERC1155Errors { /** * @dev Indicates an error related to the current `balance` of a `sender`. Used in transfers. * @param sender Address whose tokens are being transferred. * @param balance Current balance for the interacting account. * @param needed Minimum amount required to perform a transfer. * @param tokenId Identifier number of a token. */ error ERC1155InsufficientBalance(address sender, uint256 balance, uint256 needed, uint256 tokenId); /** * @dev Indicates a failure with the token `sender`. Used in transfers. * @param sender Address whose tokens are being transferred. */ error ERC1155InvalidSender(address sender); /** * @dev Indicates a failure with the token `receiver`. Used in transfers. * @param receiver Address to which tokens are being transferred. */ error ERC1155InvalidReceiver(address receiver); /** * @dev Indicates a failure with the `operator`’s approval. Used in transfers. * @param operator Address that may be allowed to operate on tokens without being their owner. * @param owner Address of the current owner of a token. */ error ERC1155MissingApprovalForAll(address operator, address owner); /** * @dev Indicates a failure with the `approver` of a token to be approved. Used in approvals. * @param approver Address initiating an approval operation. */ error ERC1155InvalidApprover(address approver); /** * @dev Indicates a failure with the `operator` to be approved. Used in approvals. * @param operator Address that may be allowed to operate on tokens without being their owner. */ error ERC1155InvalidOperator(address operator); /** * @dev Indicates an array length mismatch between ids and values in a safeBatchTransferFrom operation. * Used in batch transfers. * @param idsLength Length of the array of token identifiers * @param valuesLength Length of the array of token amounts */ error ERC1155InvalidArrayLength(uint256 idsLength, uint256 valuesLength); }
// SPDX-License-Identifier: MIT // OpenZeppelin Contracts (last updated v5.0.0) (proxy/utils/Initializable.sol) pragma solidity ^0.8.20; /** * @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. * * The initialization functions use a version number. Once a version number is used, it is consumed and cannot be * reused. This mechanism prevents re-execution of each "step" but allows the creation of new initialization steps in * case an upgrade adds a module that needs to be initialized. * * For example: * * [.hljs-theme-light.nopadding] * ```solidity * contract MyToken is ERC20Upgradeable { * function initialize() initializer public { * __ERC20_init("MyToken", "MTK"); * } * } * * contract MyTokenV2 is MyToken, ERC20PermitUpgradeable { * function initializeV2() reinitializer(2) public { * __ERC20Permit_init("MyToken"); * } * } * ``` * * 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 prevent the implementation contract from being used, you should invoke * the {_disableInitializers} function in the constructor to automatically lock it when it is deployed: * * [.hljs-theme-light.nopadding] * ``` * /// @custom:oz-upgrades-unsafe-allow constructor * constructor() { * _disableInitializers(); * } * ``` * ==== */ abstract contract Initializable { /** * @dev Storage of the initializable contract. * * It's implemented on a custom ERC-7201 namespace to reduce the risk of storage collisions * when using with upgradeable contracts. * * @custom:storage-location erc7201:openzeppelin.storage.Initializable */ struct InitializableStorage { /** * @dev Indicates that the contract has been initialized. */ uint64 _initialized; /** * @dev Indicates that the contract is in the process of being initialized. */ bool _initializing; } // keccak256(abi.encode(uint256(keccak256("openzeppelin.storage.Initializable")) - 1)) & ~bytes32(uint256(0xff)) bytes32 private constant INITIALIZABLE_STORAGE = 0xf0c57e16840df040f15088dc2f81fe391c3923bec73e23a9662efc9c229c6a00; /** * @dev The contract is already initialized. */ error InvalidInitialization(); /** * @dev The contract is not initializing. */ error NotInitializing(); /** * @dev Triggered when the contract has been initialized or reinitialized. */ event Initialized(uint64 version); /** * @dev A modifier that defines a protected initializer function that can be invoked at most once. In its scope, * `onlyInitializing` functions can be used to initialize parent contracts. * * Similar to `reinitializer(1)`, except that in the context of a constructor an `initializer` may be invoked any * number of times. This behavior in the constructor can be useful during testing and is not expected to be used in * production. * * Emits an {Initialized} event. */ modifier initializer() { // solhint-disable-next-line var-name-mixedcase InitializableStorage storage $ = _getInitializableStorage(); // Cache values to avoid duplicated sloads bool isTopLevelCall = !$._initializing; uint64 initialized = $._initialized; // Allowed calls: // - initialSetup: the contract is not in the initializing state and no previous version was // initialized // - construction: the contract is initialized at version 1 (no reininitialization) and the // current contract is just being deployed bool initialSetup = initialized == 0 && isTopLevelCall; bool construction = initialized == 1 && address(this).code.length == 0; if (!initialSetup && !construction) { revert InvalidInitialization(); } $._initialized = 1; if (isTopLevelCall) { $._initializing = true; } _; if (isTopLevelCall) { $._initializing = false; emit Initialized(1); } } /** * @dev A modifier that defines a protected reinitializer function that can be invoked at most once, and only if the * contract hasn't been initialized to a greater version before. In its scope, `onlyInitializing` functions can be * used to initialize parent contracts. * * A reinitializer may be used after the original initialization step. This is essential to configure modules that * are added through upgrades and that require initialization. * * When `version` is 1, this modifier is similar to `initializer`, except that functions marked with `reinitializer` * cannot be nested. If one is invoked in the context of another, execution will revert. * * Note that versions can jump in increments greater than 1; this implies that if multiple reinitializers coexist in * a contract, executing them in the right order is up to the developer or operator. * * WARNING: Setting the version to 2**64 - 1 will prevent any future reinitialization. * * Emits an {Initialized} event. */ modifier reinitializer(uint64 version) { // solhint-disable-next-line var-name-mixedcase InitializableStorage storage $ = _getInitializableStorage(); if ($._initializing || $._initialized >= version) { revert InvalidInitialization(); } $._initialized = version; $._initializing = true; _; $._initializing = false; emit Initialized(version); } /** * @dev Modifier to protect an initialization function so that it can only be invoked by functions with the * {initializer} and {reinitializer} modifiers, directly or indirectly. */ modifier onlyInitializing() { _checkInitializing(); _; } /** * @dev Reverts if the contract is not in an initializing state. See {onlyInitializing}. */ function _checkInitializing() internal view virtual { if (!_isInitializing()) { revert NotInitializing(); } } /** * @dev Locks the contract, preventing any future reinitialization. This cannot be part of an initializer call. * Calling this in the constructor of a contract will prevent that contract from being initialized or reinitialized * to any version. It is recommended to use this to lock implementation contracts that are designed to be called * through proxies. * * Emits an {Initialized} event the first time it is successfully executed. */ function _disableInitializers() internal virtual { // solhint-disable-next-line var-name-mixedcase InitializableStorage storage $ = _getInitializableStorage(); if ($._initializing) { revert InvalidInitialization(); } if ($._initialized != type(uint64).max) { $._initialized = type(uint64).max; emit Initialized(type(uint64).max); } } /** * @dev Returns the highest version that has been initialized. See {reinitializer}. */ function _getInitializedVersion() internal view returns (uint64) { return _getInitializableStorage()._initialized; } /** * @dev Returns `true` if the contract is currently initializing. See {onlyInitializing}. */ function _isInitializing() internal view returns (bool) { return _getInitializableStorage()._initializing; } /** * @dev Returns a pointer to the storage namespace. */ // solhint-disable-next-line var-name-mixedcase function _getInitializableStorage() private pure returns (InitializableStorage storage $) { assembly { $.slot := INITIALIZABLE_STORAGE } } }
// SPDX-License-Identifier: MIT // OpenZeppelin Contracts (last updated v5.0.0) (utils/introspection/ERC165.sol) pragma solidity ^0.8.20; import {IERC165} from "./IERC165.sol"; /** * @dev Implementation of the {IERC165} interface. * * Contracts that want to implement ERC165 should inherit from this contract and override {supportsInterface} to check * for the additional interface id that will be supported. For example: * * ```solidity * function supportsInterface(bytes4 interfaceId) public view virtual override returns (bool) { * return interfaceId == type(MyInterface).interfaceId || super.supportsInterface(interfaceId); * } * ``` */ abstract contract ERC165 is IERC165 { /** * @dev See {IERC165-supportsInterface}. */ function supportsInterface(bytes4 interfaceId) public view virtual returns (bool) { return interfaceId == type(IERC165).interfaceId; } }
// SPDX-License-Identifier: MIT pragma solidity ^0.8.23; /// @title Minimal library for setting / getting slot variables (used in upgradable proxy contracts) library SlotsLib { /// @dev Gets a slot as an address function getAddress(bytes32 slot) internal view returns (address result) { assembly { result := sload(slot) } } /// @dev Gets a slot as uint256 function getUint(bytes32 slot) internal view returns (uint result) { assembly { result := sload(slot) } } /// @dev Sets a slot with address /// @notice Check address for 0 at the setter function set(bytes32 slot, address value) internal { assembly { sstore(slot, value) } } /// @dev Sets a slot with uint function set(bytes32 slot, uint value) internal { assembly { sstore(slot, value) } } }
// SPDX-License-Identifier: MIT pragma solidity ^0.8.23; /// @notice Interface of the main contract and entry point to the platform. /// @author Alien Deployer (https://github.com/a17) /// @author Jude (https://github.com/iammrjude) /// @author JodsMigel (https://github.com/JodsMigel) interface IPlatform { /*´:°•.°+.*•´.*:˚.°*.˚•´.°:°•.°•.*•´.*:˚.°*.˚•´.°:°•.°+.*•´.*:*/ /* CUSTOM ERRORS */ /*.•°:°.´+˚.*°.˚:*.´•*.+°.•°:´*.´•*.•°.•°:°.´:•˚°.*°.˚:*.´+°.•*/ error AlreadyAnnounced(); error SameVersion(); error NoNewVersion(); error UpgradeTimerIsNotOver(uint TimerTimestamp); error IncorrectFee(uint minFee, uint maxFee); error NotEnoughAllowedBBToken(); error TokenAlreadyExistsInSet(address token); error AggregatorNotExists(address dexAggRouter); /*´:°•.°+.*•´.*:˚.°*.˚•´.°:°•.°•.*•´.*:˚.°*.˚•´.°:°•.°+.*•´.*:*/ /* EVENTS */ /*.•°:°.´+˚.*°.˚:*.´•*.+°.•°:´*.´•*.•°.•°:°.´:•˚°.*°.˚:*.´+°.•*/ event PlatformVersion(string version); event UpgradeAnnounce( string oldVersion, string newVersion, address[] proxies, address[] newImplementations, uint timelock ); event CancelUpgrade(string oldVersion, string newVersion); event ProxyUpgraded( address indexed proxy, address implementation, string oldContractVersion, string newContractVersion ); event Addresses( address multisig_, address factory_, address priceReader_, address swapper_, address buildingPermitToken_, address vaultManager_, address strategyLogic_, address aprOracle_, address hardWorker, address rebalancer, address zap, address bridge ); event OperatorAdded(address operator); event OperatorRemoved(address operator); event FeesChanged(uint fee, uint feeShareVaultManager, uint feeShareStrategyLogic, uint feeShareEcosystem); event MinInitialBoostChanged(uint minInitialBoostPerDay, uint minInitialBoostDuration); event NewAmmAdapter(string id, address proxy); event EcosystemRevenueReceiver(address receiver); event SetAllowedBBTokenVaults(address bbToken, uint vaultsToBuild, bool firstSet); event RemoveAllowedBBToken(address bbToken); event AddAllowedBoostRewardToken(address token); event RemoveAllowedBoostRewardToken(address token); event AddDefaultBoostRewardToken(address token); event RemoveDefaultBoostRewardToken(address token); event AddBoostTokens(address[] allowedBoostRewardToken, address[] defaultBoostRewardToken); event AllowedBBTokenVaultUsed(address bbToken, uint vaultToUse); event AddDexAggregator(address router); event RemoveDexAggregator(address router); event MinTvlForFreeHardWorkChanged(uint oldValue, uint newValue); event CustomVaultFee(address vault, uint platformFee); event Rebalancer(address rebalancer_); event Bridge(address bridge_); /*´:°•.°+.*•´.*:˚.°*.˚•´.°:°•.°•.*•´.*:˚.°*.˚•´.°:°•.°+.*•´.*:*/ /* DATA TYPES */ /*.•°:°.´+˚.*°.˚:*.´•*.+°.•°:´*.´•*.•°.•°:°.´:•˚°.*°.˚:*.´+°.•*/ struct PlatformUpgrade { string newVersion; address[] proxies; address[] newImplementations; } struct PlatformSettings { string networkName; bytes32 networkExtra; uint fee; uint feeShareVaultManager; uint feeShareStrategyLogic; uint feeShareEcosystem; uint minInitialBoostPerDay; uint minInitialBoostDuration; } struct AmmAdapter { string id; address proxy; } struct SetupAddresses { address factory; address priceReader; address swapper; address buildingPermitToken; address buildingPayPerVaultToken; address vaultManager; address strategyLogic; address aprOracle; address targetExchangeAsset; address hardWorker; address zap; address bridge; address rebalancer; } /*´:°•.°+.*•´.*:˚.°*.˚•´.°:°•.°•.*•´.*:˚.°*.˚•´.°:°•.°+.*•´.*:*/ /* VIEW FUNCTIONS */ /*.•°:°.´+˚.*°.˚:*.´•*.+°.•°:´*.´•*.•°.•°:°.´:•˚°.*°.˚:*.´+°.•*/ /// @notice Platform version in CalVer scheme: YY.MM.MINOR-tag. Updates on core contract upgrades. function platformVersion() external view returns (string memory); /// @notice Time delay for proxy upgrades of core contracts and changing important platform settings by multisig //slither-disable-next-line naming-convention function TIME_LOCK() external view returns (uint); /// @notice DAO governance function governance() external view returns (address); /// @notice Core team multi signature wallet. Development and operations fund function multisig() external view returns (address); /// @notice This NFT allow user to build limited number of vaults per week function buildingPermitToken() external view returns (address); /// @notice This ERC20 token is used as payment token for vault building function buildingPayPerVaultToken() external view returns (address); /// @notice Receiver of ecosystem revenue function ecosystemRevenueReceiver() external view returns (address); /// @dev The best asset in a network for swaps between strategy assets and farms rewards assets /// The target exchange asset is used for finding the best strategy's exchange asset. /// Rhe fewer routes needed to swap to the target exchange asset, the better. function targetExchangeAsset() external view returns (address); /// @notice Platform factory assembling vaults. Stores settings, strategy logic, farms. /// Provides the opportunity to upgrade vaults and strategies. /// @return Address of Factory proxy function factory() external view returns (address); /// @notice The holders of these NFT receive a share of the vault revenue /// @return Address of VaultManager proxy function vaultManager() external view returns (address); /// @notice The holders of these tokens receive a share of the revenue received in all vaults using this strategy logic. function strategyLogic() external view returns (address); /// @notice Combining oracle and DeX spot prices /// @return Address of PriceReader proxy function priceReader() external view returns (address); /// @notice Providing underlying assets APRs on-chain /// @return Address of AprOracle proxy function aprOracle() external view returns (address); /// @notice On-chain price quoter and swapper /// @return Address of Swapper proxy function swapper() external view returns (address); /// @notice HardWork resolver and caller /// @return Address of HardWorker proxy function hardWorker() external view returns (address); /// @notice Rebalance resolver /// @return Address of Rebalancer proxy function rebalancer() external view returns (address); /// @notice ZAP feature /// @return Address of Zap proxy function zap() external view returns (address); /// @notice Stability Bridge /// @return Address of Bridge proxy function bridge() external view returns (address); /// @notice Name of current EVM network function networkName() external view returns (string memory); /// @notice Minimal initial boost rewards per day USD amount which needs to create rewarding vault function minInitialBoostPerDay() external view returns (uint); /// @notice Minimal boost rewards vesting duration for initial boost function minInitialBoostDuration() external view returns (uint); /// @notice This function provides the timestamp of the platform upgrade timelock. /// @dev This function is an external view function, meaning it doesn't modify the state. /// @return uint representing the timestamp of the platform upgrade timelock. function platformUpgradeTimelock() external view returns (uint); /// @dev Extra network data /// @return 0-2 bytes - color /// 3-5 bytes - background color /// 6-31 bytes - free function networkExtra() external view returns (bytes32); /// @notice Pending platform upgrade data function pendingPlatformUpgrade() external view returns (PlatformUpgrade memory); /// @notice Get platform revenue fee settings /// @return fee Revenue fee % (between MIN_FEE - MAX_FEE) with DENOMINATOR precision. /// @return feeShareVaultManager Revenue fee share % of VaultManager tokenId owner /// @return feeShareStrategyLogic Revenue fee share % of StrategyLogic tokenId owner /// @return feeShareEcosystem Revenue fee share % of ecosystemFeeReceiver function getFees() external view returns (uint fee, uint feeShareVaultManager, uint feeShareStrategyLogic, uint feeShareEcosystem); /// @notice Get custom vault platform fee /// @return fee revenue fee % with DENOMINATOR precision function getCustomVaultFee(address vault) external view returns (uint fee); /// @notice Platform settings function getPlatformSettings() external view returns (PlatformSettings memory); /// @notice AMM adapters of the platform function getAmmAdapters() external view returns (string[] memory id, address[] memory proxy); /// @notice Get AMM adapter data by hash /// @param ammAdapterIdHash Keccak256 hash of adapter ID string /// @return ID string and proxy address of AMM adapter function ammAdapter(bytes32 ammAdapterIdHash) external view returns (AmmAdapter memory); /// @notice Allowed buy-back tokens for rewarding vaults function allowedBBTokens() external view returns (address[] memory); /// @notice Vaults building limit for buy-back token. /// This limit decrements when a vault for BB-token is built. /// @param token Allowed buy-back token /// @return vaultsLimit Number of vaults that can be built for BB-token function allowedBBTokenVaults(address token) external view returns (uint vaultsLimit); /// @notice Vaults building limits for allowed buy-back tokens. /// @return bbToken Allowed buy-back tokens /// @return vaultsLimit Number of vaults that can be built for BB-tokens function allowedBBTokenVaults() external view returns (address[] memory bbToken, uint[] memory vaultsLimit); /// @notice Non-zero vaults building limits for allowed buy-back tokens. /// @return bbToken Allowed buy-back tokens /// @return vaultsLimit Number of vaults that can be built for BB-tokens function allowedBBTokenVaultsFiltered() external view returns (address[] memory bbToken, uint[] memory vaultsLimit); /// @notice Check address for existance in operators list /// @param operator Address /// @return True if this address is Stability Operator function isOperator(address operator) external view returns (bool); /// @notice Tokens that can be used for boost rewards of rewarding vaults /// @return Addresses of tokens function allowedBoostRewardTokens() external view returns (address[] memory); /// @notice Allowed boost reward tokens that used for unmanaged rewarding vaults creation /// @return Addresses of tokens function defaultBoostRewardTokens() external view returns (address[] memory); /// @notice Allowed boost reward tokens that used for unmanaged rewarding vaults creation /// @param addressToRemove This address will be removed from default boost reward tokens /// @return Addresses of tokens function defaultBoostRewardTokensFiltered(address addressToRemove) external view returns (address[] memory); /// @notice Allowed DeX aggregators /// @return Addresses of DeX aggregator rounters function dexAggregators() external view returns (address[] memory); /// @notice DeX aggregator router address is allowed to be used in the platform /// @param dexAggRouter Address of DeX aggreagator router /// @return Can be used function isAllowedDexAggregatorRouter(address dexAggRouter) external view returns (bool); /// @notice Show minimum TVL for compensate if vault has not enough ETH /// @return Minimum TVL for compensate. function minTvlForFreeHardWork() external view returns (uint); /// @notice Front-end platform viewer /// @return platformAddresses Platform core addresses /// platformAddresses[0] factory /// platformAddresses[1] vaultManager /// platformAddresses[2] strategyLogic /// platformAddresses[3] buildingPermitToken /// platformAddresses[4] buildingPayPerVaultToken /// platformAddresses[5] governance /// platformAddresses[6] multisig /// platformAddresses[7] zap /// platformAddresses[8] bridge /// @return bcAssets Blue chip token addresses /// @return dexAggregators_ DeX aggregators allowed to be used entire the platform /// @return vaultType Vault type ID strings /// @return vaultExtra Vault color, background color and other extra data. Index of vault same as in previous array. /// @return vaultBulldingPrice Price of creating new vault in buildingPayPerVaultToken. Index of vault same as in previous array. /// @return strategyId Strategy logic ID strings /// @return isFarmingStrategy True if strategy is farming strategy. Index of strategy same as in previous array. /// @return strategyTokenURI StrategyLogic NFT tokenId metadata and on-chain image. Index of strategy same as in previous array. /// @return strategyExtra Strategy color, background color and other extra data. Index of strategy same as in previous array. function getData() external view returns ( address[] memory platformAddresses, address[] memory bcAssets, address[] memory dexAggregators_, string[] memory vaultType, bytes32[] memory vaultExtra, uint[] memory vaultBulldingPrice, string[] memory strategyId, bool[] memory isFarmingStrategy, string[] memory strategyTokenURI, bytes32[] memory strategyExtra ); /// @notice Front-end balances, prices and vault list viewer /// DEPRECATED: use IFrontend.getBalanceAssets and IFrontend.getBalanceVaults /// @param yourAccount Address of account to query balances /// @return token Tokens supported by the platform /// @return tokenPrice USD price of token. Index of token same as in previous array. /// @return tokenUserBalance User balance of token. Index of token same as in previous array. /// @return vault Deployed vaults /// @return vaultSharePrice Price 1.0 vault share. Index of vault same as in previous array. /// @return vaultUserBalance User balance of vault. Index of vault same as in previous array. /// @return nft Ecosystem NFTs /// nft[0] BuildingPermitToken /// nft[1] VaultManager /// nft[2] StrategyLogic /// @return nftUserBalance User balance of NFT. Index of NFT same as in previous array. /// @return buildingPayPerVaultTokenBalance User balance of vault creation paying token function getBalance(address yourAccount) external view returns ( address[] memory token, uint[] memory tokenPrice, uint[] memory tokenUserBalance, address[] memory vault, uint[] memory vaultSharePrice, uint[] memory vaultUserBalance, address[] memory nft, uint[] memory nftUserBalance, uint buildingPayPerVaultTokenBalance ); /*´:°•.°+.*•´.*:˚.°*.˚•´.°:°•.°•.*•´.*:˚.°*.˚•´.°:°•.°+.*•´.*:*/ /* WRITE FUNCTIONS */ /*.•°:°.´+˚.*°.˚:*.´•*.+°.•°:´*.´•*.•°.•°:°.´:•˚°.*°.˚:*.´+°.•*/ /// @notice Add platform operator. /// Only governance and multisig can add operator. /// @param operator Address of new operator function addOperator(address operator) external; /// @notice Remove platform operator. /// Only governance and multisig can remove operator. /// @param operator Address of operator to remove function removeOperator(address operator) external; /// @notice Announce upgrade of platform proxies implementations /// Only governance and multisig can announce platform upgrades. /// @param newVersion New platform version. Version must be changed when upgrading. /// @param proxies Addresses of core contract proxies /// @param newImplementations New implementation for proxy. Index of proxy same as in previous array. function announcePlatformUpgrade( string memory newVersion, address[] memory proxies, address[] memory newImplementations ) external; /// @notice Upgrade platform /// Only operator (multisig is operator too) can ececute pending platform upgrade function upgrade() external; /// @notice Cancel pending platform upgrade /// Only operator (multisig is operator too) can ececute pending platform upgrade function cancelUpgrade() external; /// @notice Register AMM adapter in platform /// @param id AMM adapter ID string from AmmAdapterIdLib /// @param proxy Address of AMM adapter proxy function addAmmAdapter(string memory id, address proxy) external; // todo Only governance and multisig can set allowed bb-token vaults building limit /// @notice Set new vaults building limit for buy-back token /// @param bbToken Address of allowed buy-back token /// @param vaultsToBuild Number of vaults that can be built for BB-token function setAllowedBBTokenVaults(address bbToken, uint vaultsToBuild) external; // todo Only governance and multisig can add allowed boost reward token /// @notice Add new allowed boost reward token /// @param token Address of token function addAllowedBoostRewardToken(address token) external; // todo Only governance and multisig can remove allowed boost reward token /// @notice Remove allowed boost reward token /// @param token Address of allowed boost reward token function removeAllowedBoostRewardToken(address token) external; // todo Only governance and multisig can add default boost reward token /// @notice Add default boost reward token /// @param token Address of default boost reward token function addDefaultBoostRewardToken(address token) external; // todo Only governance and multisig can remove default boost reward token /// @notice Remove default boost reward token /// @param token Address of allowed boost reward token function removeDefaultBoostRewardToken(address token) external; // todo Only governance and multisig can add allowed boost reward token // todo Only governance and multisig can add default boost reward token /// @notice Add new allowed boost reward token /// @notice Add default boost reward token /// @param allowedBoostRewardToken Address of allowed boost reward token /// @param defaultBoostRewardToken Address of default boost reward token function addBoostTokens( address[] memory allowedBoostRewardToken, address[] memory defaultBoostRewardToken ) external; /// @notice Decrease allowed BB-token vault building limit when vault is built /// Only Factory can do it. /// @param bbToken Address of allowed buy-back token function useAllowedBBTokenVault(address bbToken) external; /// @notice Allow DeX aggregator routers to be used in the platform /// @param dexAggRouter Addresses of DeX aggreagator routers function addDexAggregators(address[] memory dexAggRouter) external; /// @notice Remove allowed DeX aggregator router from the platform /// @param dexAggRouter Address of DeX aggreagator router function removeDexAggregator(address dexAggRouter) external; /// @notice Change initial boost rewards settings /// @param minInitialBoostPerDay_ Minimal initial boost rewards per day USD amount which needs to create rewarding vault /// @param minInitialBoostDuration_ Minimal boost rewards vesting duration for initial boost function setInitialBoost(uint minInitialBoostPerDay_, uint minInitialBoostDuration_) external; /// @notice Update new minimum TVL for compensate. /// @param value New minimum TVL for compensate. function setMinTvlForFreeHardWork(uint value) external; /// @notice Set custom platform fee for vault /// @param vault Vault address /// @param platformFee Custom platform fee function setCustomVaultFee(address vault, uint platformFee) external; /// @notice Setup Rebalancer. /// Only Goverannce or Multisig can do this when Rebalancer is not set. /// @param rebalancer_ Proxy address of Bridge function setupRebalancer(address rebalancer_) external; /// @notice Setup Bridge. /// Only Goverannce or Multisig can do this when Bridge is not set. /// @param bridge_ Proxy address of Bridge function setupBridge(address bridge_) external; }
// SPDX-License-Identifier: MIT // OpenZeppelin Contracts (last updated v5.0.0) (utils/introspection/IERC165.sol) pragma solidity ^0.8.20; /** * @dev Interface of the ERC165 standard, as defined in the * https://eips.ethereum.org/EIPS/eip-165[EIP]. * * Implementers can declare support of contract interfaces, which can then be * queried by others ({ERC165Checker}). * * For an implementation, see {ERC165}. */ interface IERC165 { /** * @dev Returns true if this contract implements the interface defined by * `interfaceId`. See the corresponding * https://eips.ethereum.org/EIPS/eip-165#how-interfaces-are-identified[EIP section] * to learn more about how these ids are created. * * This function call must use less than 30 000 gas. */ function supportsInterface(bytes4 interfaceId) external view returns (bool); }
{ "remappings": [ "@openzeppelin/contracts/=lib/openzeppelin-contracts/contracts/", "@openzeppelin/contracts-upgradeable/=lib/openzeppelin-contracts-upgradeable/contracts/", "@solady/=lib/solady/src/", "ds-test/=lib/forge-std/lib/ds-test/src/", "erc4626-tests/=lib/openzeppelin-contracts-upgradeable/lib/erc4626-tests/", "forge-std/=lib/forge-std/src/", "openzeppelin-contracts-upgradeable/=lib/openzeppelin-contracts-upgradeable/", "openzeppelin/=lib/openzeppelin-contracts-upgradeable/contracts/", "solady/=lib/solady/", "openzeppelin-contracts/=lib/openzeppelin-contracts/" ], "optimizer": { "enabled": true, "runs": 200 }, "metadata": { "useLiteralContent": false, "bytecodeHash": "ipfs", "appendCBOR": true }, "outputSelection": { "*": { "*": [ "evm.bytecode", "evm.deployedBytecode", "devdoc", "userdoc", "metadata", "abi" ] } }, "evmVersion": "cancun", "viaIR": false, "libraries": {} }
Contract Security Audit
- No Contract Security Audit Submitted- Submit Audit Here
Contract ABI
API[{"inputs":[],"name":"AlreadyExist","type":"error"},{"inputs":[{"internalType":"address","name":"spender","type":"address"},{"internalType":"uint256","name":"allowance","type":"uint256"},{"internalType":"uint256","name":"needed","type":"uint256"}],"name":"ERC20InsufficientAllowance","type":"error"},{"inputs":[{"internalType":"address","name":"sender","type":"address"},{"internalType":"uint256","name":"balance","type":"uint256"},{"internalType":"uint256","name":"needed","type":"uint256"}],"name":"ERC20InsufficientBalance","type":"error"},{"inputs":[{"internalType":"address","name":"approver","type":"address"}],"name":"ERC20InvalidApprover","type":"error"},{"inputs":[{"internalType":"address","name":"receiver","type":"address"}],"name":"ERC20InvalidReceiver","type":"error"},{"inputs":[{"internalType":"address","name":"sender","type":"address"}],"name":"ERC20InvalidSender","type":"error"},{"inputs":[{"internalType":"address","name":"spender","type":"address"}],"name":"ERC20InvalidSpender","type":"error"},{"inputs":[],"name":"ETHTransferFailed","type":"error"},{"inputs":[],"name":"IncorrectArrayLength","type":"error"},{"inputs":[],"name":"IncorrectInitParams","type":"error"},{"inputs":[],"name":"IncorrectMsgSender","type":"error"},{"inputs":[],"name":"IncorrectZeroArgument","type":"error"},{"inputs":[],"name":"InvalidInitialization","type":"error"},{"inputs":[{"internalType":"address","name":"from","type":"address"},{"internalType":"address","name":"to","type":"address"}],"name":"NOT_WHITELISTED","type":"error"},{"inputs":[],"name":"NO_VEST","type":"error"},{"inputs":[],"name":"NotExist","type":"error"},{"inputs":[],"name":"NotFactory","type":"error"},{"inputs":[],"name":"NotGovernance","type":"error"},{"inputs":[],"name":"NotGovernanceAndNotMultisig","type":"error"},{"inputs":[],"name":"NotInitializing","type":"error"},{"inputs":[],"name":"NotMultisig","type":"error"},{"inputs":[],"name":"NotOperator","type":"error"},{"inputs":[],"name":"NotPlatform","type":"error"},{"inputs":[],"name":"NotTheOwner","type":"error"},{"inputs":[],"name":"NotVault","type":"error"},{"anonymous":false,"inputs":[{"indexed":true,"internalType":"address","name":"owner","type":"address"},{"indexed":true,"internalType":"address","name":"spender","type":"address"},{"indexed":false,"internalType":"uint256","name":"value","type":"uint256"}],"name":"Approval","type":"event"},{"anonymous":false,"inputs":[{"indexed":true,"internalType":"address","name":"user","type":"address"},{"indexed":true,"internalType":"uint256","name":"vestId","type":"uint256"},{"indexed":false,"internalType":"uint256","name":"amount","type":"uint256"}],"name":"CancelVesting","type":"event"},{"anonymous":false,"inputs":[{"indexed":false,"internalType":"address","name":"platform","type":"address"},{"indexed":false,"internalType":"uint256","name":"ts","type":"uint256"},{"indexed":false,"internalType":"uint256","name":"block","type":"uint256"}],"name":"ContractInitialized","type":"event"},{"anonymous":false,"inputs":[{"indexed":true,"internalType":"address","name":"user","type":"address"},{"indexed":false,"internalType":"uint256","name":"amount","type":"uint256"}],"name":"Enter","type":"event"},{"anonymous":false,"inputs":[{"indexed":true,"internalType":"address","name":"candidate","type":"address"},{"indexed":false,"internalType":"bool","name":"status","type":"bool"},{"indexed":false,"internalType":"bool","name":"success","type":"bool"}],"name":"ExemptionFrom","type":"event"},{"anonymous":false,"inputs":[{"indexed":true,"internalType":"address","name":"candidate","type":"address"},{"indexed":false,"internalType":"bool","name":"status","type":"bool"},{"indexed":false,"internalType":"bool","name":"success","type":"bool"}],"name":"ExemptionTo","type":"event"},{"anonymous":false,"inputs":[{"indexed":true,"internalType":"address","name":"user","type":"address"},{"indexed":true,"internalType":"uint256","name":"vestId","type":"uint256"},{"indexed":false,"internalType":"uint256","name":"totalAmount","type":"uint256"},{"indexed":false,"internalType":"uint256","name":"exitedAmount","type":"uint256"}],"name":"ExitVesting","type":"event"},{"anonymous":false,"inputs":[{"indexed":false,"internalType":"uint64","name":"version","type":"uint64"}],"name":"Initialized","type":"event"},{"anonymous":false,"inputs":[{"indexed":true,"internalType":"address","name":"user","type":"address"},{"indexed":false,"internalType":"uint256","name":"exitAmount","type":"uint256"}],"name":"InstantExit","type":"event"},{"anonymous":false,"inputs":[{"indexed":true,"internalType":"address","name":"user","type":"address"},{"indexed":true,"internalType":"uint256","name":"vestId","type":"uint256"},{"indexed":false,"internalType":"uint256","name":"amount","type":"uint256"}],"name":"NewVest","type":"event"},{"anonymous":false,"inputs":[{"indexed":true,"internalType":"address","name":"caller","type":"address"},{"indexed":false,"internalType":"uint256","name":"amount","type":"uint256"}],"name":"Rebase","type":"event"},{"anonymous":false,"inputs":[{"indexed":true,"internalType":"address","name":"from","type":"address"},{"indexed":true,"internalType":"address","name":"to","type":"address"},{"indexed":false,"internalType":"uint256","name":"value","type":"uint256"}],"name":"Transfer","type":"event"},{"inputs":[],"name":"BASIS","outputs":[{"internalType":"uint256","name":"","type":"uint256"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"CONTROLLABLE_VERSION","outputs":[{"internalType":"string","name":"","type":"string"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"MAX_VEST","outputs":[{"internalType":"uint256","name":"","type":"uint256"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"MIN_VEST","outputs":[{"internalType":"uint256","name":"","type":"uint256"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"SLASHING_PENALTY","outputs":[{"internalType":"uint256","name":"","type":"uint256"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"STBL","outputs":[{"internalType":"address","name":"","type":"address"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"VERSION","outputs":[{"internalType":"string","name":"","type":"string"}],"stateMutability":"view","type":"function"},{"inputs":[{"internalType":"address","name":"owner","type":"address"},{"internalType":"address","name":"spender","type":"address"}],"name":"allowance","outputs":[{"internalType":"uint256","name":"","type":"uint256"}],"stateMutability":"view","type":"function"},{"inputs":[{"internalType":"address","name":"spender","type":"address"},{"internalType":"uint256","name":"value","type":"uint256"}],"name":"approve","outputs":[{"internalType":"bool","name":"","type":"bool"}],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"address","name":"account","type":"address"}],"name":"balanceOf","outputs":[{"internalType":"uint256","name":"","type":"uint256"}],"stateMutability":"view","type":"function"},{"inputs":[{"internalType":"uint256","name":"amount_","type":"uint256"}],"name":"createVest","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[],"name":"createdBlock","outputs":[{"internalType":"uint256","name":"","type":"uint256"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"decimals","outputs":[{"internalType":"uint8","name":"","type":"uint8"}],"stateMutability":"view","type":"function"},{"inputs":[{"internalType":"uint256","name":"amount_","type":"uint256"}],"name":"enter","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"uint256","name":"amount_","type":"uint256"}],"name":"exit","outputs":[{"internalType":"uint256","name":"exitedAmount","type":"uint256"}],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"uint256","name":"vestID_","type":"uint256"}],"name":"exitVest","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"address","name":"platform_","type":"address"},{"internalType":"address","name":"stbl_","type":"address"},{"internalType":"address","name":"xStaking_","type":"address"},{"internalType":"address","name":"revenueRouter_","type":"address"}],"name":"initialize","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[],"name":"lastDistributedPeriod","outputs":[{"internalType":"uint256","name":"","type":"uint256"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"name","outputs":[{"internalType":"string","name":"","type":"string"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"pendingRebase","outputs":[{"internalType":"uint256","name":"","type":"uint256"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"platform","outputs":[{"internalType":"address","name":"","type":"address"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"rebase","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[],"name":"revenueRouter","outputs":[{"internalType":"address","name":"","type":"address"}],"stateMutability":"view","type":"function"},{"inputs":[{"internalType":"address[]","name":"exemptee","type":"address[]"},{"internalType":"bool[]","name":"exempt","type":"bool[]"}],"name":"setExemptionFrom","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"address[]","name":"exemptee","type":"address[]"},{"internalType":"bool[]","name":"exempt","type":"bool[]"}],"name":"setExemptionTo","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"bytes4","name":"interfaceId","type":"bytes4"}],"name":"supportsInterface","outputs":[{"internalType":"bool","name":"","type":"bool"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"symbol","outputs":[{"internalType":"string","name":"","type":"string"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"totalSupply","outputs":[{"internalType":"uint256","name":"","type":"uint256"}],"stateMutability":"view","type":"function"},{"inputs":[{"internalType":"address","name":"to","type":"address"},{"internalType":"uint256","name":"value","type":"uint256"}],"name":"transfer","outputs":[{"internalType":"bool","name":"","type":"bool"}],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"address","name":"from","type":"address"},{"internalType":"address","name":"to","type":"address"},{"internalType":"uint256","name":"value","type":"uint256"}],"name":"transferFrom","outputs":[{"internalType":"bool","name":"","type":"bool"}],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"address","name":"who","type":"address"}],"name":"usersTotalVests","outputs":[{"internalType":"uint256","name":"numOfVests","type":"uint256"}],"stateMutability":"view","type":"function"},{"inputs":[{"internalType":"address","name":"user","type":"address"},{"internalType":"uint256","name":"vestID","type":"uint256"}],"name":"vestInfo","outputs":[{"internalType":"uint256","name":"amount","type":"uint256"},{"internalType":"uint256","name":"start","type":"uint256"},{"internalType":"uint256","name":"maxEnd","type":"uint256"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"xStaking","outputs":[{"internalType":"address","name":"","type":"address"}],"stateMutability":"view","type":"function"}]
Contract Creation Code
6080604052348015600e575f5ffd5b5060156019565b60c9565b7ff0c57e16840df040f15088dc2f81fe391c3923bec73e23a9662efc9c229c6a00805468010000000000000000900460ff161560685760405163f92ee8a960e01b815260040160405180910390fd5b80546001600160401b039081161460c65780546001600160401b0319166001600160401b0390811782556040519081527fc7f505b2f371ae2175ee4913f4499e1f2633a7b5936321eed1cdaeb6115181d29060200160405180910390a15b50565b6122ed806100d65f395ff3fe608060405234801561000f575f5ffd5b50600436106101f2575f3560e01c806370a0823111610114578063a9059cbb116100a9578063dd62ed3e11610079578063dd62ed3e146104b6578063de9a406f146104c9578063e8855812146104e6578063f8c8765e14610516578063ffa1ad7414610422575f5ffd5b8063a9059cbb14610461578063ab95605414610474578063af14052c14610487578063b7f045e91461048f575f5ffd5b80638f7b565b116100e45780638f7b565b146103fb578063936725ec1461042257806395d89b4114610446578063a59f3e0c1461044e575f5ffd5b806370a082311461037a57806376d7a8bd146103ae5780637f8661a1146103de57806383923311146103f1575f5ffd5b80632cf53bd81161018a57806349e821931161015a57806349e82193146103345780634bde38c81461033e578063528cfa981461035e57806358fa54f914610367575f5ffd5b80632cf53bd8146102d6578063313ce5671461030a578063353140d0146103195780634593144c1461032c575f5ffd5b806311147bd6116101c557806311147bd61461025b57806318160ddd1461028957806323b872dd146102ba57806325d64f4b146102cd575f5ffd5b806301ffc9a7146101f657806306fdde031461021e57806308b4bd6314610233578063095ea7b314610248575b5f5ffd5b610209610204366004611db1565b610529565b60405190151581526020015b60405180910390f35b61022661055f565b6040516102159190611dd8565b610246610241366004611e0d565b61061f565b005b610209610256366004611e38565b610722565b61026e610269366004611e38565b610739565b60408051938452602084019290925290820152606001610215565b7f52c63247e1f47db19d5ce0460030c497f067ca4cebf71ba98eeadabe20bace02545b604051908152602001610215565b6102096102c8366004611e62565b6107d8565b6102ac61138881565b6102ac6102e4366004611ea0565b6001600160a01b03165f9081525f5160206122785f395f51905f52602052604090205490565b60405160128152602001610215565b610246610327366004611f03565b6107fb565b6102ac610997565b6102ac6212750081565b6103466109cf565b6040516001600160a01b039091168152602001610215565b6102ac61271081565b610246610375366004611f03565b6109fe565b6102ac610388366004611ea0565b6001600160a01b03165f9081525f5160206122585f395f51905f52602052604090205490565b7f8070df933051cfd06b1bc8a1cc21337087bed1e1452be7055e564e22eadb9e01546001600160a01b0316610346565b6102ac6103ec366004611e0d565b610b58565b6102ac62ed4e0081565b7f8070df933051cfd06b1bc8a1cc21337087bed1e1452be7055e564e22eadb9e07546102ac565b610226604051806040016040528060058152602001640312e302e360dc1b81525081565b610226610ca1565b61024661045c366004611e0d565b610cdf565b61020961046f366004611e38565b610dd0565b610246610482366004611e0d565b610ddd565b6102466110b5565b7f8070df933051cfd06b1bc8a1cc21337087bed1e1452be7055e564e22eadb9e08546102ac565b6102ac6104c4366004611f6f565b6112ae565b5f5160206122985f395f51905f52546001600160a01b0316610346565b7f8070df933051cfd06b1bc8a1cc21337087bed1e1452be7055e564e22eadb9e02546001600160a01b0316610346565b610246610524366004611fa6565b6112f7565b5f6001600160e01b03198216630f1ec81f60e41b148061055957506301ffc9a760e01b6001600160e01b03198316145b92915050565b7f52c63247e1f47db19d5ce0460030c497f067ca4cebf71ba98eeadabe20bace0380546060915f5160206122585f395f51905f529161059d90611fff565b80601f01602080910402602001604051908101604052809291908181526020018280546105c990611fff565b80156106145780601f106105eb57610100808354040283529160200191610614565b820191905f5260205f20905b8154815290600101906020018083116105f757829003601f168201915b505050505091505090565b805f0361063f576040516371c42ac360e01b815260040160405180910390fd5b610649338261150e565b335f9081525f5160206122785f395f51905f52602090815260409182902080548351608081018552858152429381018490525f5160206122985f395f51905f52949193909182019061069f9062ed4e009061204b565b815260209081018490528254600180820185555f9485529382902083516004909202019081558282015193810193909355604080830151600285015560609092015160039093019290925551848152829133917f7d9230ebb47980ddc758fe4e69ea83a89dafbceb45bd45934798477baa577668910160405180910390a3505050565b5f3361072f81858561154b565b5060019392505050565b6001600160a01b0382165f9081525f5160206122785f395f51905f52602052604081208054829182915f5160206122985f395f51905f52918391879081106107835761078361205e565b5f91825260209182902060408051608081018252600490930290910180548084526001820154948401859052600282015492840183905260039091015460609093019290925290999198509650945050505050565b5f336107e585828561155d565b6107f08585856115ba565b506001949350505050565b610803611617565b82811461082357604051630ef9926760e21b815260040160405180910390fd5b5f5160206122985f395f51905f527f8070df933051cfd06b1bc8a1cc21337087bed1e1452be7055e564e22eadb9e05825f5b8181101561098d575f8686838181106108705761087061205e565b9050602002016020810190610885919061207f565b6108bf576108ba89898481811061089e5761089e61205e565b90506020020160208101906108b39190611ea0565b8590611735565b6108f0565b6108f08989848181106108d4576108d461205e565b90506020020160208101906108e99190611ea0565b8590611750565b90508888838181106109045761090461205e565b90506020020160208101906109199190611ea0565b6001600160a01b03167f18d073cb9014310b21f9ea093ea01471ac5d887a48f01006fdda034febc364008888858181106109555761095561205e565b905060200201602081019061096a919061207f565b60408051911515825284151560208301520160405180910390a250600101610855565b5050505050505050565b5f6109ca6109c660017f812a673dfca07956350df10f8a654925f561d7a0da09bdbe79e653939a14d9f161209a565b5490565b905090565b5f6109ca6109c660017faa116a42804728f23983458454b6eb9c6ddf3011db9f9addaf3cd7508d85b0d661209a565b610a06611617565b828114610a2657604051630ef9926760e21b815260040160405180910390fd5b5f5160206122985f395f51905f527f8070df933051cfd06b1bc8a1cc21337087bed1e1452be7055e564e22eadb9e03825f5b8181101561098d575f868683818110610a7357610a7361205e565b9050602002016020810190610a88919061207f565b610aa657610aa189898481811061089e5761089e61205e565b610abb565b610abb8989848181106108d4576108d461205e565b9050888883818110610acf57610acf61205e565b9050602002016020810190610ae49190611ea0565b6001600160a01b03167fc6d917984e7b6e24ee835f3758189dab37641a4a85e48dfad2b26c0495aa81eb888885818110610b2057610b2061205e565b9050602002016020810190610b35919061207f565b60408051911515825284151560208301520160405180910390a250600101610a58565b5f815f03610b79576040516371c42ac360e01b815260040160405180910390fd5b5f612710610b89611388856120ad565b610b9391906120c4565b90505f610ba0828561209a565b9050610bac338561150e565b7f8070df933051cfd06b1bc8a1cc21337087bed1e1452be7055e564e22eadb9e0780545f5160206122985f395f51905f529184915f90610bed90849061204b565b9091555050805460405163a9059cbb60e01b8152336004820152602481018490526001600160a01b039091169063a9059cbb906044016020604051808303815f875af1158015610c3f573d5f5f3e3d5ffd5b505050506040513d601f19601f82011682018060405250810190610c6391906120e3565b5060405182815233907fa8a63b0531e55ae709827fb089d01034e24a200ad14dc710dfa9e962005f629a9060200160405180910390a2509392505050565b7f52c63247e1f47db19d5ce0460030c497f067ca4cebf71ba98eeadabe20bace0480546060915f5160206122585f395f51905f529161059d90611fff565b805f03610cff576040516371c42ac360e01b815260040160405180910390fd5b5f5160206122985f395f51905f52546001600160a01b03166040516323b872dd60e01b8152336004820152306024820152604481018390526001600160a01b0391909116906323b872dd906064016020604051808303815f875af1158015610d69573d5f5f3e3d5ffd5b505050506040513d601f19601f82011682018060405250810190610d8d91906120e3565b50610d983382611764565b60405181815233907f1fb48929215fc354244acea33112720ce5b7ba6912db70bb0149e77aa7c91ce19060200160405180910390a250565b5f3361072f8185856115ba565b335f9081525f5160206122785f395f51905f526020526040812080545f5160206122985f395f51905f5292919084908110610e1a57610e1a61205e565b905f5260205f2090600402019050805f01545f03610e4b576040516315aea4bd60e11b815260040160405180910390fd5b805460018201545f8355610e62621275008261204b565b421015610eb057610e733383611764565b604051828152859033907fcda231b62bdbcfdebaec108470aea3eb3fcc5ebe00d79b6e252850d4bf5c60b5906020015b60405180910390a36110ae565b42836002015411610f6757835460405163a9059cbb60e01b8152336004820152602481018490526001600160a01b039091169063a9059cbb906044016020604051808303815f875af1158015610f08573d5f5f3e3d5ffd5b505050506040513d601f19601f82011682018060405250810190610f2c91906120e3565b506040805183815260208101849052869133917fe9be0bf426bb2e3894d24fc546fbd06e0edcb8dd4ff9db917a0f79d2fd1d2da69101610ea3565b5f612710610f77611388856120ad565b610f8191906120c4565b90505f61271062ed4e00610f95854261209a565b610fa361138861271061209a565b610fad90886120ad565b610fb791906120ad565b610fc191906120c4565b610fcb91906120c4565b90505f610fd8828461204b565b9050610fe4818661209a565b876007015f828254610ff6919061204b565b9091555050865460405163a9059cbb60e01b8152336004820152602481018390526001600160a01b039091169063a9059cbb906044016020604051808303815f875af1158015611048573d5f5f3e3d5ffd5b505050506040513d601f19601f8201168201806040525081019061106c91906120e3565b506040805186815260208101839052899133917fe9be0bf426bb2e3894d24fc546fbd06e0edcb8dd4ff9db917a0f79d2fd1d2da6910160405180910390a35050505b5050505050565b7f8070df933051cfd06b1bc8a1cc21337087bed1e1452be7055e564e22eadb9e02545f5160206122985f395f51905f52906001600160a01b031633811461110f576040516370a8bfcd60e11b815260040160405180910390fd5b5f816001600160a01b0316631ed241956040518163ffffffff1660e01b8152600401602060405180830381865afa15801561114c573d5f5f3e3d5ffd5b505050506040513d601f19601f8201168201806040525081019061117091906120fe565b60078401546008850154919250908211801561118e57506127108110155b156112a857600884018290555f60078501556001840154845460405163095ea7b360e01b81526001600160a01b039283166004820181905260248201859052929091169063095ea7b3906044016020604051808303815f875af11580156111f7573d5f5f3e3d5ffd5b505050506040513d601f19601f8201168201806040525081019061121b91906120e3565b50604051633c6b16ab60e01b8152600481018390526001600160a01b03821690633c6b16ab906024015f604051808303815f87803b15801561125b575f5ffd5b505af115801561126d573d5f5f3e3d5ffd5b50506040518481523392507fcf0cf43969b3f0a08a20481cfa1fd31d1023ab827f0babb8d8125862a9c403f8915060200160405180910390a2505b50505050565b6001600160a01b039182165f9081527f52c63247e1f47db19d5ce0460030c497f067ca4cebf71ba98eeadabe20bace016020908152604080832093909416825291909152205490565b7ff0c57e16840df040f15088dc2f81fe391c3923bec73e23a9662efc9c229c6a008054600160401b810460ff16159067ffffffffffffffff165f8115801561133c5750825b90505f8267ffffffffffffffff1660011480156113585750303b155b905081158015611366575080155b156113845760405163f92ee8a960e01b815260040160405180910390fd5b845467ffffffffffffffff1916600117855583156113ae57845460ff60401b1916600160401b1785555b6113b789611798565b6114006040518060400160405280600a8152602001697853746162696c69747960b01b815250604051806040016040528060058152602001641e14d5109360da1b8152506118f3565b5f5160206122985f395f51905f5280546001600160a01b038a81166001600160a01b03199283161783557f8070df933051cfd06b1bc8a1cc21337087bed1e1452be7055e564e22eadb9e0180548b83169084161790557f8070df933051cfd06b1bc8a1cc21337087bed1e1452be7055e564e22eadb9e028054918a16919092161790556114ad7f8070df933051cfd06b1bc8a1cc21337087bed1e1452be7055e564e22eadb9e0389611750565b506114bb6005820189611750565b5050831561150357845460ff60401b19168555604051600181527fc7f505b2f371ae2175ee4913f4499e1f2633a7b5936321eed1cdaeb6115181d29060200160405180910390a15b505050505050505050565b6001600160a01b03821661153c57604051634b637e8f60e11b81525f60048201526024015b60405180910390fd5b611547825f83611905565b5050565b6115588383836001611950565b505050565b5f61156884846112ae565b90505f1981146112a857818110156115ac57604051637dc7a0d960e11b81526001600160a01b03841660048201526024810182905260448101839052606401611533565b6112a884848484035f611950565b6001600160a01b0383166115e357604051634b637e8f60e11b81525f6004820152602401611533565b6001600160a01b03821661160c5760405163ec442f0560e01b81525f6004820152602401611533565b611558838383611905565b5f6116206109cf565b9050336001600160a01b0316816001600160a01b0316635aa6e6756040518163ffffffff1660e01b8152600401602060405180830381865afa158015611668573d5f5f3e3d5ffd5b505050506040513d601f19601f8201168201806040525081019061168c9190612115565b6001600160a01b0316141580156117145750336001600160a01b0316816001600160a01b0316634783c35b6040518163ffffffff1660e01b8152600401602060405180830381865afa1580156116e4573d5f5f3e3d5ffd5b505050506040513d601f19601f820116820180604052508101906117089190612115565b6001600160a01b031614155b15611732576040516354299b6f60e01b815260040160405180910390fd5b50565b5f611749836001600160a01b038416611a33565b9392505050565b5f611749836001600160a01b038416611b16565b6001600160a01b03821661178d5760405163ec442f0560e01b81525f6004820152602401611533565b6115475f8383611905565b6117a0611b62565b6001600160a01b038116158061182657505f6001600160a01b0316816001600160a01b0316634783c35b6040518163ffffffff1660e01b8152600401602060405180830381865afa1580156117f7573d5f5f3e3d5ffd5b505050506040513d601f19601f8201168201806040525081019061181b9190612115565b6001600160a01b0316145b15611844576040516371c42ac360e01b815260040160405180910390fd5b61187761187260017faa116a42804728f23983458454b6eb9c6ddf3011db9f9addaf3cd7508d85b0d661209a565b829055565b6118a9436118a660017f812a673dfca07956350df10f8a654925f561d7a0da09bdbe79e653939a14d9f161209a565b55565b604080516001600160a01b0383168152426020820152438183015290517f1a2dd071001ebf6e03174e3df5b305795a4ad5d41d8fdb9ba41dbbe2367134269181900360600190a150565b6118fb611b62565b6115478282611bad565b61190f8383611bfd565b838390916119435760405163d3b525df60e01b81526001600160a01b03928316600482015291166024820152604401611533565b5050611558838383611c57565b5f5160206122585f395f51905f526001600160a01b0385166119875760405163e602df0560e01b81525f6004820152602401611533565b6001600160a01b0384166119b057604051634a1406b160e11b81525f6004820152602401611533565b6001600160a01b038086165f908152600183016020908152604080832093881683529290522083905581156110ae57836001600160a01b0316856001600160a01b03167f8c5be1e5ebec7d5bd14f71427d1e84f3dd0314c0f7b2291e5b200ac8c7c3b92585604051611a2491815260200190565b60405180910390a35050505050565b5f8181526001830160205260408120548015611b0d575f611a5560018361209a565b85549091505f90611a689060019061209a565b9050808214611ac7575f865f018281548110611a8657611a8661205e565b905f5260205f200154905080875f018481548110611aa657611aa661205e565b5f918252602080832090910192909255918252600188019052604090208390555b8554869080611ad857611ad8612130565b600190038181905f5260205f20015f90559055856001015f8681526020019081526020015f205f905560019350505050610559565b5f915050610559565b5f818152600183016020526040812054611b5b57508154600181810184555f848152602080822090930184905584548482528286019093526040902091909155610559565b505f610559565b7ff0c57e16840df040f15088dc2f81fe391c3923bec73e23a9662efc9c229c6a0054600160401b900460ff16611bab57604051631afcd79f60e31b815260040160405180910390fd5b565b611bb5611b62565b5f5160206122585f395f51905f527f52c63247e1f47db19d5ce0460030c497f067ca4cebf71ba98eeadabe20bace03611bee848261219c565b50600481016112a8838261219c565b5f5f5160206122985f395f51905f526001600160a01b0384161580611c2957506001600160a01b038316155b80611c3c5750611c3c6003820185611d90565b80611c4f5750611c4f6005820184611d90565b949350505050565b5f5160206122585f395f51905f526001600160a01b038416611c915781816002015f828254611c86919061204b565b90915550611d019050565b6001600160a01b0384165f9081526020829052604090205482811015611ce35760405163391434e360e21b81526001600160a01b03861660048201526024810182905260448101849052606401611533565b6001600160a01b0385165f9081526020839052604090209083900390555b6001600160a01b038316611d1f576002810180548390039055611d3d565b6001600160a01b0383165f9081526020829052604090208054830190555b826001600160a01b0316846001600160a01b03167fddf252ad1be2c89b69c2b068fc378daa952ba7f163c4a11628f55a4df523b3ef84604051611d8291815260200190565b60405180910390a350505050565b6001600160a01b0381165f9081526001830160205260408120541515611749565b5f60208284031215611dc1575f5ffd5b81356001600160e01b031981168114611749575f5ffd5b602081525f82518060208401528060208501604085015e5f604082850101526040601f19601f83011684010191505092915050565b5f60208284031215611e1d575f5ffd5b5035919050565b6001600160a01b0381168114611732575f5ffd5b5f5f60408385031215611e49575f5ffd5b8235611e5481611e24565b946020939093013593505050565b5f5f5f60608486031215611e74575f5ffd5b8335611e7f81611e24565b92506020840135611e8f81611e24565b929592945050506040919091013590565b5f60208284031215611eb0575f5ffd5b813561174981611e24565b5f5f83601f840112611ecb575f5ffd5b50813567ffffffffffffffff811115611ee2575f5ffd5b6020830191508360208260051b8501011115611efc575f5ffd5b9250929050565b5f5f5f5f60408587031215611f16575f5ffd5b843567ffffffffffffffff811115611f2c575f5ffd5b611f3887828801611ebb565b909550935050602085013567ffffffffffffffff811115611f57575f5ffd5b611f6387828801611ebb565b95989497509550505050565b5f5f60408385031215611f80575f5ffd5b8235611f8b81611e24565b91506020830135611f9b81611e24565b809150509250929050565b5f5f5f5f60808587031215611fb9575f5ffd5b8435611fc481611e24565b93506020850135611fd481611e24565b92506040850135611fe481611e24565b91506060850135611ff481611e24565b939692955090935050565b600181811c9082168061201357607f821691505b60208210810361203157634e487b7160e01b5f52602260045260245ffd5b50919050565b634e487b7160e01b5f52601160045260245ffd5b8082018082111561055957610559612037565b634e487b7160e01b5f52603260045260245ffd5b8015158114611732575f5ffd5b5f6020828403121561208f575f5ffd5b813561174981612072565b8181038181111561055957610559612037565b808202811582820484141761055957610559612037565b5f826120de57634e487b7160e01b5f52601260045260245ffd5b500490565b5f602082840312156120f3575f5ffd5b815161174981612072565b5f6020828403121561210e575f5ffd5b5051919050565b5f60208284031215612125575f5ffd5b815161174981611e24565b634e487b7160e01b5f52603160045260245ffd5b634e487b7160e01b5f52604160045260245ffd5b601f82111561155857805f5260205f20601f840160051c8101602085101561217d5750805b601f840160051c820191505b818110156110ae575f8155600101612189565b815167ffffffffffffffff8111156121b6576121b6612144565b6121ca816121c48454611fff565b84612158565b6020601f8211600181146121fc575f83156121e55750848201515b5f19600385901b1c1916600184901b1784556110ae565b5f84815260208120601f198516915b8281101561222b578785015182556020948501946001909201910161220b565b508482101561224857868401515f19600387901b60f8161c191681555b50505050600190811b0190555056fe52c63247e1f47db19d5ce0460030c497f067ca4cebf71ba98eeadabe20bace008070df933051cfd06b1bc8a1cc21337087bed1e1452be7055e564e22eadb9e098070df933051cfd06b1bc8a1cc21337087bed1e1452be7055e564e22eadb9e00a2646970667358221220621222525e6f383b453bff8f82fe755be2eb7af86e0c43bf97d307fb110bc7fb64736f6c634300081c0033
Deployed Bytecode
0x608060405234801561000f575f5ffd5b50600436106101f2575f3560e01c806370a0823111610114578063a9059cbb116100a9578063dd62ed3e11610079578063dd62ed3e146104b6578063de9a406f146104c9578063e8855812146104e6578063f8c8765e14610516578063ffa1ad7414610422575f5ffd5b8063a9059cbb14610461578063ab95605414610474578063af14052c14610487578063b7f045e91461048f575f5ffd5b80638f7b565b116100e45780638f7b565b146103fb578063936725ec1461042257806395d89b4114610446578063a59f3e0c1461044e575f5ffd5b806370a082311461037a57806376d7a8bd146103ae5780637f8661a1146103de57806383923311146103f1575f5ffd5b80632cf53bd81161018a57806349e821931161015a57806349e82193146103345780634bde38c81461033e578063528cfa981461035e57806358fa54f914610367575f5ffd5b80632cf53bd8146102d6578063313ce5671461030a578063353140d0146103195780634593144c1461032c575f5ffd5b806311147bd6116101c557806311147bd61461025b57806318160ddd1461028957806323b872dd146102ba57806325d64f4b146102cd575f5ffd5b806301ffc9a7146101f657806306fdde031461021e57806308b4bd6314610233578063095ea7b314610248575b5f5ffd5b610209610204366004611db1565b610529565b60405190151581526020015b60405180910390f35b61022661055f565b6040516102159190611dd8565b610246610241366004611e0d565b61061f565b005b610209610256366004611e38565b610722565b61026e610269366004611e38565b610739565b60408051938452602084019290925290820152606001610215565b7f52c63247e1f47db19d5ce0460030c497f067ca4cebf71ba98eeadabe20bace02545b604051908152602001610215565b6102096102c8366004611e62565b6107d8565b6102ac61138881565b6102ac6102e4366004611ea0565b6001600160a01b03165f9081525f5160206122785f395f51905f52602052604090205490565b60405160128152602001610215565b610246610327366004611f03565b6107fb565b6102ac610997565b6102ac6212750081565b6103466109cf565b6040516001600160a01b039091168152602001610215565b6102ac61271081565b610246610375366004611f03565b6109fe565b6102ac610388366004611ea0565b6001600160a01b03165f9081525f5160206122585f395f51905f52602052604090205490565b7f8070df933051cfd06b1bc8a1cc21337087bed1e1452be7055e564e22eadb9e01546001600160a01b0316610346565b6102ac6103ec366004611e0d565b610b58565b6102ac62ed4e0081565b7f8070df933051cfd06b1bc8a1cc21337087bed1e1452be7055e564e22eadb9e07546102ac565b610226604051806040016040528060058152602001640312e302e360dc1b81525081565b610226610ca1565b61024661045c366004611e0d565b610cdf565b61020961046f366004611e38565b610dd0565b610246610482366004611e0d565b610ddd565b6102466110b5565b7f8070df933051cfd06b1bc8a1cc21337087bed1e1452be7055e564e22eadb9e08546102ac565b6102ac6104c4366004611f6f565b6112ae565b5f5160206122985f395f51905f52546001600160a01b0316610346565b7f8070df933051cfd06b1bc8a1cc21337087bed1e1452be7055e564e22eadb9e02546001600160a01b0316610346565b610246610524366004611fa6565b6112f7565b5f6001600160e01b03198216630f1ec81f60e41b148061055957506301ffc9a760e01b6001600160e01b03198316145b92915050565b7f52c63247e1f47db19d5ce0460030c497f067ca4cebf71ba98eeadabe20bace0380546060915f5160206122585f395f51905f529161059d90611fff565b80601f01602080910402602001604051908101604052809291908181526020018280546105c990611fff565b80156106145780601f106105eb57610100808354040283529160200191610614565b820191905f5260205f20905b8154815290600101906020018083116105f757829003601f168201915b505050505091505090565b805f0361063f576040516371c42ac360e01b815260040160405180910390fd5b610649338261150e565b335f9081525f5160206122785f395f51905f52602090815260409182902080548351608081018552858152429381018490525f5160206122985f395f51905f52949193909182019061069f9062ed4e009061204b565b815260209081018490528254600180820185555f9485529382902083516004909202019081558282015193810193909355604080830151600285015560609092015160039093019290925551848152829133917f7d9230ebb47980ddc758fe4e69ea83a89dafbceb45bd45934798477baa577668910160405180910390a3505050565b5f3361072f81858561154b565b5060019392505050565b6001600160a01b0382165f9081525f5160206122785f395f51905f52602052604081208054829182915f5160206122985f395f51905f52918391879081106107835761078361205e565b5f91825260209182902060408051608081018252600490930290910180548084526001820154948401859052600282015492840183905260039091015460609093019290925290999198509650945050505050565b5f336107e585828561155d565b6107f08585856115ba565b506001949350505050565b610803611617565b82811461082357604051630ef9926760e21b815260040160405180910390fd5b5f5160206122985f395f51905f527f8070df933051cfd06b1bc8a1cc21337087bed1e1452be7055e564e22eadb9e05825f5b8181101561098d575f8686838181106108705761087061205e565b9050602002016020810190610885919061207f565b6108bf576108ba89898481811061089e5761089e61205e565b90506020020160208101906108b39190611ea0565b8590611735565b6108f0565b6108f08989848181106108d4576108d461205e565b90506020020160208101906108e99190611ea0565b8590611750565b90508888838181106109045761090461205e565b90506020020160208101906109199190611ea0565b6001600160a01b03167f18d073cb9014310b21f9ea093ea01471ac5d887a48f01006fdda034febc364008888858181106109555761095561205e565b905060200201602081019061096a919061207f565b60408051911515825284151560208301520160405180910390a250600101610855565b5050505050505050565b5f6109ca6109c660017f812a673dfca07956350df10f8a654925f561d7a0da09bdbe79e653939a14d9f161209a565b5490565b905090565b5f6109ca6109c660017faa116a42804728f23983458454b6eb9c6ddf3011db9f9addaf3cd7508d85b0d661209a565b610a06611617565b828114610a2657604051630ef9926760e21b815260040160405180910390fd5b5f5160206122985f395f51905f527f8070df933051cfd06b1bc8a1cc21337087bed1e1452be7055e564e22eadb9e03825f5b8181101561098d575f868683818110610a7357610a7361205e565b9050602002016020810190610a88919061207f565b610aa657610aa189898481811061089e5761089e61205e565b610abb565b610abb8989848181106108d4576108d461205e565b9050888883818110610acf57610acf61205e565b9050602002016020810190610ae49190611ea0565b6001600160a01b03167fc6d917984e7b6e24ee835f3758189dab37641a4a85e48dfad2b26c0495aa81eb888885818110610b2057610b2061205e565b9050602002016020810190610b35919061207f565b60408051911515825284151560208301520160405180910390a250600101610a58565b5f815f03610b79576040516371c42ac360e01b815260040160405180910390fd5b5f612710610b89611388856120ad565b610b9391906120c4565b90505f610ba0828561209a565b9050610bac338561150e565b7f8070df933051cfd06b1bc8a1cc21337087bed1e1452be7055e564e22eadb9e0780545f5160206122985f395f51905f529184915f90610bed90849061204b565b9091555050805460405163a9059cbb60e01b8152336004820152602481018490526001600160a01b039091169063a9059cbb906044016020604051808303815f875af1158015610c3f573d5f5f3e3d5ffd5b505050506040513d601f19601f82011682018060405250810190610c6391906120e3565b5060405182815233907fa8a63b0531e55ae709827fb089d01034e24a200ad14dc710dfa9e962005f629a9060200160405180910390a2509392505050565b7f52c63247e1f47db19d5ce0460030c497f067ca4cebf71ba98eeadabe20bace0480546060915f5160206122585f395f51905f529161059d90611fff565b805f03610cff576040516371c42ac360e01b815260040160405180910390fd5b5f5160206122985f395f51905f52546001600160a01b03166040516323b872dd60e01b8152336004820152306024820152604481018390526001600160a01b0391909116906323b872dd906064016020604051808303815f875af1158015610d69573d5f5f3e3d5ffd5b505050506040513d601f19601f82011682018060405250810190610d8d91906120e3565b50610d983382611764565b60405181815233907f1fb48929215fc354244acea33112720ce5b7ba6912db70bb0149e77aa7c91ce19060200160405180910390a250565b5f3361072f8185856115ba565b335f9081525f5160206122785f395f51905f526020526040812080545f5160206122985f395f51905f5292919084908110610e1a57610e1a61205e565b905f5260205f2090600402019050805f01545f03610e4b576040516315aea4bd60e11b815260040160405180910390fd5b805460018201545f8355610e62621275008261204b565b421015610eb057610e733383611764565b604051828152859033907fcda231b62bdbcfdebaec108470aea3eb3fcc5ebe00d79b6e252850d4bf5c60b5906020015b60405180910390a36110ae565b42836002015411610f6757835460405163a9059cbb60e01b8152336004820152602481018490526001600160a01b039091169063a9059cbb906044016020604051808303815f875af1158015610f08573d5f5f3e3d5ffd5b505050506040513d601f19601f82011682018060405250810190610f2c91906120e3565b506040805183815260208101849052869133917fe9be0bf426bb2e3894d24fc546fbd06e0edcb8dd4ff9db917a0f79d2fd1d2da69101610ea3565b5f612710610f77611388856120ad565b610f8191906120c4565b90505f61271062ed4e00610f95854261209a565b610fa361138861271061209a565b610fad90886120ad565b610fb791906120ad565b610fc191906120c4565b610fcb91906120c4565b90505f610fd8828461204b565b9050610fe4818661209a565b876007015f828254610ff6919061204b565b9091555050865460405163a9059cbb60e01b8152336004820152602481018390526001600160a01b039091169063a9059cbb906044016020604051808303815f875af1158015611048573d5f5f3e3d5ffd5b505050506040513d601f19601f8201168201806040525081019061106c91906120e3565b506040805186815260208101839052899133917fe9be0bf426bb2e3894d24fc546fbd06e0edcb8dd4ff9db917a0f79d2fd1d2da6910160405180910390a35050505b5050505050565b7f8070df933051cfd06b1bc8a1cc21337087bed1e1452be7055e564e22eadb9e02545f5160206122985f395f51905f52906001600160a01b031633811461110f576040516370a8bfcd60e11b815260040160405180910390fd5b5f816001600160a01b0316631ed241956040518163ffffffff1660e01b8152600401602060405180830381865afa15801561114c573d5f5f3e3d5ffd5b505050506040513d601f19601f8201168201806040525081019061117091906120fe565b60078401546008850154919250908211801561118e57506127108110155b156112a857600884018290555f60078501556001840154845460405163095ea7b360e01b81526001600160a01b039283166004820181905260248201859052929091169063095ea7b3906044016020604051808303815f875af11580156111f7573d5f5f3e3d5ffd5b505050506040513d601f19601f8201168201806040525081019061121b91906120e3565b50604051633c6b16ab60e01b8152600481018390526001600160a01b03821690633c6b16ab906024015f604051808303815f87803b15801561125b575f5ffd5b505af115801561126d573d5f5f3e3d5ffd5b50506040518481523392507fcf0cf43969b3f0a08a20481cfa1fd31d1023ab827f0babb8d8125862a9c403f8915060200160405180910390a2505b50505050565b6001600160a01b039182165f9081527f52c63247e1f47db19d5ce0460030c497f067ca4cebf71ba98eeadabe20bace016020908152604080832093909416825291909152205490565b7ff0c57e16840df040f15088dc2f81fe391c3923bec73e23a9662efc9c229c6a008054600160401b810460ff16159067ffffffffffffffff165f8115801561133c5750825b90505f8267ffffffffffffffff1660011480156113585750303b155b905081158015611366575080155b156113845760405163f92ee8a960e01b815260040160405180910390fd5b845467ffffffffffffffff1916600117855583156113ae57845460ff60401b1916600160401b1785555b6113b789611798565b6114006040518060400160405280600a8152602001697853746162696c69747960b01b815250604051806040016040528060058152602001641e14d5109360da1b8152506118f3565b5f5160206122985f395f51905f5280546001600160a01b038a81166001600160a01b03199283161783557f8070df933051cfd06b1bc8a1cc21337087bed1e1452be7055e564e22eadb9e0180548b83169084161790557f8070df933051cfd06b1bc8a1cc21337087bed1e1452be7055e564e22eadb9e028054918a16919092161790556114ad7f8070df933051cfd06b1bc8a1cc21337087bed1e1452be7055e564e22eadb9e0389611750565b506114bb6005820189611750565b5050831561150357845460ff60401b19168555604051600181527fc7f505b2f371ae2175ee4913f4499e1f2633a7b5936321eed1cdaeb6115181d29060200160405180910390a15b505050505050505050565b6001600160a01b03821661153c57604051634b637e8f60e11b81525f60048201526024015b60405180910390fd5b611547825f83611905565b5050565b6115588383836001611950565b505050565b5f61156884846112ae565b90505f1981146112a857818110156115ac57604051637dc7a0d960e11b81526001600160a01b03841660048201526024810182905260448101839052606401611533565b6112a884848484035f611950565b6001600160a01b0383166115e357604051634b637e8f60e11b81525f6004820152602401611533565b6001600160a01b03821661160c5760405163ec442f0560e01b81525f6004820152602401611533565b611558838383611905565b5f6116206109cf565b9050336001600160a01b0316816001600160a01b0316635aa6e6756040518163ffffffff1660e01b8152600401602060405180830381865afa158015611668573d5f5f3e3d5ffd5b505050506040513d601f19601f8201168201806040525081019061168c9190612115565b6001600160a01b0316141580156117145750336001600160a01b0316816001600160a01b0316634783c35b6040518163ffffffff1660e01b8152600401602060405180830381865afa1580156116e4573d5f5f3e3d5ffd5b505050506040513d601f19601f820116820180604052508101906117089190612115565b6001600160a01b031614155b15611732576040516354299b6f60e01b815260040160405180910390fd5b50565b5f611749836001600160a01b038416611a33565b9392505050565b5f611749836001600160a01b038416611b16565b6001600160a01b03821661178d5760405163ec442f0560e01b81525f6004820152602401611533565b6115475f8383611905565b6117a0611b62565b6001600160a01b038116158061182657505f6001600160a01b0316816001600160a01b0316634783c35b6040518163ffffffff1660e01b8152600401602060405180830381865afa1580156117f7573d5f5f3e3d5ffd5b505050506040513d601f19601f8201168201806040525081019061181b9190612115565b6001600160a01b0316145b15611844576040516371c42ac360e01b815260040160405180910390fd5b61187761187260017faa116a42804728f23983458454b6eb9c6ddf3011db9f9addaf3cd7508d85b0d661209a565b829055565b6118a9436118a660017f812a673dfca07956350df10f8a654925f561d7a0da09bdbe79e653939a14d9f161209a565b55565b604080516001600160a01b0383168152426020820152438183015290517f1a2dd071001ebf6e03174e3df5b305795a4ad5d41d8fdb9ba41dbbe2367134269181900360600190a150565b6118fb611b62565b6115478282611bad565b61190f8383611bfd565b838390916119435760405163d3b525df60e01b81526001600160a01b03928316600482015291166024820152604401611533565b5050611558838383611c57565b5f5160206122585f395f51905f526001600160a01b0385166119875760405163e602df0560e01b81525f6004820152602401611533565b6001600160a01b0384166119b057604051634a1406b160e11b81525f6004820152602401611533565b6001600160a01b038086165f908152600183016020908152604080832093881683529290522083905581156110ae57836001600160a01b0316856001600160a01b03167f8c5be1e5ebec7d5bd14f71427d1e84f3dd0314c0f7b2291e5b200ac8c7c3b92585604051611a2491815260200190565b60405180910390a35050505050565b5f8181526001830160205260408120548015611b0d575f611a5560018361209a565b85549091505f90611a689060019061209a565b9050808214611ac7575f865f018281548110611a8657611a8661205e565b905f5260205f200154905080875f018481548110611aa657611aa661205e565b5f918252602080832090910192909255918252600188019052604090208390555b8554869080611ad857611ad8612130565b600190038181905f5260205f20015f90559055856001015f8681526020019081526020015f205f905560019350505050610559565b5f915050610559565b5f818152600183016020526040812054611b5b57508154600181810184555f848152602080822090930184905584548482528286019093526040902091909155610559565b505f610559565b7ff0c57e16840df040f15088dc2f81fe391c3923bec73e23a9662efc9c229c6a0054600160401b900460ff16611bab57604051631afcd79f60e31b815260040160405180910390fd5b565b611bb5611b62565b5f5160206122585f395f51905f527f52c63247e1f47db19d5ce0460030c497f067ca4cebf71ba98eeadabe20bace03611bee848261219c565b50600481016112a8838261219c565b5f5f5160206122985f395f51905f526001600160a01b0384161580611c2957506001600160a01b038316155b80611c3c5750611c3c6003820185611d90565b80611c4f5750611c4f6005820184611d90565b949350505050565b5f5160206122585f395f51905f526001600160a01b038416611c915781816002015f828254611c86919061204b565b90915550611d019050565b6001600160a01b0384165f9081526020829052604090205482811015611ce35760405163391434e360e21b81526001600160a01b03861660048201526024810182905260448101849052606401611533565b6001600160a01b0385165f9081526020839052604090209083900390555b6001600160a01b038316611d1f576002810180548390039055611d3d565b6001600160a01b0383165f9081526020829052604090208054830190555b826001600160a01b0316846001600160a01b03167fddf252ad1be2c89b69c2b068fc378daa952ba7f163c4a11628f55a4df523b3ef84604051611d8291815260200190565b60405180910390a350505050565b6001600160a01b0381165f9081526001830160205260408120541515611749565b5f60208284031215611dc1575f5ffd5b81356001600160e01b031981168114611749575f5ffd5b602081525f82518060208401528060208501604085015e5f604082850101526040601f19601f83011684010191505092915050565b5f60208284031215611e1d575f5ffd5b5035919050565b6001600160a01b0381168114611732575f5ffd5b5f5f60408385031215611e49575f5ffd5b8235611e5481611e24565b946020939093013593505050565b5f5f5f60608486031215611e74575f5ffd5b8335611e7f81611e24565b92506020840135611e8f81611e24565b929592945050506040919091013590565b5f60208284031215611eb0575f5ffd5b813561174981611e24565b5f5f83601f840112611ecb575f5ffd5b50813567ffffffffffffffff811115611ee2575f5ffd5b6020830191508360208260051b8501011115611efc575f5ffd5b9250929050565b5f5f5f5f60408587031215611f16575f5ffd5b843567ffffffffffffffff811115611f2c575f5ffd5b611f3887828801611ebb565b909550935050602085013567ffffffffffffffff811115611f57575f5ffd5b611f6387828801611ebb565b95989497509550505050565b5f5f60408385031215611f80575f5ffd5b8235611f8b81611e24565b91506020830135611f9b81611e24565b809150509250929050565b5f5f5f5f60808587031215611fb9575f5ffd5b8435611fc481611e24565b93506020850135611fd481611e24565b92506040850135611fe481611e24565b91506060850135611ff481611e24565b939692955090935050565b600181811c9082168061201357607f821691505b60208210810361203157634e487b7160e01b5f52602260045260245ffd5b50919050565b634e487b7160e01b5f52601160045260245ffd5b8082018082111561055957610559612037565b634e487b7160e01b5f52603260045260245ffd5b8015158114611732575f5ffd5b5f6020828403121561208f575f5ffd5b813561174981612072565b8181038181111561055957610559612037565b808202811582820484141761055957610559612037565b5f826120de57634e487b7160e01b5f52601260045260245ffd5b500490565b5f602082840312156120f3575f5ffd5b815161174981612072565b5f6020828403121561210e575f5ffd5b5051919050565b5f60208284031215612125575f5ffd5b815161174981611e24565b634e487b7160e01b5f52603160045260245ffd5b634e487b7160e01b5f52604160045260245ffd5b601f82111561155857805f5260205f20601f840160051c8101602085101561217d5750805b601f840160051c820191505b818110156110ae575f8155600101612189565b815167ffffffffffffffff8111156121b6576121b6612144565b6121ca816121c48454611fff565b84612158565b6020601f8211600181146121fc575f83156121e55750848201515b5f19600385901b1c1916600184901b1784556110ae565b5f84815260208120601f198516915b8281101561222b578785015182556020948501946001909201910161220b565b508482101561224857868401515f19600387901b60f8161c191681555b50505050600190811b0190555056fe52c63247e1f47db19d5ce0460030c497f067ca4cebf71ba98eeadabe20bace008070df933051cfd06b1bc8a1cc21337087bed1e1452be7055e564e22eadb9e098070df933051cfd06b1bc8a1cc21337087bed1e1452be7055e564e22eadb9e00a2646970667358221220621222525e6f383b453bff8f82fe755be2eb7af86e0c43bf97d307fb110bc7fb64736f6c634300081c0033
Loading...
Loading
Loading...
Loading
Multichain Portfolio | 34 Chains
Chain | Token | Portfolio % | Price | Amount | Value |
---|
Loading...
Loading
Loading...
Loading
A contract address hosts a smart contract, which is a set of code stored on the blockchain that runs when predetermined conditions are met. Learn more about addresses in our Knowledge Base.