Overview
ETH Balance
0 ETH
Eth Value
$0.00More Info
Private Name Tags
ContractCreator
View more zero value Internal Transactions in Advanced View mode
Advanced mode:
Loading...
Loading
Contract Name:
APYPoolToken
Compiler Version
v0.6.11+commit.5ef660b1
Optimization Enabled:
Yes with 999999 runs
Other Settings:
default evmVersion
Contract Source Code (Solidity Standard Json-Input format)
// SPDX-License-Identifier: UNLICENSED pragma solidity 0.6.11; pragma experimental ABIEncoderV2; import "@openzeppelin/contracts-ethereum-package/contracts/access/Ownable.sol"; import "@openzeppelin/contracts-ethereum-package/contracts/utils/ReentrancyGuard.sol"; import "@openzeppelin/contracts-ethereum-package/contracts/utils/Pausable.sol"; import "@openzeppelin/contracts-ethereum-package/contracts/Initializable.sol"; import "@openzeppelin/contracts-ethereum-package/contracts/token/ERC20/IERC20.sol"; import "@openzeppelin/contracts-ethereum-package/contracts/token/ERC20/SafeERC20.sol"; import "@openzeppelin/contracts-ethereum-package/contracts/token/ERC20/ERC20.sol"; import "@openzeppelin/contracts-ethereum-package/contracts/math/SafeMath.sol"; import "@chainlink/contracts/src/v0.6/interfaces/AggregatorV3Interface.sol"; import "./interfaces/ILiquidityPool.sol"; contract APYPoolToken is ILiquidityPool, Initializable, OwnableUpgradeSafe, ReentrancyGuardUpgradeSafe, PausableUpgradeSafe, ERC20UpgradeSafe { using SafeMath for uint256; using SafeERC20 for IERC20; uint256 public constant DEFAULT_APT_TO_UNDERLYER_FACTOR = 1000; /* ------------------------------- */ /* impl-specific storage variables */ /* ------------------------------- */ address public proxyAdmin; bool public addLiquidityLock; bool public redeemLock; IERC20 public underlyer; AggregatorV3Interface public priceAgg; /* ------------------------------- */ function initialize( address adminAddress, IERC20 _underlyer, AggregatorV3Interface _priceAgg ) external initializer { require(adminAddress != address(0), "INVALID_ADMIN"); require(address(_underlyer) != address(0), "INVALID_TOKEN"); require(address(_priceAgg) != address(0), "INVALID_AGG"); // initialize ancestor storage __Context_init_unchained(); __Ownable_init_unchained(); __ReentrancyGuard_init_unchained(); __Pausable_init_unchained(); __ERC20_init_unchained("APY Pool Token", "APT"); // initialize impl-specific storage setAdminAddress(adminAddress); addLiquidityLock = false; redeemLock = false; underlyer = _underlyer; setPriceAggregator(_priceAgg); } // solhint-disable-next-line no-empty-blocks function initializeUpgrade() external virtual onlyAdmin {} function setAdminAddress(address adminAddress) public onlyOwner { require(adminAddress != address(0), "INVALID_ADMIN"); proxyAdmin = adminAddress; emit AdminChanged(adminAddress); } function setPriceAggregator(AggregatorV3Interface _priceAgg) public onlyOwner { require(address(_priceAgg) != address(0), "INVALID_AGG"); priceAgg = _priceAgg; emit PriceAggregatorChanged(address(_priceAgg)); } modifier onlyAdmin() { require(msg.sender == proxyAdmin, "ADMIN_ONLY"); _; } function lock() external onlyOwner { _pause(); } function unlock() external onlyOwner { _unpause(); } receive() external payable { revert("DONT_SEND_ETHER"); } /** * @notice Mint corresponding amount of APT tokens for sent token amount. * @dev If no APT tokens have been minted yet, fallback to a fixed ratio. */ function addLiquidity(uint256 tokenAmt) external override nonReentrant whenNotPaused { require(!addLiquidityLock, "LOCKED"); require(tokenAmt > 0, "AMOUNT_INSUFFICIENT"); require( underlyer.allowance(msg.sender, address(this)) >= tokenAmt, "ALLOWANCE_INSUFFICIENT" ); // NOTE: calculateMintAmount() is not used to save gas uint256 depositEthValue = getEthValueFromTokenAmount(tokenAmt); uint256 poolTotalEthValue = getPoolTotalEthValue(); uint256 mintAmount = _calculateMintAmount( depositEthValue, poolTotalEthValue ); _mint(msg.sender, mintAmount); underlyer.safeTransferFrom(msg.sender, address(this), tokenAmt); emit DepositedAPT( msg.sender, underlyer, tokenAmt, mintAmount, depositEthValue, getPoolTotalEthValue() ); } function getPoolTotalEthValue() public view returns (uint256) { return getEthValueFromTokenAmount(underlyer.balanceOf(address(this))); } function getAPTEthValue(uint256 amount) public view returns (uint256) { require(totalSupply() > 0, "INSUFFICIENT_TOTAL_SUPPLY"); return (amount.mul(getPoolTotalEthValue())).div(totalSupply()); } function getEthValueFromTokenAmount(uint256 amount) public view returns (uint256) { if (amount == 0) { return 0; } uint256 decimals = ERC20UpgradeSafe(address(underlyer)).decimals(); // ethValue = (tokenEthPrice * amount) / decimals return ((getTokenEthPrice()).mul(amount)).div(10**decimals); } function getTokenAmountFromEthValue(uint256 ethValue) public view returns (uint256) { uint256 tokenEthPrice = getTokenEthPrice(); uint256 decimals = ERC20UpgradeSafe(address(underlyer)).decimals(); // amount = (ethValue * decimals) / tokenEthPrice return ((10**decimals).mul(ethValue)).div(tokenEthPrice); //tokenAmount } function getTokenEthPrice() public view returns (uint256) { (, int256 price, , , ) = priceAgg.latestRoundData(); require(price > 0, "UNABLE_TO_RETRIEVE_ETH_PRICE"); return uint256(price); } function lockAddLiquidity() external onlyOwner { addLiquidityLock = true; emit AddLiquidityLocked(); } function unlockAddLiquidity() external onlyOwner { addLiquidityLock = false; emit AddLiquidityUnlocked(); } /** * @notice Redeems APT amount for its underlying token amount. * @param aptAmount The amount of APT tokens to redeem */ function redeem(uint256 aptAmount) external override nonReentrant whenNotPaused { require(!redeemLock, "LOCKED"); require(aptAmount > 0, "AMOUNT_INSUFFICIENT"); require(aptAmount <= balanceOf(msg.sender), "BALANCE_INSUFFICIENT"); uint256 redeemTokenAmt = getUnderlyerAmount(aptAmount); _burn(msg.sender, aptAmount); underlyer.safeTransfer(msg.sender, redeemTokenAmt); emit RedeemedAPT( msg.sender, underlyer, redeemTokenAmt, aptAmount, getEthValueFromTokenAmount(redeemTokenAmt), getPoolTotalEthValue() ); } function lockRedeem() external onlyOwner { redeemLock = true; emit RedeemLocked(); } function unlockRedeem() external onlyOwner { redeemLock = false; emit RedeemUnlocked(); } function calculateMintAmount(uint256 tokenAmt) public view returns (uint256) { uint256 depositEthValue = getEthValueFromTokenAmount(tokenAmt); uint256 poolTotalEthValue = getPoolTotalEthValue(); return _calculateMintAmount(depositEthValue, poolTotalEthValue); // amount of APT } /** * @notice amount of APT minted should be in same ratio to APT supply * as token amount sent is to contract's token balance, i.e.: * * mint amount / total supply (before deposit) * = token amount sent / contract token balance (before deposit) */ function _calculateMintAmount( uint256 depositEthAmount, uint256 totalEthAmount ) internal view returns (uint256) { // NOTE: When totalSupply > 0 && totalEthAmount == 0 // others can lay claim to other users deposits uint256 totalSupply = totalSupply(); if (totalEthAmount == 0 || totalSupply == 0) { return depositEthAmount.mul(DEFAULT_APT_TO_UNDERLYER_FACTOR); } return (depositEthAmount.mul(totalSupply)).div(totalEthAmount); } /** * @notice Get the underlying amount represented by APT amount. * @param aptAmount The amount of APT tokens * @return uint256 The underlying value of the APT tokens */ function getUnderlyerAmount(uint256 aptAmount) public view returns (uint256) { return getTokenAmountFromEthValue(getAPTEthValue(aptAmount)); } } /** * @dev Proxy contract to test internal variables and functions * Should not be used other than in test files! */ contract APYPoolTokenTEST is APYPoolToken { function mint(address account, uint256 amount) public { _mint(account, amount); } function burn(address account, uint256 amount) public { _burn(account, amount); } }
pragma solidity ^0.6.0; import "../GSN/Context.sol"; import "../Initializable.sol"; /** * @dev Contract module which provides a basic access control mechanism, where * there is an account (an owner) that can be granted exclusive access to * specific functions. * * By default, the owner account will be the one that deploys the contract. This * can later be changed with {transferOwnership}. * * This module is used through inheritance. It will make available the modifier * `onlyOwner`, which can be applied to your functions to restrict their use to * the owner. */ contract OwnableUpgradeSafe is Initializable, ContextUpgradeSafe { address private _owner; event OwnershipTransferred(address indexed previousOwner, address indexed newOwner); /** * @dev Initializes the contract setting the deployer as the initial owner. */ function __Ownable_init() internal initializer { __Context_init_unchained(); __Ownable_init_unchained(); } function __Ownable_init_unchained() internal initializer { address msgSender = _msgSender(); _owner = msgSender; emit OwnershipTransferred(address(0), msgSender); } /** * @dev Returns the address of the current owner. */ function owner() public view returns (address) { return _owner; } /** * @dev Throws if called by any account other than the owner. */ modifier onlyOwner() { require(_owner == _msgSender(), "Ownable: caller is not the owner"); _; } /** * @dev Leaves the contract without owner. It will not be possible to call * `onlyOwner` functions anymore. Can only be called by the current owner. * * NOTE: Renouncing ownership will leave the contract without an owner, * thereby removing any functionality that is only available to the owner. */ function renounceOwnership() public virtual onlyOwner { emit OwnershipTransferred(_owner, address(0)); _owner = address(0); } /** * @dev Transfers ownership of the contract to a new account (`newOwner`). * Can only be called by the current owner. */ function transferOwnership(address newOwner) public virtual onlyOwner { require(newOwner != address(0), "Ownable: new owner is the zero address"); emit OwnershipTransferred(_owner, newOwner); _owner = newOwner; } uint256[49] private __gap; }
pragma solidity ^0.6.0; import "../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 GSN 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. */ contract ContextUpgradeSafe is Initializable { // Empty internal constructor, to prevent people from mistakenly deploying // an instance of this contract, which should be used via inheritance. function __Context_init() internal initializer { __Context_init_unchained(); } function __Context_init_unchained() internal initializer { } function _msgSender() internal view virtual returns (address payable) { return msg.sender; } function _msgData() internal view virtual returns (bytes memory) { this; // silence state mutability warning without generating bytecode - see https://github.com/ethereum/solidity/issues/2691 return msg.data; } uint256[50] private __gap; }
pragma solidity >=0.4.24 <0.7.0; /** * @title Initializable * * @dev Helper contract to support initializer functions. To use it, replace * the constructor with a function that has the `initializer` modifier. * WARNING: Unlike constructors, initializer functions must be manually * invoked. This applies both to deploying an Initializable contract, as well * as extending an Initializable contract via inheritance. * WARNING: When used with inheritance, manual care must be taken to not invoke * a parent initializer twice, or ensure that all initializers are idempotent, * because this is not dealt with automatically as with constructors. */ contract Initializable { /** * @dev Indicates that the contract has been initialized. */ bool private initialized; /** * @dev Indicates that the contract is in the process of being initialized. */ bool private initializing; /** * @dev Modifier to use in the initializer function of a contract. */ modifier initializer() { require(initializing || isConstructor() || !initialized, "Contract instance has already been initialized"); bool isTopLevelCall = !initializing; if (isTopLevelCall) { initializing = true; initialized = true; } _; if (isTopLevelCall) { initializing = false; } } /// @dev Returns true if and only if the function is running in the constructor function isConstructor() private view returns (bool) { // extcodesize checks the size of the code stored in an address, and // address returns the current address. Since the code is still not // deployed when running a constructor, any checks on its code size will // yield zero, making it an effective way to detect if a contract is // under construction or not. address self = address(this); uint256 cs; assembly { cs := extcodesize(self) } return cs == 0; } // Reserved storage space to allow for layout changes in the future. uint256[50] private ______gap; }
pragma solidity ^0.6.0; import "../Initializable.sol"; /** * @dev Contract module that helps prevent reentrant calls to a function. * * Inheriting from `ReentrancyGuard` will make the {nonReentrant} modifier * available, which can be applied to functions to make sure there are no nested * (reentrant) calls to them. * * Note that because there is a single `nonReentrant` guard, functions marked as * `nonReentrant` may not call one another. This can be worked around by making * those functions `private`, and then adding `external` `nonReentrant` entry * points to them. * * TIP: If you would like to learn more about reentrancy and alternative ways * to protect against it, check out our blog post * https://blog.openzeppelin.com/reentrancy-after-istanbul/[Reentrancy After Istanbul]. */ contract ReentrancyGuardUpgradeSafe is Initializable { bool private _notEntered; function __ReentrancyGuard_init() internal initializer { __ReentrancyGuard_init_unchained(); } function __ReentrancyGuard_init_unchained() internal initializer { // Storing an initial non-zero value makes deployment a bit more // expensive, but in exchange the refund on every call to nonReentrant // will be lower in amount. Since refunds are capped to a percetange of // the total transaction's gas, it is best to keep them low in cases // like this one, to increase the likelihood of the full refund coming // into effect. _notEntered = true; } /** * @dev Prevents a contract from calling itself, directly or indirectly. * Calling a `nonReentrant` function from another `nonReentrant` * function is not supported. It is possible to prevent this from happening * by making the `nonReentrant` function external, and make it call a * `private` function that does the actual work. */ modifier nonReentrant() { // On the first call to nonReentrant, _notEntered will be true require(_notEntered, "ReentrancyGuard: reentrant call"); // Any calls to nonReentrant after this point will fail _notEntered = false; _; // By storing the original value once again, a refund is triggered (see // https://eips.ethereum.org/EIPS/eip-2200) _notEntered = true; } uint256[49] private __gap; }
pragma solidity ^0.6.0; import "../GSN/Context.sol"; import "../Initializable.sol"; /** * @dev Contract module which allows children to implement an emergency stop * mechanism that can be triggered by an authorized account. * * This module is used through inheritance. It will make available the * modifiers `whenNotPaused` and `whenPaused`, which can be applied to * the functions of your contract. Note that they will not be pausable by * simply including this module, only once the modifiers are put in place. */ contract PausableUpgradeSafe is Initializable, ContextUpgradeSafe { /** * @dev Emitted when the pause is triggered by `account`. */ event Paused(address account); /** * @dev Emitted when the pause is lifted by `account`. */ event Unpaused(address account); bool private _paused; /** * @dev Initializes the contract in unpaused state. */ function __Pausable_init() internal initializer { __Context_init_unchained(); __Pausable_init_unchained(); } function __Pausable_init_unchained() internal initializer { _paused = false; } /** * @dev Returns true if the contract is paused, and false otherwise. */ function paused() public view returns (bool) { return _paused; } /** * @dev Modifier to make a function callable only when the contract is not paused. */ modifier whenNotPaused() { require(!_paused, "Pausable: paused"); _; } /** * @dev Modifier to make a function callable only when the contract is paused. */ modifier whenPaused() { require(_paused, "Pausable: not paused"); _; } /** * @dev Triggers stopped state. */ function _pause() internal virtual whenNotPaused { _paused = true; emit Paused(_msgSender()); } /** * @dev Returns to normal state. */ function _unpause() internal virtual whenPaused { _paused = false; emit Unpaused(_msgSender()); } uint256[49] private __gap; }
pragma solidity ^0.6.0; /** * @dev Interface of the ERC20 standard as defined in the EIP. */ interface IERC20 { /** * @dev Returns the amount of tokens in existence. */ function totalSupply() external view returns (uint256); /** * @dev Returns the amount of tokens owned by `account`. */ function balanceOf(address account) external view returns (uint256); /** * @dev Moves `amount` tokens from the caller's account to `recipient`. * * Returns a boolean value indicating whether the operation succeeded. * * Emits a {Transfer} event. */ function transfer(address recipient, uint256 amount) external returns (bool); /** * @dev Returns the remaining number of tokens that `spender` will be * allowed to spend on behalf of `owner` through {transferFrom}. This is * zero by default. * * This value changes when {approve} or {transferFrom} are called. */ function allowance(address owner, address spender) external view returns (uint256); /** * @dev Sets `amount` as the allowance of `spender` over the caller's tokens. * * Returns a boolean value indicating whether the operation succeeded. * * IMPORTANT: Beware that changing an allowance with this method brings the risk * that someone may use both the old and the new allowance by unfortunate * transaction ordering. One possible solution to mitigate this race * condition is to first reduce the spender's allowance to 0 and set the * desired value afterwards: * https://github.com/ethereum/EIPs/issues/20#issuecomment-263524729 * * Emits an {Approval} event. */ function approve(address spender, uint256 amount) external returns (bool); /** * @dev Moves `amount` tokens from `sender` to `recipient` using the * allowance mechanism. `amount` is then deducted from the caller's * allowance. * * Returns a boolean value indicating whether the operation succeeded. * * Emits a {Transfer} event. */ function transferFrom(address sender, address recipient, uint256 amount) external returns (bool); /** * @dev Emitted when `value` tokens are moved from one account (`from`) to * another (`to`). * * Note that `value` may be zero. */ event Transfer(address indexed from, address indexed to, uint256 value); /** * @dev Emitted when the allowance of a `spender` for an `owner` is set by * a call to {approve}. `value` is the new allowance. */ event Approval(address indexed owner, address indexed spender, uint256 value); }
pragma solidity ^0.6.0; import "./IERC20.sol"; import "../../math/SafeMath.sol"; import "../../utils/Address.sol"; /** * @title SafeERC20 * @dev Wrappers around ERC20 operations that throw on failure (when the token * contract returns false). Tokens that return no value (and instead revert or * throw on failure) are also supported, non-reverting calls are assumed to be * successful. * To use this library you can add a `using SafeERC20 for ERC20;` statement to your contract, * which allows you to call the safe operations as `token.safeTransfer(...)`, etc. */ library SafeERC20 { using SafeMath for uint256; using Address for address; function safeTransfer(IERC20 token, address to, uint256 value) internal { _callOptionalReturn(token, abi.encodeWithSelector(token.transfer.selector, to, value)); } function safeTransferFrom(IERC20 token, address from, address to, uint256 value) internal { _callOptionalReturn(token, abi.encodeWithSelector(token.transferFrom.selector, from, to, value)); } function safeApprove(IERC20 token, address spender, uint256 value) internal { // safeApprove should only be called when setting an initial allowance, // or when resetting it to zero. To increase and decrease it, use // 'safeIncreaseAllowance' and 'safeDecreaseAllowance' // solhint-disable-next-line max-line-length require((value == 0) || (token.allowance(address(this), spender) == 0), "SafeERC20: approve from non-zero to non-zero allowance" ); _callOptionalReturn(token, abi.encodeWithSelector(token.approve.selector, spender, value)); } function safeIncreaseAllowance(IERC20 token, address spender, uint256 value) internal { uint256 newAllowance = token.allowance(address(this), spender).add(value); _callOptionalReturn(token, abi.encodeWithSelector(token.approve.selector, spender, newAllowance)); } function safeDecreaseAllowance(IERC20 token, address spender, uint256 value) internal { uint256 newAllowance = token.allowance(address(this), spender).sub(value, "SafeERC20: decreased allowance below zero"); _callOptionalReturn(token, abi.encodeWithSelector(token.approve.selector, spender, newAllowance)); } /** * @dev Imitates a Solidity high-level call (i.e. a regular function call to a contract), relaxing the requirement * on the return value: the return value is optional (but if data is returned, it must not be false). * @param token The token targeted by the call. * @param data The call data (encoded using abi.encode or one of its variants). */ function _callOptionalReturn(IERC20 token, bytes memory data) private { // We need to perform a low level call here, to bypass Solidity's return data size checking mechanism, since // we're implementing it ourselves. // A Solidity high level call has three parts: // 1. The target address is checked to verify it contains contract code // 2. The call itself is made, and success asserted // 3. The return value is decoded, which in turn checks the size of the returned data. // solhint-disable-next-line max-line-length require(address(token).isContract(), "SafeERC20: call to non-contract"); // solhint-disable-next-line avoid-low-level-calls (bool success, bytes memory returndata) = address(token).call(data); require(success, "SafeERC20: low-level call failed"); if (returndata.length > 0) { // Return data is optional // solhint-disable-next-line max-line-length require(abi.decode(returndata, (bool)), "SafeERC20: ERC20 operation did not succeed"); } } }
pragma solidity ^0.6.0; /** * @dev Wrappers over Solidity's arithmetic operations with added overflow * checks. * * Arithmetic operations in Solidity wrap on overflow. This can easily result * in bugs, because programmers usually assume that an overflow raises an * error, which is the standard behavior in high level programming languages. * `SafeMath` restores this intuition by reverting the transaction when an * operation overflows. * * Using this library instead of the unchecked operations eliminates an entire * class of bugs, so it's recommended to use it always. */ library SafeMath { /** * @dev Returns the addition of two unsigned integers, reverting on * overflow. * * Counterpart to Solidity's `+` operator. * * Requirements: * - Addition cannot overflow. */ function add(uint256 a, uint256 b) internal pure returns (uint256) { uint256 c = a + b; require(c >= a, "SafeMath: addition overflow"); return c; } /** * @dev Returns the subtraction of two unsigned integers, reverting on * overflow (when the result is negative). * * Counterpart to Solidity's `-` operator. * * Requirements: * - Subtraction cannot overflow. */ function sub(uint256 a, uint256 b) internal pure returns (uint256) { return sub(a, b, "SafeMath: subtraction overflow"); } /** * @dev Returns the subtraction of two unsigned integers, reverting with custom message on * overflow (when the result is negative). * * Counterpart to Solidity's `-` operator. * * Requirements: * - Subtraction cannot overflow. */ function sub(uint256 a, uint256 b, string memory errorMessage) internal pure returns (uint256) { require(b <= a, errorMessage); uint256 c = a - b; return c; } /** * @dev Returns the multiplication of two unsigned integers, reverting on * overflow. * * Counterpart to Solidity's `*` operator. * * Requirements: * - Multiplication cannot overflow. */ function mul(uint256 a, uint256 b) internal pure returns (uint256) { // Gas optimization: this is cheaper than requiring 'a' not being zero, but the // benefit is lost if 'b' is also tested. // See: https://github.com/OpenZeppelin/openzeppelin-contracts/pull/522 if (a == 0) { return 0; } uint256 c = a * b; require(c / a == b, "SafeMath: multiplication overflow"); return c; } /** * @dev Returns the integer division of two unsigned integers. Reverts on * division by zero. The result is rounded towards zero. * * Counterpart to Solidity's `/` operator. Note: this function uses a * `revert` opcode (which leaves remaining gas untouched) while Solidity * uses an invalid opcode to revert (consuming all remaining gas). * * Requirements: * - The divisor cannot be zero. */ function div(uint256 a, uint256 b) internal pure returns (uint256) { return div(a, b, "SafeMath: division by zero"); } /** * @dev Returns the integer division of two unsigned integers. Reverts with custom message on * division by zero. The result is rounded towards zero. * * Counterpart to Solidity's `/` operator. Note: this function uses a * `revert` opcode (which leaves remaining gas untouched) while Solidity * uses an invalid opcode to revert (consuming all remaining gas). * * Requirements: * - The divisor cannot be zero. */ function div(uint256 a, uint256 b, string memory errorMessage) internal pure returns (uint256) { // Solidity only automatically asserts when dividing by 0 require(b > 0, errorMessage); uint256 c = a / b; // assert(a == b * c + a % b); // There is no case in which this doesn't hold return c; } /** * @dev Returns the remainder of dividing two unsigned integers. (unsigned integer modulo), * Reverts when dividing by zero. * * Counterpart to Solidity's `%` operator. This function uses a `revert` * opcode (which leaves remaining gas untouched) while Solidity uses an * invalid opcode to revert (consuming all remaining gas). * * Requirements: * - The divisor cannot be zero. */ function mod(uint256 a, uint256 b) internal pure returns (uint256) { return mod(a, b, "SafeMath: modulo by zero"); } /** * @dev Returns the remainder of dividing two unsigned integers. (unsigned integer modulo), * Reverts with custom message when dividing by zero. * * Counterpart to Solidity's `%` operator. This function uses a `revert` * opcode (which leaves remaining gas untouched) while Solidity uses an * invalid opcode to revert (consuming all remaining gas). * * Requirements: * - The divisor cannot be zero. */ function mod(uint256 a, uint256 b, string memory errorMessage) internal pure returns (uint256) { require(b != 0, errorMessage); return a % b; } }
pragma solidity ^0.6.2; /** * @dev Collection of functions related to the address type */ library Address { /** * @dev Returns true if `account` is a contract. * * [IMPORTANT] * ==== * It is unsafe to assume that an address for which this function returns * false is an externally-owned account (EOA) and not a contract. * * Among others, `isContract` will return false for the following * types of addresses: * * - an externally-owned account * - a contract in construction * - an address where a contract will be created * - an address where a contract lived, but was destroyed * ==== */ function isContract(address account) internal view returns (bool) { // According to EIP-1052, 0x0 is the value returned for not-yet created accounts // and 0xc5d2460186f7233c927e7db2dcc703c0e500b653ca82273b7bfad8045d85a470 is returned // for accounts without code, i.e. `keccak256('')` bytes32 codehash; bytes32 accountHash = 0xc5d2460186f7233c927e7db2dcc703c0e500b653ca82273b7bfad8045d85a470; // solhint-disable-next-line no-inline-assembly assembly { codehash := extcodehash(account) } return (codehash != accountHash && codehash != 0x0); } /** * @dev Replacement for Solidity's `transfer`: sends `amount` wei to * `recipient`, forwarding all available gas and reverting on errors. * * https://eips.ethereum.org/EIPS/eip-1884[EIP1884] increases the gas cost * of certain opcodes, possibly making contracts go over the 2300 gas limit * imposed by `transfer`, making them unable to receive funds via * `transfer`. {sendValue} removes this limitation. * * https://diligence.consensys.net/posts/2019/09/stop-using-soliditys-transfer-now/[Learn more]. * * IMPORTANT: because control is transferred to `recipient`, care must be * taken to not create reentrancy vulnerabilities. Consider using * {ReentrancyGuard} or the * https://solidity.readthedocs.io/en/v0.5.11/security-considerations.html#use-the-checks-effects-interactions-pattern[checks-effects-interactions pattern]. */ function sendValue(address payable recipient, uint256 amount) internal { require(address(this).balance >= amount, "Address: insufficient balance"); // solhint-disable-next-line avoid-low-level-calls, avoid-call-value (bool success, ) = recipient.call{ value: amount }(""); require(success, "Address: unable to send value, recipient may have reverted"); } }
pragma solidity ^0.6.0; import "../../GSN/Context.sol"; import "./IERC20.sol"; import "../../math/SafeMath.sol"; import "../../utils/Address.sol"; import "../../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}. * For a generic mechanism see {ERC20MinterPauser}. * * TIP: For a detailed writeup see our guide * https://forum.zeppelin.solutions/t/how-to-implement-erc20-supply-mechanisms/226[How * to implement supply mechanisms]. * * We have followed general OpenZeppelin guidelines: functions revert instead * of 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. * * Finally, the non-standard {decreaseAllowance} and {increaseAllowance} * functions have been added to mitigate the well-known issues around setting * allowances. See {IERC20-approve}. */ contract ERC20UpgradeSafe is Initializable, ContextUpgradeSafe, IERC20 { using SafeMath for uint256; using Address for address; mapping (address => uint256) private _balances; mapping (address => mapping (address => uint256)) private _allowances; uint256 private _totalSupply; string private _name; string private _symbol; uint8 private _decimals; /** * @dev Sets the values for {name} and {symbol}, initializes {decimals} with * a default value of 18. * * To select a different value for {decimals}, use {_setupDecimals}. * * All three of these values are immutable: they can only be set once during * construction. */ function __ERC20_init(string memory name, string memory symbol) internal initializer { __Context_init_unchained(); __ERC20_init_unchained(name, symbol); } function __ERC20_init_unchained(string memory name, string memory symbol) internal initializer { _name = name; _symbol = symbol; _decimals = 18; } /** * @dev Returns the name of the token. */ function name() public view returns (string memory) { return _name; } /** * @dev Returns the symbol of the token, usually a shorter version of the * name. */ function symbol() public view returns (string memory) { 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 value {ERC20} uses, unless {_setupDecimals} is * called. * * 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 returns (uint8) { return _decimals; } /** * @dev See {IERC20-totalSupply}. */ function totalSupply() public view override returns (uint256) { return _totalSupply; } /** * @dev See {IERC20-balanceOf}. */ function balanceOf(address account) public view override returns (uint256) { return _balances[account]; } /** * @dev See {IERC20-transfer}. * * Requirements: * * - `recipient` cannot be the zero address. * - the caller must have a balance of at least `amount`. */ function transfer(address recipient, uint256 amount) public virtual override returns (bool) { _transfer(_msgSender(), recipient, amount); return true; } /** * @dev See {IERC20-allowance}. */ function allowance(address owner, address spender) public view virtual override returns (uint256) { return _allowances[owner][spender]; } /** * @dev See {IERC20-approve}. * * Requirements: * * - `spender` cannot be the zero address. */ function approve(address spender, uint256 amount) public virtual override returns (bool) { _approve(_msgSender(), spender, amount); 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}; * * Requirements: * - `sender` and `recipient` cannot be the zero address. * - `sender` must have a balance of at least `amount`. * - the caller must have allowance for ``sender``'s tokens of at least * `amount`. */ function transferFrom(address sender, address recipient, uint256 amount) public virtual override returns (bool) { _transfer(sender, recipient, amount); _approve(sender, _msgSender(), _allowances[sender][_msgSender()].sub(amount, "ERC20: transfer amount exceeds allowance")); return true; } /** * @dev Atomically increases the allowance granted to `spender` by the caller. * * This is an alternative to {approve} that can be used as a mitigation for * problems described in {IERC20-approve}. * * Emits an {Approval} event indicating the updated allowance. * * Requirements: * * - `spender` cannot be the zero address. */ function increaseAllowance(address spender, uint256 addedValue) public virtual returns (bool) { _approve(_msgSender(), spender, _allowances[_msgSender()][spender].add(addedValue)); return true; } /** * @dev Atomically decreases the allowance granted to `spender` by the caller. * * This is an alternative to {approve} that can be used as a mitigation for * problems described in {IERC20-approve}. * * Emits an {Approval} event indicating the updated allowance. * * Requirements: * * - `spender` cannot be the zero address. * - `spender` must have allowance for the caller of at least * `subtractedValue`. */ function decreaseAllowance(address spender, uint256 subtractedValue) public virtual returns (bool) { _approve(_msgSender(), spender, _allowances[_msgSender()][spender].sub(subtractedValue, "ERC20: decreased allowance below zero")); return true; } /** * @dev Moves tokens `amount` from `sender` to `recipient`. * * This is internal function is equivalent to {transfer}, and can be used to * e.g. implement automatic token fees, slashing mechanisms, etc. * * Emits a {Transfer} event. * * Requirements: * * - `sender` cannot be the zero address. * - `recipient` cannot be the zero address. * - `sender` must have a balance of at least `amount`. */ function _transfer(address sender, address recipient, uint256 amount) internal virtual { require(sender != address(0), "ERC20: transfer from the zero address"); require(recipient != address(0), "ERC20: transfer to the zero address"); _beforeTokenTransfer(sender, recipient, amount); _balances[sender] = _balances[sender].sub(amount, "ERC20: transfer amount exceeds balance"); _balances[recipient] = _balances[recipient].add(amount); emit Transfer(sender, recipient, amount); } /** @dev Creates `amount` tokens and assigns them to `account`, increasing * the total supply. * * Emits a {Transfer} event with `from` set to the zero address. * * Requirements * * - `to` cannot be the zero address. */ function _mint(address account, uint256 amount) internal virtual { require(account != address(0), "ERC20: mint to the zero address"); _beforeTokenTransfer(address(0), account, amount); _totalSupply = _totalSupply.add(amount); _balances[account] = _balances[account].add(amount); emit Transfer(address(0), account, amount); } /** * @dev Destroys `amount` tokens from `account`, reducing the * total supply. * * Emits a {Transfer} event with `to` set to the zero address. * * Requirements * * - `account` cannot be the zero address. * - `account` must have at least `amount` tokens. */ function _burn(address account, uint256 amount) internal virtual { require(account != address(0), "ERC20: burn from the zero address"); _beforeTokenTransfer(account, address(0), amount); _balances[account] = _balances[account].sub(amount, "ERC20: burn amount exceeds balance"); _totalSupply = _totalSupply.sub(amount); emit Transfer(account, address(0), amount); } /** * @dev Sets `amount` as the allowance of `spender` over the `owner`s tokens. * * This is 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. */ function _approve(address owner, address spender, uint256 amount) internal virtual { require(owner != address(0), "ERC20: approve from the zero address"); require(spender != address(0), "ERC20: approve to the zero address"); _allowances[owner][spender] = amount; emit Approval(owner, spender, amount); } /** * @dev Sets {decimals} to a value other than the default one of 18. * * WARNING: This function should only be called from the constructor. Most * applications that interact with token contracts will not expect * {decimals} to ever change, and may work incorrectly if it does. */ function _setupDecimals(uint8 decimals_) internal { _decimals = decimals_; } /** * @dev Hook that is called before any transfer of tokens. This includes * minting and burning. * * Calling conditions: * * - when `from` and `to` are both non-zero, `amount` of ``from``'s tokens * will be to transferred to `to`. * - when `from` is zero, `amount` tokens will be minted for `to`. * - when `to` is zero, `amount` of ``from``'s tokens will be burned. * - `from` and `to` are never both zero. * * To learn more about hooks, head to xref:ROOT:extending-contracts.adoc#using-hooks[Using Hooks]. */ function _beforeTokenTransfer(address from, address to, uint256 amount) internal virtual { } uint256[44] private __gap; }
pragma solidity >=0.6.0; interface AggregatorV3Interface { function decimals() external view returns (uint8); function description() external view returns (string memory); function version() external view returns (uint256); // getRoundData and latestRoundData should both raise "No data present" // if they do not have data to report, instead of returning unset values // which could be misinterpreted as actual reported values. function getRoundData(uint80 _roundId) external view returns ( uint80 roundId, int256 answer, uint256 startedAt, uint256 updatedAt, uint80 answeredInRound ); function latestRoundData() external view returns ( uint80 roundId, int256 answer, uint256 startedAt, uint256 updatedAt, uint80 answeredInRound ); }
// SPDX-License-Identifier: UNLICENSED pragma solidity 0.6.11; import "@openzeppelin/contracts-ethereum-package/contracts/token/ERC20/IERC20.sol"; interface ILiquidityPool { event DepositedAPT( address indexed sender, IERC20 token, uint256 tokenAmount, uint256 aptMintAmount, uint256 tokenEthValue, uint256 totalEthValueLocked ); event RedeemedAPT( address indexed sender, IERC20 token, uint256 redeemedTokenAmount, uint256 aptRedeemAmount, uint256 tokenEthValue, uint256 totalEthValueLocked ); event AddLiquidityLocked(); event AddLiquidityUnlocked(); event RedeemLocked(); event RedeemUnlocked(); event AdminChanged(address); event PriceAggregatorChanged(address agg); function addLiquidity(uint256 amount) external; function redeem(uint256 tokenAmount) external; }
// SPDX-License-Identifier: UNLICENSED pragma solidity 0.6.11; pragma experimental ABIEncoderV2; import "@openzeppelin/contracts/proxy/TransparentUpgradeableProxy.sol"; contract APYPoolTokenProxy is TransparentUpgradeableProxy { constructor( address _logic, address _proxyAdmin, address _underlyer, address _priceAgg ) public TransparentUpgradeableProxy( _logic, _proxyAdmin, abi.encodeWithSignature( "initialize(address,address,address)", _proxyAdmin, _underlyer, _priceAgg ) ) {} // solhint-disable no-empty-blocks }
// SPDX-License-Identifier: MIT pragma solidity ^0.6.0; import "./UpgradeableProxy.sol"; /** * @dev This contract implements a proxy that is upgradeable by an admin. * * To avoid https://medium.com/nomic-labs-blog/malicious-backdoors-in-ethereum-proxies-62629adf3357[proxy selector * clashing], which can potentially be used in an attack, this contract uses the * https://blog.openzeppelin.com/the-transparent-proxy-pattern/[transparent proxy pattern]. This pattern implies two * things that go hand in hand: * * 1. If any account other than the admin calls the proxy, the call will be forwarded to the implementation, even if * that call matches one of the admin functions exposed by the proxy itself. * 2. If the admin calls the proxy, it can access the admin functions, but its calls will never be forwarded to the * implementation. If the admin tries to call a function on the implementation it will fail with an error that says * "admin cannot fallback to proxy target". * * These properties mean that the admin account can only be used for admin actions like upgrading the proxy or changing * the admin, so it's best if it's a dedicated account that is not used for anything else. This will avoid headaches due * to sudden errors when trying to call a function from the proxy implementation. * * Our recommendation is for the dedicated account to be an instance of the {ProxyAdmin} contract. If set up this way, * you should think of the `ProxyAdmin` instance as the real administrative inerface of your proxy. */ contract TransparentUpgradeableProxy is UpgradeableProxy { /** * @dev Initializes an upgradeable proxy managed by `_admin`, backed by the implementation at `_logic`, and * optionally initialized with `_data` as explained in {UpgradeableProxy-constructor}. */ constructor(address _logic, address _admin, bytes memory _data) public payable UpgradeableProxy(_logic, _data) { assert(_ADMIN_SLOT == bytes32(uint256(keccak256("eip1967.proxy.admin")) - 1)); _setAdmin(_admin); } /** * @dev Emitted when the admin account has changed. */ event AdminChanged(address previousAdmin, address newAdmin); /** * @dev Storage slot with the admin of the contract. * This is the keccak-256 hash of "eip1967.proxy.admin" subtracted by 1, and is * validated in the constructor. */ bytes32 private constant _ADMIN_SLOT = 0xb53127684a568b3173ae13b9f8a6016e243e63b6e8ee1178d6a717850b5d6103; /** * @dev Modifier used internally that will delegate the call to the implementation unless the sender is the admin. */ modifier ifAdmin() { if (msg.sender == _admin()) { _; } else { _fallback(); } } /** * @dev Returns the current admin. * * NOTE: Only the admin can call this function. See {ProxyAdmin-getProxyAdmin}. * * TIP: To get this value clients can read directly from the storage slot shown below (specified by EIP1967) using the * https://eth.wiki/json-rpc/API#eth_getstorageat[`eth_getStorageAt`] RPC call. * `0xb53127684a568b3173ae13b9f8a6016e243e63b6e8ee1178d6a717850b5d6103` */ function admin() external ifAdmin returns (address) { return _admin(); } /** * @dev Returns the current implementation. * * NOTE: Only the admin can call this function. See {ProxyAdmin-getProxyImplementation}. * * TIP: To get this value clients can read directly from the storage slot shown below (specified by EIP1967) using the * https://eth.wiki/json-rpc/API#eth_getstorageat[`eth_getStorageAt`] RPC call. * `0x360894a13ba1a3210667c828492db98dca3e2076cc3735a920a3ca505d382bbc` */ function implementation() external ifAdmin returns (address) { return _implementation(); } /** * @dev Changes the admin of the proxy. * * Emits an {AdminChanged} event. * * NOTE: Only the admin can call this function. See {ProxyAdmin-changeProxyAdmin}. */ function changeAdmin(address newAdmin) external ifAdmin { require(newAdmin != address(0), "TransparentUpgradeableProxy: new admin is the zero address"); emit AdminChanged(_admin(), newAdmin); _setAdmin(newAdmin); } /** * @dev Upgrade the implementation of the proxy. * * NOTE: Only the admin can call this function. See {ProxyAdmin-upgrade}. */ function upgradeTo(address newImplementation) external ifAdmin { _upgradeTo(newImplementation); } /** * @dev Upgrade the implementation of the proxy, and then call a function from the new implementation as specified * by `data`, which should be an encoded function call. This is useful to initialize new storage variables in the * proxied contract. * * NOTE: Only the admin can call this function. See {ProxyAdmin-upgradeAndCall}. */ function upgradeToAndCall(address newImplementation, bytes calldata data) external payable ifAdmin { _upgradeTo(newImplementation); // solhint-disable-next-line avoid-low-level-calls (bool success,) = newImplementation.delegatecall(data); require(success); } /** * @dev Returns the current admin. */ function _admin() internal view returns (address adm) { bytes32 slot = _ADMIN_SLOT; // solhint-disable-next-line no-inline-assembly assembly { adm := sload(slot) } } /** * @dev Stores a new address in the EIP1967 admin slot. */ function _setAdmin(address newAdmin) private { bytes32 slot = _ADMIN_SLOT; // solhint-disable-next-line no-inline-assembly assembly { sstore(slot, newAdmin) } } /** * @dev Makes sure the admin cannot access the fallback function. See {Proxy-_beforeFallback}. */ function _beforeFallback() internal override virtual { require(msg.sender != _admin(), "TransparentUpgradeableProxy: admin cannot fallback to proxy target"); super._beforeFallback(); } }
// SPDX-License-Identifier: MIT pragma solidity ^0.6.0; import "./Proxy.sol"; import "../utils/Address.sol"; /** * @dev This contract implements an upgradeable proxy. It is upgradeable because calls are delegated to an * implementation address that can be changed. This address is stored in storage in the location specified by * https://eips.ethereum.org/EIPS/eip-1967[EIP1967], so that it doesn't conflict with the storage layout of the * implementation behind the proxy. * * Upgradeability is only provided internally through {_upgradeTo}. For an externally upgradeable proxy see * {TransparentUpgradeableProxy}. */ contract UpgradeableProxy is Proxy { /** * @dev Initializes the upgradeable proxy with an initial implementation specified by `_logic`. * * If `_data` is nonempty, it's used as data in a delegate call to `_logic`. This will typically be an encoded * function call, and allows initializating the storage of the proxy like a Solidity constructor. */ constructor(address _logic, bytes memory _data) public payable { assert(_IMPLEMENTATION_SLOT == bytes32(uint256(keccak256("eip1967.proxy.implementation")) - 1)); _setImplementation(_logic); if(_data.length > 0) { // solhint-disable-next-line avoid-low-level-calls (bool success,) = _logic.delegatecall(_data); require(success); } } /** * @dev Emitted when the implementation is upgraded. */ event Upgraded(address indexed implementation); /** * @dev Storage slot with the address of the current implementation. * This is the keccak-256 hash of "eip1967.proxy.implementation" subtracted by 1, and is * validated in the constructor. */ bytes32 private constant _IMPLEMENTATION_SLOT = 0x360894a13ba1a3210667c828492db98dca3e2076cc3735a920a3ca505d382bbc; /** * @dev Returns the current implementation address. */ function _implementation() internal override view returns (address impl) { bytes32 slot = _IMPLEMENTATION_SLOT; // solhint-disable-next-line no-inline-assembly assembly { impl := sload(slot) } } /** * @dev Upgrades the proxy to a new implementation. * * Emits an {Upgraded} event. */ function _upgradeTo(address newImplementation) internal { _setImplementation(newImplementation); emit Upgraded(newImplementation); } /** * @dev Stores a new address in the EIP1967 implementation slot. */ function _setImplementation(address newImplementation) private { require(Address.isContract(newImplementation), "UpgradeableProxy: new implementation is not a contract"); bytes32 slot = _IMPLEMENTATION_SLOT; // solhint-disable-next-line no-inline-assembly assembly { sstore(slot, newImplementation) } } }
// SPDX-License-Identifier: MIT pragma solidity ^0.6.0; /** * @dev This abstract contract provides a fallback function that delegates all calls to another contract using the EVM * instruction `delegatecall`. We refer to the second contract as the _implementation_ behind the proxy, and it has to * be specified by overriding the virtual {_implementation} function. * * Additionally, delegation to the implementation can be triggered manually through the {_fallback} function, or to a * different contract through the {_delegate} function. * * The success and return data of the delegated call will be returned back to the caller of the proxy. */ abstract contract Proxy { /** * @dev Delegates the current call to `implementation`. * * This function does not return to its internall call site, it will return directly to the external caller. */ function _delegate(address implementation) internal { // solhint-disable-next-line no-inline-assembly assembly { // Copy msg.data. We take full control of memory in this inline assembly // block because it will not return to Solidity code. We overwrite the // Solidity scratch pad at memory position 0. calldatacopy(0, 0, calldatasize()) // Call the implementation. // out and outsize are 0 because we don't know the size yet. let result := delegatecall(gas(), implementation, 0, calldatasize(), 0, 0) // Copy the returned data. returndatacopy(0, 0, returndatasize()) switch result // delegatecall returns 0 on error. case 0 { revert(0, returndatasize()) } default { return(0, returndatasize()) } } } /** * @dev This is a virtual function that should be overriden so it returns the address to which the fallback function * and {_fallback} should delegate. */ function _implementation() internal virtual view returns (address); /** * @dev Delegates the current call to the address returned by `_implementation()`. * * This function does not return to its internall call site, it will return directly to the external caller. */ function _fallback() internal { _beforeFallback(); _delegate(_implementation()); } /** * @dev Fallback function that delegates calls to the address returned by `_implementation()`. Will run if no other * function in the contract matches the call data. */ fallback () payable external { _fallback(); } /** * @dev Fallback function that delegates calls to the address returned by `_implementation()`. Will run if call data * is empty. */ receive () payable external { _fallback(); } /** * @dev Hook that is called before falling back to the implementation. Can happen as part of a manual `_fallback` * call, or as part of the Solidity `fallback` or `receive` functions. * * If overriden should call `super._beforeFallback()`. */ function _beforeFallback() internal virtual { } }
// SPDX-License-Identifier: MIT pragma solidity ^0.6.2; /** * @dev Collection of functions related to the address type */ library Address { /** * @dev Returns true if `account` is a contract. * * [IMPORTANT] * ==== * It is unsafe to assume that an address for which this function returns * false is an externally-owned account (EOA) and not a contract. * * Among others, `isContract` will return false for the following * types of addresses: * * - an externally-owned account * - a contract in construction * - an address where a contract will be created * - an address where a contract lived, but was destroyed * ==== */ function isContract(address account) internal view returns (bool) { // This method relies in extcodesize, which returns 0 for contracts in // construction, since the code is only stored at the end of the // constructor execution. uint256 size; // solhint-disable-next-line no-inline-assembly assembly { size := extcodesize(account) } return size > 0; } /** * @dev Replacement for Solidity's `transfer`: sends `amount` wei to * `recipient`, forwarding all available gas and reverting on errors. * * https://eips.ethereum.org/EIPS/eip-1884[EIP1884] increases the gas cost * of certain opcodes, possibly making contracts go over the 2300 gas limit * imposed by `transfer`, making them unable to receive funds via * `transfer`. {sendValue} removes this limitation. * * https://diligence.consensys.net/posts/2019/09/stop-using-soliditys-transfer-now/[Learn more]. * * IMPORTANT: because control is transferred to `recipient`, care must be * taken to not create reentrancy vulnerabilities. Consider using * {ReentrancyGuard} or the * https://solidity.readthedocs.io/en/v0.5.11/security-considerations.html#use-the-checks-effects-interactions-pattern[checks-effects-interactions pattern]. */ function sendValue(address payable recipient, uint256 amount) internal { require(address(this).balance >= amount, "Address: insufficient balance"); // solhint-disable-next-line avoid-low-level-calls, avoid-call-value (bool success, ) = recipient.call{ value: amount }(""); require(success, "Address: unable to send value, recipient may have reverted"); } /** * @dev Performs a Solidity function call using a low level `call`. A * plain`call` is an unsafe replacement for a function call: use this * function instead. * * If `target` reverts with a revert reason, it is bubbled up by this * function (like regular Solidity function calls). * * Returns the raw returned data. To convert to the expected return value, * use https://solidity.readthedocs.io/en/latest/units-and-global-variables.html?highlight=abi.decode#abi-encoding-and-decoding-functions[`abi.decode`]. * * Requirements: * * - `target` must be a contract. * - calling `target` with `data` must not revert. * * _Available since v3.1._ */ function functionCall(address target, bytes memory data) internal returns (bytes memory) { return functionCall(target, data, "Address: low-level call failed"); } /** * @dev Same as {xref-Address-functionCall-address-bytes-}[`functionCall`], but with * `errorMessage` as a fallback revert reason when `target` reverts. * * _Available since v3.1._ */ function functionCall(address target, bytes memory data, string memory errorMessage) internal returns (bytes memory) { return _functionCallWithValue(target, data, 0, errorMessage); } /** * @dev Same as {xref-Address-functionCall-address-bytes-}[`functionCall`], * but also transferring `value` wei to `target`. * * Requirements: * * - the calling contract must have an ETH balance of at least `value`. * - the called Solidity function must be `payable`. * * _Available since v3.1._ */ function functionCallWithValue(address target, bytes memory data, uint256 value) internal returns (bytes memory) { return functionCallWithValue(target, data, value, "Address: low-level call with value failed"); } /** * @dev Same as {xref-Address-functionCallWithValue-address-bytes-uint256-}[`functionCallWithValue`], but * with `errorMessage` as a fallback revert reason when `target` reverts. * * _Available since v3.1._ */ function functionCallWithValue(address target, bytes memory data, uint256 value, string memory errorMessage) internal returns (bytes memory) { require(address(this).balance >= value, "Address: insufficient balance for call"); return _functionCallWithValue(target, data, value, errorMessage); } function _functionCallWithValue(address target, bytes memory data, uint256 weiValue, string memory errorMessage) private returns (bytes memory) { require(isContract(target), "Address: call to non-contract"); // solhint-disable-next-line avoid-low-level-calls (bool success, bytes memory returndata) = target.call{ value: weiValue }(data); if (success) { return returndata; } else { // Look for revert reason and bubble it up if present if (returndata.length > 0) { // The easiest way to bubble the revert reason is using memory via assembly // solhint-disable-next-line no-inline-assembly assembly { let returndata_size := mload(returndata) revert(add(32, returndata), returndata_size) } } else { revert(errorMessage); } } } }
// SPDX-License-Identifier: UNLICENSED pragma solidity 0.6.11; pragma experimental ABIEncoderV2; import "./APYPoolToken.sol"; contract APYPoolTokenUpgraded is APYPoolToken { bool public newlyAddedVariable; function initializeUpgrade() public override onlyAdmin { newlyAddedVariable = true; } }
// SPDX-License-Identifier: UNLICENSED pragma solidity 0.6.11; // We import the contract so truffle compiles it, and we have the ABI // available when working from truffle console. import "@gnosis.pm/mock-contract/contracts/MockContract.sol"; import "@openzeppelin/contracts/proxy/ProxyAdmin.sol"; import "@openzeppelin/contracts/token/ERC20/IERC20.sol"; import "@openzeppelin/contracts/token/ERC20/ERC20.sol"; //helpers import "./interfaces/IMintableERC20.sol";
pragma solidity ^0.6.0; interface MockInterface { /** * @dev After calling this method, the mock will return `response` when it is called * with any calldata that is not mocked more specifically below * (e.g. using givenMethodReturn). * @param response ABI encoded response that will be returned if method is invoked */ function givenAnyReturn(bytes calldata response) external; function givenAnyReturnBool(bool response) external; function givenAnyReturnUint(uint response) external; function givenAnyReturnAddress(address response) external; function givenAnyRevert() external; function givenAnyRevertWithMessage(string calldata message) external; function givenAnyRunOutOfGas() external; /** * @dev After calling this method, the mock will return `response` when the given * methodId is called regardless of arguments. If the methodId and arguments * are mocked more specifically (using `givenMethodAndArguments`) the latter * will take precedence. * @param method ABI encoded methodId. It is valid to pass full calldata (including arguments). The mock will extract the methodId from it * @param response ABI encoded response that will be returned if method is invoked */ function givenMethodReturn(bytes calldata method, bytes calldata response) external; function givenMethodReturnBool(bytes calldata method, bool response) external; function givenMethodReturnUint(bytes calldata method, uint response) external; function givenMethodReturnAddress(bytes calldata method, address response) external; function givenMethodRevert(bytes calldata method) external; function givenMethodRevertWithMessage(bytes calldata method, string calldata message) external; function givenMethodRunOutOfGas(bytes calldata method) external; /** * @dev After calling this method, the mock will return `response` when the given * methodId is called with matching arguments. These exact calldataMocks will take * precedence over all other calldataMocks. * @param call ABI encoded calldata (methodId and arguments) * @param response ABI encoded response that will be returned if contract is invoked with calldata */ function givenCalldataReturn(bytes calldata call, bytes calldata response) external; function givenCalldataReturnBool(bytes calldata call, bool response) external; function givenCalldataReturnUint(bytes calldata call, uint response) external; function givenCalldataReturnAddress(bytes calldata call, address response) external; function givenCalldataRevert(bytes calldata call) external; function givenCalldataRevertWithMessage(bytes calldata call, string calldata message) external; function givenCalldataRunOutOfGas(bytes calldata call) external; /** * @dev Returns the number of times anything has been called on this mock since last reset */ function invocationCount() external returns (uint); /** * @dev Returns the number of times the given method has been called on this mock since last reset * @param method ABI encoded methodId. It is valid to pass full calldata (including arguments). The mock will extract the methodId from it */ function invocationCountForMethod(bytes calldata method) external returns (uint); /** * @dev Returns the number of times this mock has been called with the exact calldata since last reset. * @param call ABI encoded calldata (methodId and arguments) */ function invocationCountForCalldata(bytes calldata call) external returns (uint); /** * @dev Resets all mocked methods and invocation counts. */ function reset() external; } /** * Implementation of the MockInterface. */ contract MockContract is MockInterface { enum MockType { Return, Revert, OutOfGas } bytes32 public constant MOCKS_LIST_START = hex"01"; bytes public constant MOCKS_LIST_END = "0xff"; bytes32 public constant MOCKS_LIST_END_HASH = keccak256(MOCKS_LIST_END); bytes4 public constant SENTINEL_ANY_MOCKS = hex"01"; bytes public constant DEFAULT_FALLBACK_VALUE = abi.encode(false); // A linked list allows easy iteration and inclusion checks mapping(bytes32 => bytes) calldataMocks; mapping(bytes => MockType) calldataMockTypes; mapping(bytes => bytes) calldataExpectations; mapping(bytes => string) calldataRevertMessage; mapping(bytes32 => uint) calldataInvocations; mapping(bytes4 => bytes4) methodIdMocks; mapping(bytes4 => MockType) methodIdMockTypes; mapping(bytes4 => bytes) methodIdExpectations; mapping(bytes4 => string) methodIdRevertMessages; mapping(bytes32 => uint) methodIdInvocations; MockType fallbackMockType; bytes fallbackExpectation = DEFAULT_FALLBACK_VALUE; string fallbackRevertMessage; uint invocations; uint resetCount; constructor() public { calldataMocks[MOCKS_LIST_START] = MOCKS_LIST_END; methodIdMocks[SENTINEL_ANY_MOCKS] = SENTINEL_ANY_MOCKS; } function trackCalldataMock(bytes memory call) private { bytes32 callHash = keccak256(call); if (calldataMocks[callHash].length == 0) { calldataMocks[callHash] = calldataMocks[MOCKS_LIST_START]; calldataMocks[MOCKS_LIST_START] = call; } } function trackMethodIdMock(bytes4 methodId) private { if (methodIdMocks[methodId] == 0x0) { methodIdMocks[methodId] = methodIdMocks[SENTINEL_ANY_MOCKS]; methodIdMocks[SENTINEL_ANY_MOCKS] = methodId; } } function _givenAnyReturn(bytes memory response) internal { fallbackMockType = MockType.Return; fallbackExpectation = response; } function givenAnyReturn(bytes calldata response) override external { _givenAnyReturn(response); } function givenAnyReturnBool(bool response) override external { uint flag = response ? 1 : 0; _givenAnyReturn(uintToBytes(flag)); } function givenAnyReturnUint(uint response) override external { _givenAnyReturn(uintToBytes(response)); } function givenAnyReturnAddress(address response) override external { _givenAnyReturn(uintToBytes(uint(response))); } function givenAnyRevert() override external { fallbackMockType = MockType.Revert; fallbackRevertMessage = ""; } function givenAnyRevertWithMessage(string calldata message) override external { fallbackMockType = MockType.Revert; fallbackRevertMessage = message; } function givenAnyRunOutOfGas() override external { fallbackMockType = MockType.OutOfGas; } function _givenCalldataReturn(bytes memory call, bytes memory response) private { calldataMockTypes[call] = MockType.Return; calldataExpectations[call] = response; trackCalldataMock(call); } function givenCalldataReturn(bytes calldata call, bytes calldata response) override external { _givenCalldataReturn(call, response); } function givenCalldataReturnBool(bytes calldata call, bool response) override external { uint flag = response ? 1 : 0; _givenCalldataReturn(call, uintToBytes(flag)); } function givenCalldataReturnUint(bytes calldata call, uint response) override external { _givenCalldataReturn(call, uintToBytes(response)); } function givenCalldataReturnAddress(bytes calldata call, address response) override external { _givenCalldataReturn(call, uintToBytes(uint(response))); } function _givenMethodReturn(bytes memory call, bytes memory response) private { bytes4 method = bytesToBytes4(call); methodIdMockTypes[method] = MockType.Return; methodIdExpectations[method] = response; trackMethodIdMock(method); } function givenMethodReturn(bytes calldata call, bytes calldata response) override external { _givenMethodReturn(call, response); } function givenMethodReturnBool(bytes calldata call, bool response) override external { uint flag = response ? 1 : 0; _givenMethodReturn(call, uintToBytes(flag)); } function givenMethodReturnUint(bytes calldata call, uint response) override external { _givenMethodReturn(call, uintToBytes(response)); } function givenMethodReturnAddress(bytes calldata call, address response) override external { _givenMethodReturn(call, uintToBytes(uint(response))); } function givenCalldataRevert(bytes calldata call) override external { calldataMockTypes[call] = MockType.Revert; calldataRevertMessage[call] = ""; trackCalldataMock(call); } function givenMethodRevert(bytes calldata call) override external { bytes4 method = bytesToBytes4(call); methodIdMockTypes[method] = MockType.Revert; trackMethodIdMock(method); } function givenCalldataRevertWithMessage(bytes calldata call, string calldata message) override external { calldataMockTypes[call] = MockType.Revert; calldataRevertMessage[call] = message; trackCalldataMock(call); } function givenMethodRevertWithMessage(bytes calldata call, string calldata message) override external { bytes4 method = bytesToBytes4(call); methodIdMockTypes[method] = MockType.Revert; methodIdRevertMessages[method] = message; trackMethodIdMock(method); } function givenCalldataRunOutOfGas(bytes calldata call) override external { calldataMockTypes[call] = MockType.OutOfGas; trackCalldataMock(call); } function givenMethodRunOutOfGas(bytes calldata call) override external { bytes4 method = bytesToBytes4(call); methodIdMockTypes[method] = MockType.OutOfGas; trackMethodIdMock(method); } function invocationCount() override external returns (uint) { return invocations; } function invocationCountForMethod(bytes calldata call) override external returns (uint) { bytes4 method = bytesToBytes4(call); return methodIdInvocations[keccak256(abi.encodePacked(resetCount, method))]; } function invocationCountForCalldata(bytes calldata call) override external returns (uint) { return calldataInvocations[keccak256(abi.encodePacked(resetCount, call))]; } function reset() override external { // Reset all exact calldataMocks bytes memory nextMock = calldataMocks[MOCKS_LIST_START]; bytes32 mockHash = keccak256(nextMock); // We cannot compary bytes while(mockHash != MOCKS_LIST_END_HASH) { // Reset all mock maps calldataMockTypes[nextMock] = MockType.Return; calldataExpectations[nextMock] = hex""; calldataRevertMessage[nextMock] = ""; // Set next mock to remove nextMock = calldataMocks[mockHash]; // Remove from linked list calldataMocks[mockHash] = ""; // Update mock hash mockHash = keccak256(nextMock); } // Clear list calldataMocks[MOCKS_LIST_START] = MOCKS_LIST_END; // Reset all any calldataMocks bytes4 nextAnyMock = methodIdMocks[SENTINEL_ANY_MOCKS]; while(nextAnyMock != SENTINEL_ANY_MOCKS) { bytes4 currentAnyMock = nextAnyMock; methodIdMockTypes[currentAnyMock] = MockType.Return; methodIdExpectations[currentAnyMock] = hex""; methodIdRevertMessages[currentAnyMock] = ""; nextAnyMock = methodIdMocks[currentAnyMock]; // Remove from linked list methodIdMocks[currentAnyMock] = 0x0; } // Clear list methodIdMocks[SENTINEL_ANY_MOCKS] = SENTINEL_ANY_MOCKS; fallbackExpectation = DEFAULT_FALLBACK_VALUE; fallbackMockType = MockType.Return; invocations = 0; resetCount += 1; } function useAllGas() private { while(true) { bool s; assembly { //expensive call to EC multiply contract s := call(sub(gas(), 2000), 6, 0, 0x0, 0xc0, 0x0, 0x60) } } } function bytesToBytes4(bytes memory b) private pure returns (bytes4) { bytes4 out; for (uint i = 0; i < 4; i++) { out |= bytes4(b[i] & 0xFF) >> (i * 8); } return out; } function uintToBytes(uint256 x) private pure returns (bytes memory b) { b = new bytes(32); assembly { mstore(add(b, 32), x) } } function updateInvocationCount(bytes4 methodId, bytes memory originalMsgData) public { require(msg.sender == address(this), "Can only be called from the contract itself"); invocations += 1; methodIdInvocations[keccak256(abi.encodePacked(resetCount, methodId))] += 1; calldataInvocations[keccak256(abi.encodePacked(resetCount, originalMsgData))] += 1; } fallback () payable external { bytes4 methodId; assembly { methodId := calldataload(0) } // First, check exact matching overrides if (calldataMockTypes[msg.data] == MockType.Revert) { revert(calldataRevertMessage[msg.data]); } if (calldataMockTypes[msg.data] == MockType.OutOfGas) { useAllGas(); } bytes memory result = calldataExpectations[msg.data]; // Then check method Id overrides if (result.length == 0) { if (methodIdMockTypes[methodId] == MockType.Revert) { revert(methodIdRevertMessages[methodId]); } if (methodIdMockTypes[methodId] == MockType.OutOfGas) { useAllGas(); } result = methodIdExpectations[methodId]; } // Last, use the fallback override if (result.length == 0) { if (fallbackMockType == MockType.Revert) { revert(fallbackRevertMessage); } if (fallbackMockType == MockType.OutOfGas) { useAllGas(); } result = fallbackExpectation; } // Record invocation as separate call so we don't rollback in case we are called with STATICCALL (, bytes memory r) = address(this).call{gas: 100000}(abi.encodeWithSignature("updateInvocationCount(bytes4,bytes)", methodId, msg.data)); assert(r.length == 0); assembly { return(add(0x20, result), mload(result)) } } }
// SPDX-License-Identifier: MIT pragma solidity ^0.6.0; import "../access/Ownable.sol"; import "./TransparentUpgradeableProxy.sol"; /** * @dev This is an auxiliary contract meant to be assigned as the admin of a {TransparentUpgradeableProxy}. For an * explanation of why you would want to use this see the documentation for {TransparentUpgradeableProxy}. */ contract ProxyAdmin is Ownable { /** * @dev Returns the current implementation of `proxy`. * * Requirements: * * - This contract must be the admin of `proxy`. */ function getProxyImplementation(TransparentUpgradeableProxy proxy) public view returns (address) { // We need to manually run the static call since the getter cannot be flagged as view // bytes4(keccak256("implementation()")) == 0x5c60da1b (bool success, bytes memory returndata) = address(proxy).staticcall(hex"5c60da1b"); require(success); return abi.decode(returndata, (address)); } /** * @dev Returns the current admin of `proxy`. * * Requirements: * * - This contract must be the admin of `proxy`. */ function getProxyAdmin(TransparentUpgradeableProxy proxy) public view returns (address) { // We need to manually run the static call since the getter cannot be flagged as view // bytes4(keccak256("admin()")) == 0xf851a440 (bool success, bytes memory returndata) = address(proxy).staticcall(hex"f851a440"); require(success); return abi.decode(returndata, (address)); } /** * @dev Changes the admin of `proxy` to `newAdmin`. * * Requirements: * * - This contract must be the current admin of `proxy`. */ function changeProxyAdmin(TransparentUpgradeableProxy proxy, address newAdmin) public onlyOwner { proxy.changeAdmin(newAdmin); } /** * @dev Upgrades `proxy` to `implementation`. See {TransparentUpgradeableProxy-upgradeTo}. * * Requirements: * * - This contract must be the admin of `proxy`. */ function upgrade(TransparentUpgradeableProxy proxy, address implementation) public onlyOwner { proxy.upgradeTo(implementation); } /** * @dev Upgrades `proxy` to `implementation` and calls a function on the new implementation. See * {TransparentUpgradeableProxy-upgradeToAndCall}. * * Requirements: * * - This contract must be the admin of `proxy`. */ function upgradeAndCall(TransparentUpgradeableProxy proxy, address implementation, bytes memory data) public payable onlyOwner { proxy.upgradeToAndCall{value: msg.value}(implementation, data); } }
// SPDX-License-Identifier: MIT pragma solidity ^0.6.0; import "../GSN/Context.sol"; /** * @dev Contract module which provides a basic access control mechanism, where * there is an account (an owner) that can be granted exclusive access to * specific functions. * * By default, the owner account will be the one that deploys the contract. This * can later be changed with {transferOwnership}. * * This module is used through inheritance. It will make available the modifier * `onlyOwner`, which can be applied to your functions to restrict their use to * the owner. */ contract Ownable is Context { address private _owner; event OwnershipTransferred(address indexed previousOwner, address indexed newOwner); /** * @dev Initializes the contract setting the deployer as the initial owner. */ constructor () internal { address msgSender = _msgSender(); _owner = msgSender; emit OwnershipTransferred(address(0), msgSender); } /** * @dev Returns the address of the current owner. */ function owner() public view returns (address) { return _owner; } /** * @dev Throws if called by any account other than the owner. */ modifier onlyOwner() { require(_owner == _msgSender(), "Ownable: caller is not the owner"); _; } /** * @dev Leaves the contract without owner. It will not be possible to call * `onlyOwner` functions anymore. Can only be called by the current owner. * * NOTE: Renouncing ownership will leave the contract without an owner, * thereby removing any functionality that is only available to the owner. */ function renounceOwnership() public virtual onlyOwner { emit OwnershipTransferred(_owner, address(0)); _owner = address(0); } /** * @dev Transfers ownership of the contract to a new account (`newOwner`). * Can only be called by the current owner. */ function transferOwnership(address newOwner) public virtual onlyOwner { require(newOwner != address(0), "Ownable: new owner is the zero address"); emit OwnershipTransferred(_owner, newOwner); _owner = newOwner; } }
// SPDX-License-Identifier: MIT pragma solidity ^0.6.0; /* * @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 GSN 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 Context { function _msgSender() internal view virtual returns (address payable) { return msg.sender; } function _msgData() internal view virtual returns (bytes memory) { this; // silence state mutability warning without generating bytecode - see https://github.com/ethereum/solidity/issues/2691 return msg.data; } }
// SPDX-License-Identifier: MIT pragma solidity ^0.6.0; /** * @dev Interface of the ERC20 standard as defined in the EIP. */ interface IERC20 { /** * @dev Returns the amount of tokens in existence. */ function totalSupply() external view returns (uint256); /** * @dev Returns the amount of tokens owned by `account`. */ function balanceOf(address account) external view returns (uint256); /** * @dev Moves `amount` tokens from the caller's account to `recipient`. * * Returns a boolean value indicating whether the operation succeeded. * * Emits a {Transfer} event. */ function transfer(address recipient, uint256 amount) external returns (bool); /** * @dev Returns the remaining number of tokens that `spender` will be * allowed to spend on behalf of `owner` through {transferFrom}. This is * zero by default. * * This value changes when {approve} or {transferFrom} are called. */ function allowance(address owner, address spender) external view returns (uint256); /** * @dev Sets `amount` as the allowance of `spender` over the caller's tokens. * * Returns a boolean value indicating whether the operation succeeded. * * IMPORTANT: Beware that changing an allowance with this method brings the risk * that someone may use both the old and the new allowance by unfortunate * transaction ordering. One possible solution to mitigate this race * condition is to first reduce the spender's allowance to 0 and set the * desired value afterwards: * https://github.com/ethereum/EIPs/issues/20#issuecomment-263524729 * * Emits an {Approval} event. */ function approve(address spender, uint256 amount) external returns (bool); /** * @dev Moves `amount` tokens from `sender` to `recipient` using the * allowance mechanism. `amount` is then deducted from the caller's * allowance. * * Returns a boolean value indicating whether the operation succeeded. * * Emits a {Transfer} event. */ function transferFrom(address sender, address recipient, uint256 amount) external returns (bool); /** * @dev Emitted when `value` tokens are moved from one account (`from`) to * another (`to`). * * Note that `value` may be zero. */ event Transfer(address indexed from, address indexed to, uint256 value); /** * @dev Emitted when the allowance of a `spender` for an `owner` is set by * a call to {approve}. `value` is the new allowance. */ event Approval(address indexed owner, address indexed spender, uint256 value); }
// SPDX-License-Identifier: MIT pragma solidity ^0.6.0; import "../../GSN/Context.sol"; import "./IERC20.sol"; import "../../math/SafeMath.sol"; import "../../utils/Address.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}. * For a generic mechanism see {ERC20PresetMinterPauser}. * * TIP: For a detailed writeup see our guide * https://forum.zeppelin.solutions/t/how-to-implement-erc20-supply-mechanisms/226[How * to implement supply mechanisms]. * * We have followed general OpenZeppelin guidelines: functions revert instead * of 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. * * Finally, the non-standard {decreaseAllowance} and {increaseAllowance} * functions have been added to mitigate the well-known issues around setting * allowances. See {IERC20-approve}. */ contract ERC20 is Context, IERC20 { using SafeMath for uint256; using Address for address; mapping (address => uint256) private _balances; mapping (address => mapping (address => uint256)) private _allowances; uint256 private _totalSupply; string private _name; string private _symbol; uint8 private _decimals; /** * @dev Sets the values for {name} and {symbol}, initializes {decimals} with * a default value of 18. * * To select a different value for {decimals}, use {_setupDecimals}. * * All three of these values are immutable: they can only be set once during * construction. */ constructor (string memory name, string memory symbol) public { _name = name; _symbol = symbol; _decimals = 18; } /** * @dev Returns the name of the token. */ function name() public view returns (string memory) { return _name; } /** * @dev Returns the symbol of the token, usually a shorter version of the * name. */ function symbol() public view returns (string memory) { 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 value {ERC20} uses, unless {_setupDecimals} is * called. * * 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 returns (uint8) { return _decimals; } /** * @dev See {IERC20-totalSupply}. */ function totalSupply() public view override returns (uint256) { return _totalSupply; } /** * @dev See {IERC20-balanceOf}. */ function balanceOf(address account) public view override returns (uint256) { return _balances[account]; } /** * @dev See {IERC20-transfer}. * * Requirements: * * - `recipient` cannot be the zero address. * - the caller must have a balance of at least `amount`. */ function transfer(address recipient, uint256 amount) public virtual override returns (bool) { _transfer(_msgSender(), recipient, amount); return true; } /** * @dev See {IERC20-allowance}. */ function allowance(address owner, address spender) public view virtual override returns (uint256) { return _allowances[owner][spender]; } /** * @dev See {IERC20-approve}. * * Requirements: * * - `spender` cannot be the zero address. */ function approve(address spender, uint256 amount) public virtual override returns (bool) { _approve(_msgSender(), spender, amount); 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}; * * Requirements: * - `sender` and `recipient` cannot be the zero address. * - `sender` must have a balance of at least `amount`. * - the caller must have allowance for ``sender``'s tokens of at least * `amount`. */ function transferFrom(address sender, address recipient, uint256 amount) public virtual override returns (bool) { _transfer(sender, recipient, amount); _approve(sender, _msgSender(), _allowances[sender][_msgSender()].sub(amount, "ERC20: transfer amount exceeds allowance")); return true; } /** * @dev Atomically increases the allowance granted to `spender` by the caller. * * This is an alternative to {approve} that can be used as a mitigation for * problems described in {IERC20-approve}. * * Emits an {Approval} event indicating the updated allowance. * * Requirements: * * - `spender` cannot be the zero address. */ function increaseAllowance(address spender, uint256 addedValue) public virtual returns (bool) { _approve(_msgSender(), spender, _allowances[_msgSender()][spender].add(addedValue)); return true; } /** * @dev Atomically decreases the allowance granted to `spender` by the caller. * * This is an alternative to {approve} that can be used as a mitigation for * problems described in {IERC20-approve}. * * Emits an {Approval} event indicating the updated allowance. * * Requirements: * * - `spender` cannot be the zero address. * - `spender` must have allowance for the caller of at least * `subtractedValue`. */ function decreaseAllowance(address spender, uint256 subtractedValue) public virtual returns (bool) { _approve(_msgSender(), spender, _allowances[_msgSender()][spender].sub(subtractedValue, "ERC20: decreased allowance below zero")); return true; } /** * @dev Moves tokens `amount` from `sender` to `recipient`. * * This is internal function is equivalent to {transfer}, and can be used to * e.g. implement automatic token fees, slashing mechanisms, etc. * * Emits a {Transfer} event. * * Requirements: * * - `sender` cannot be the zero address. * - `recipient` cannot be the zero address. * - `sender` must have a balance of at least `amount`. */ function _transfer(address sender, address recipient, uint256 amount) internal virtual { require(sender != address(0), "ERC20: transfer from the zero address"); require(recipient != address(0), "ERC20: transfer to the zero address"); _beforeTokenTransfer(sender, recipient, amount); _balances[sender] = _balances[sender].sub(amount, "ERC20: transfer amount exceeds balance"); _balances[recipient] = _balances[recipient].add(amount); emit Transfer(sender, recipient, amount); } /** @dev Creates `amount` tokens and assigns them to `account`, increasing * the total supply. * * Emits a {Transfer} event with `from` set to the zero address. * * Requirements * * - `to` cannot be the zero address. */ function _mint(address account, uint256 amount) internal virtual { require(account != address(0), "ERC20: mint to the zero address"); _beforeTokenTransfer(address(0), account, amount); _totalSupply = _totalSupply.add(amount); _balances[account] = _balances[account].add(amount); emit Transfer(address(0), account, amount); } /** * @dev Destroys `amount` tokens from `account`, reducing the * total supply. * * Emits a {Transfer} event with `to` set to the zero address. * * Requirements * * - `account` cannot be the zero address. * - `account` must have at least `amount` tokens. */ function _burn(address account, uint256 amount) internal virtual { require(account != address(0), "ERC20: burn from the zero address"); _beforeTokenTransfer(account, address(0), amount); _balances[account] = _balances[account].sub(amount, "ERC20: burn amount exceeds balance"); _totalSupply = _totalSupply.sub(amount); emit Transfer(account, address(0), amount); } /** * @dev Sets `amount` 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. */ function _approve(address owner, address spender, uint256 amount) internal virtual { require(owner != address(0), "ERC20: approve from the zero address"); require(spender != address(0), "ERC20: approve to the zero address"); _allowances[owner][spender] = amount; emit Approval(owner, spender, amount); } /** * @dev Sets {decimals} to a value other than the default one of 18. * * WARNING: This function should only be called from the constructor. Most * applications that interact with token contracts will not expect * {decimals} to ever change, and may work incorrectly if it does. */ function _setupDecimals(uint8 decimals_) internal { _decimals = decimals_; } /** * @dev Hook that is called before any transfer of tokens. This includes * minting and burning. * * Calling conditions: * * - when `from` and `to` are both non-zero, `amount` of ``from``'s tokens * will be to transferred to `to`. * - when `from` is zero, `amount` tokens will be minted for `to`. * - when `to` is zero, `amount` of ``from``'s tokens will be burned. * - `from` and `to` are never both zero. * * To learn more about hooks, head to xref:ROOT:extending-contracts.adoc#using-hooks[Using Hooks]. */ function _beforeTokenTransfer(address from, address to, uint256 amount) internal virtual { } }
// SPDX-License-Identifier: MIT pragma solidity ^0.6.0; /** * @dev Wrappers over Solidity's arithmetic operations with added overflow * checks. * * Arithmetic operations in Solidity wrap on overflow. This can easily result * in bugs, because programmers usually assume that an overflow raises an * error, which is the standard behavior in high level programming languages. * `SafeMath` restores this intuition by reverting the transaction when an * operation overflows. * * Using this library instead of the unchecked operations eliminates an entire * class of bugs, so it's recommended to use it always. */ library SafeMath { /** * @dev Returns the addition of two unsigned integers, reverting on * overflow. * * Counterpart to Solidity's `+` operator. * * Requirements: * * - Addition cannot overflow. */ function add(uint256 a, uint256 b) internal pure returns (uint256) { uint256 c = a + b; require(c >= a, "SafeMath: addition overflow"); return c; } /** * @dev Returns the subtraction of two unsigned integers, reverting on * overflow (when the result is negative). * * Counterpart to Solidity's `-` operator. * * Requirements: * * - Subtraction cannot overflow. */ function sub(uint256 a, uint256 b) internal pure returns (uint256) { return sub(a, b, "SafeMath: subtraction overflow"); } /** * @dev Returns the subtraction of two unsigned integers, reverting with custom message on * overflow (when the result is negative). * * Counterpart to Solidity's `-` operator. * * Requirements: * * - Subtraction cannot overflow. */ function sub(uint256 a, uint256 b, string memory errorMessage) internal pure returns (uint256) { require(b <= a, errorMessage); uint256 c = a - b; return c; } /** * @dev Returns the multiplication of two unsigned integers, reverting on * overflow. * * Counterpart to Solidity's `*` operator. * * Requirements: * * - Multiplication cannot overflow. */ function mul(uint256 a, uint256 b) internal pure returns (uint256) { // Gas optimization: this is cheaper than requiring 'a' not being zero, but the // benefit is lost if 'b' is also tested. // See: https://github.com/OpenZeppelin/openzeppelin-contracts/pull/522 if (a == 0) { return 0; } uint256 c = a * b; require(c / a == b, "SafeMath: multiplication overflow"); return c; } /** * @dev Returns the integer division of two unsigned integers. Reverts on * division by zero. The result is rounded towards zero. * * Counterpart to Solidity's `/` operator. Note: this function uses a * `revert` opcode (which leaves remaining gas untouched) while Solidity * uses an invalid opcode to revert (consuming all remaining gas). * * Requirements: * * - The divisor cannot be zero. */ function div(uint256 a, uint256 b) internal pure returns (uint256) { return div(a, b, "SafeMath: division by zero"); } /** * @dev Returns the integer division of two unsigned integers. Reverts with custom message on * division by zero. The result is rounded towards zero. * * Counterpart to Solidity's `/` operator. Note: this function uses a * `revert` opcode (which leaves remaining gas untouched) while Solidity * uses an invalid opcode to revert (consuming all remaining gas). * * Requirements: * * - The divisor cannot be zero. */ function div(uint256 a, uint256 b, string memory errorMessage) internal pure returns (uint256) { require(b > 0, errorMessage); uint256 c = a / b; // assert(a == b * c + a % b); // There is no case in which this doesn't hold return c; } /** * @dev Returns the remainder of dividing two unsigned integers. (unsigned integer modulo), * Reverts when dividing by zero. * * Counterpart to Solidity's `%` operator. This function uses a `revert` * opcode (which leaves remaining gas untouched) while Solidity uses an * invalid opcode to revert (consuming all remaining gas). * * Requirements: * * - The divisor cannot be zero. */ function mod(uint256 a, uint256 b) internal pure returns (uint256) { return mod(a, b, "SafeMath: modulo by zero"); } /** * @dev Returns the remainder of dividing two unsigned integers. (unsigned integer modulo), * Reverts with custom message when dividing by zero. * * Counterpart to Solidity's `%` operator. This function uses a `revert` * opcode (which leaves remaining gas untouched) while Solidity uses an * invalid opcode to revert (consuming all remaining gas). * * Requirements: * * - The divisor cannot be zero. */ function mod(uint256 a, uint256 b, string memory errorMessage) internal pure returns (uint256) { require(b != 0, errorMessage); return a % b; } }
// SPDX-License-Identifier: UNLICENSED pragma solidity 0.6.11; import {IERC20} from "@openzeppelin/contracts/token/ERC20/IERC20.sol"; interface IMintableERC20 is IERC20 { function mint(address account, uint256 amount) external; function name() external view returns (string memory); function symbol() external view returns (string memory); function decimals() external view returns (uint8); }
{ "metadata": { "useLiteralContent": false }, "optimizer": { "enabled": true, "runs": 999999 }, "outputSelection": { "*": { "*": [ "evm.bytecode", "evm.deployedBytecode", "abi" ] } }, "libraries": {} }
Contract Security Audit
- No Contract Security Audit Submitted- Submit Audit Here
[{"anonymous":false,"inputs":[],"name":"AddLiquidityLocked","type":"event"},{"anonymous":false,"inputs":[],"name":"AddLiquidityUnlocked","type":"event"},{"anonymous":false,"inputs":[{"indexed":false,"internalType":"address","name":"","type":"address"}],"name":"AdminChanged","type":"event"},{"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":"sender","type":"address"},{"indexed":false,"internalType":"contract IERC20","name":"token","type":"address"},{"indexed":false,"internalType":"uint256","name":"tokenAmount","type":"uint256"},{"indexed":false,"internalType":"uint256","name":"aptMintAmount","type":"uint256"},{"indexed":false,"internalType":"uint256","name":"tokenEthValue","type":"uint256"},{"indexed":false,"internalType":"uint256","name":"totalEthValueLocked","type":"uint256"}],"name":"DepositedAPT","type":"event"},{"anonymous":false,"inputs":[{"indexed":true,"internalType":"address","name":"previousOwner","type":"address"},{"indexed":true,"internalType":"address","name":"newOwner","type":"address"}],"name":"OwnershipTransferred","type":"event"},{"anonymous":false,"inputs":[{"indexed":false,"internalType":"address","name":"account","type":"address"}],"name":"Paused","type":"event"},{"anonymous":false,"inputs":[{"indexed":false,"internalType":"address","name":"agg","type":"address"}],"name":"PriceAggregatorChanged","type":"event"},{"anonymous":false,"inputs":[],"name":"RedeemLocked","type":"event"},{"anonymous":false,"inputs":[],"name":"RedeemUnlocked","type":"event"},{"anonymous":false,"inputs":[{"indexed":true,"internalType":"address","name":"sender","type":"address"},{"indexed":false,"internalType":"contract IERC20","name":"token","type":"address"},{"indexed":false,"internalType":"uint256","name":"redeemedTokenAmount","type":"uint256"},{"indexed":false,"internalType":"uint256","name":"aptRedeemAmount","type":"uint256"},{"indexed":false,"internalType":"uint256","name":"tokenEthValue","type":"uint256"},{"indexed":false,"internalType":"uint256","name":"totalEthValueLocked","type":"uint256"}],"name":"RedeemedAPT","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"},{"anonymous":false,"inputs":[{"indexed":false,"internalType":"address","name":"account","type":"address"}],"name":"Unpaused","type":"event"},{"inputs":[],"name":"DEFAULT_APT_TO_UNDERLYER_FACTOR","outputs":[{"internalType":"uint256","name":"","type":"uint256"}],"stateMutability":"view","type":"function"},{"inputs":[{"internalType":"uint256","name":"tokenAmt","type":"uint256"}],"name":"addLiquidity","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[],"name":"addLiquidityLock","outputs":[{"internalType":"bool","name":"","type":"bool"}],"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":"amount","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":"tokenAmt","type":"uint256"}],"name":"calculateMintAmount","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":"address","name":"spender","type":"address"},{"internalType":"uint256","name":"subtractedValue","type":"uint256"}],"name":"decreaseAllowance","outputs":[{"internalType":"bool","name":"","type":"bool"}],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"uint256","name":"amount","type":"uint256"}],"name":"getAPTEthValue","outputs":[{"internalType":"uint256","name":"","type":"uint256"}],"stateMutability":"view","type":"function"},{"inputs":[{"internalType":"uint256","name":"amount","type":"uint256"}],"name":"getEthValueFromTokenAmount","outputs":[{"internalType":"uint256","name":"","type":"uint256"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"getPoolTotalEthValue","outputs":[{"internalType":"uint256","name":"","type":"uint256"}],"stateMutability":"view","type":"function"},{"inputs":[{"internalType":"uint256","name":"ethValue","type":"uint256"}],"name":"getTokenAmountFromEthValue","outputs":[{"internalType":"uint256","name":"","type":"uint256"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"getTokenEthPrice","outputs":[{"internalType":"uint256","name":"","type":"uint256"}],"stateMutability":"view","type":"function"},{"inputs":[{"internalType":"uint256","name":"aptAmount","type":"uint256"}],"name":"getUnderlyerAmount","outputs":[{"internalType":"uint256","name":"","type":"uint256"}],"stateMutability":"view","type":"function"},{"inputs":[{"internalType":"address","name":"spender","type":"address"},{"internalType":"uint256","name":"addedValue","type":"uint256"}],"name":"increaseAllowance","outputs":[{"internalType":"bool","name":"","type":"bool"}],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"address","name":"adminAddress","type":"address"},{"internalType":"contract IERC20","name":"_underlyer","type":"address"},{"internalType":"contract AggregatorV3Interface","name":"_priceAgg","type":"address"}],"name":"initialize","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[],"name":"initializeUpgrade","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[],"name":"lock","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[],"name":"lockAddLiquidity","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[],"name":"lockRedeem","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[],"name":"name","outputs":[{"internalType":"string","name":"","type":"string"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"owner","outputs":[{"internalType":"address","name":"","type":"address"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"paused","outputs":[{"internalType":"bool","name":"","type":"bool"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"priceAgg","outputs":[{"internalType":"contract AggregatorV3Interface","name":"","type":"address"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"proxyAdmin","outputs":[{"internalType":"address","name":"","type":"address"}],"stateMutability":"view","type":"function"},{"inputs":[{"internalType":"uint256","name":"aptAmount","type":"uint256"}],"name":"redeem","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[],"name":"redeemLock","outputs":[{"internalType":"bool","name":"","type":"bool"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"renounceOwnership","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"address","name":"adminAddress","type":"address"}],"name":"setAdminAddress","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"contract AggregatorV3Interface","name":"_priceAgg","type":"address"}],"name":"setPriceAggregator","outputs":[],"stateMutability":"nonpayable","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":"recipient","type":"address"},{"internalType":"uint256","name":"amount","type":"uint256"}],"name":"transfer","outputs":[{"internalType":"bool","name":"","type":"bool"}],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"address","name":"sender","type":"address"},{"internalType":"address","name":"recipient","type":"address"},{"internalType":"uint256","name":"amount","type":"uint256"}],"name":"transferFrom","outputs":[{"internalType":"bool","name":"","type":"bool"}],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"address","name":"newOwner","type":"address"}],"name":"transferOwnership","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[],"name":"underlyer","outputs":[{"internalType":"contract IERC20","name":"","type":"address"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"unlock","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[],"name":"unlockAddLiquidity","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[],"name":"unlockRedeem","outputs":[],"stateMutability":"nonpayable","type":"function"},{"stateMutability":"payable","type":"receive"}]
Contract Creation Code
608060405234801561001057600080fd5b50613ca3806100206000396000f3fe6080604052600436106102bf5760003560e01c806370a082311161016e578063a69df4b5116100cb578063dd62ed3e1161007f578063ecb2bd7611610064578063ecb2bd7614610714578063f2fde38b14610729578063f83d08ba14610749576102ff565b8063dd62ed3e146106df578063e12799b1146106ff576102ff565b8063ab74d7ff116100b0578063ab74d7ff1461068a578063c0c53b8b1461069f578063db006a75146106bf576102ff565b8063a69df4b514610655578063a9059cbb1461066a576102ff565b80637f8888161161012257806395d89b411161010757806395d89b411461060b578063a1a1f4d814610620578063a457c2d714610635576102ff565b80637f888816146105d65780638da5cb5b146105f6576102ff565b80637758f3fa116101535780637758f3fa1461058c5780637b436174146105a15780637d30c3e5146105b6576102ff565b806370a0823114610557578063715018a614610577576102ff565b8063395093511161021c57806351c6590a116101d05780635c975abb116101b55780635c975abb1461050d57806360b330ea1461052257806363d4854e14610537576102ff565b806351c6590a146104cd5780635222a0bb146104ed576102ff565b80634a3a3704116102015780634a3a3704146104785780634ee44608146104985780635070e837146104ad576102ff565b806339509351146104365780633e47158c14610456576102ff565b806318160ddd116102735780632c1e816d116102585780632c1e816d146103df578063313ce567146103ff5780633792991514610421576102ff565b806318160ddd146103aa57806323b872dd146103bf576102ff565b8063095ea7b3116102a4578063095ea7b314610346578063099ed69a1461037357806310aad3a914610388576102ff565b806303edfcbd1461030457806306fdde031461031b576102ff565b366102ff576040517f08c379a00000000000000000000000000000000000000000000000000000000081526004016102f6906134e8565b60405180910390fd5b600080fd5b34801561031057600080fd5b5061031961075e565b005b34801561032757600080fd5b50610330610826565b60405161033d91906133cc565b60405180910390f35b34801561035257600080fd5b506103666103613660046131de565b6108db565b60405161033d9190613386565b34801561037f57600080fd5b506103196108f9565b34801561039457600080fd5b5061039d6109a9565b60405161033d9190613b73565b3480156103b657600080fd5b5061039d6109af565b3480156103cb57600080fd5b506103666103da366004613154565b6109b5565b3480156103eb57600080fd5b506103196103fa366004613100565b610a5c565b34801561040b57600080fd5b50610414610b81565b60405161033d9190613b7c565b34801561042d57600080fd5b50610319610b8b565b34801561044257600080fd5b506103666104513660046131de565b610c3b565b34801561046257600080fd5b5061046b610c9c565b60405161033d91906132e7565b34801561048457600080fd5b5061039d610493366004613229565b610cb9565b3480156104a457600080fd5b50610366610da5565b3480156104b957600080fd5b506103196104c8366004613100565b610dc7565b3480156104d957600080fd5b506103196104e8366004613229565b610ee1565b3480156104f957600080fd5b5061039d610508366004613229565b6111e3565b34801561051957600080fd5b50610366611248565b34801561052e57600080fd5b50610366611251565b34801561054357600080fd5b5061039d610552366004613229565b611274565b34801561056357600080fd5b5061039d610572366004613100565b611349565b34801561058357600080fd5b50610319611371565b34801561059857600080fd5b5061046b61143c565b3480156105ad57600080fd5b50610319611459565b3480156105c257600080fd5b5061039d6105d1366004613229565b611520565b3480156105e257600080fd5b5061039d6105f1366004613229565b611544565b34801561060257600080fd5b5061046b611552565b34801561061757600080fd5b5061033061156e565b34801561062c57600080fd5b5061046b6115ed565b34801561064157600080fd5b506103666106503660046131de565b61160a565b34801561066157600080fd5b50610319611685565b34801561067657600080fd5b506103666106853660046131de565b6116eb565b34801561069657600080fd5b5061039d6116ff565b3480156106ab57600080fd5b506103196106ba366004613194565b6117e8565b3480156106cb57600080fd5b506103196106da366004613229565b611ad7565b3480156106eb57600080fd5b5061039d6106fa36600461311c565b611d26565b34801561070b57600080fd5b50610319611d5e565b34801561072057600080fd5b5061039d611db0565b34801561073557600080fd5b50610319610744366004613100565b611e5e565b34801561075557600080fd5b50610319611f95565b610766611ff9565b60655473ffffffffffffffffffffffffffffffffffffffff9081169116146107ba576040517f08c379a00000000000000000000000000000000000000000000000000000000081526004016102f690613823565b61012d80547fffffffffffffffffffff00ffffffffffffffffffffffffffffffffffffffffff1675010000000000000000000000000000000000000000001790556040517fdc9e8a8421142a9ed626a213703c3c3ea7ac9d321094c3a8239784961857a87f90600090a1565b60fe8054604080516020601f60027fffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffff6101006001881615020190951694909404938401819004810282018101909252828152606093909290918301828280156108d05780601f106108a5576101008083540402835291602001916108d0565b820191906000526020600020905b8154815290600101906020018083116108b357829003601f168201915b505050505090505b90565b60006108ef6108e8611ff9565b8484611ffd565b5060015b92915050565b610901611ff9565b60655473ffffffffffffffffffffffffffffffffffffffff908116911614610955576040517f08c379a00000000000000000000000000000000000000000000000000000000081526004016102f690613823565b61012d80547fffffffffffffffffffff00ffffffffffffffffffffffffffffffffffffffffff1690556040517ff0261bb347838e4107df59bd80ad09cf7a3703e484bd3cd4167634c1d41e60c690600090a1565b6103e881565b60fd5490565b60006109c284848461210c565b610a52846109ce611ff9565b610a4d85604051806060016040528060288152602001613c216028913973ffffffffffffffffffffffffffffffffffffffff8a16600090815260fc6020526040812090610a19611ff9565b73ffffffffffffffffffffffffffffffffffffffff168152602081019190915260400160002054919063ffffffff6122a216565b611ffd565b5060019392505050565b610a64611ff9565b60655473ffffffffffffffffffffffffffffffffffffffff908116911614610ab8576040517f08c379a00000000000000000000000000000000000000000000000000000000081526004016102f690613823565b73ffffffffffffffffffffffffffffffffffffffff8116610b05576040517f08c379a00000000000000000000000000000000000000000000000000000000081526004016102f690613721565b61012d80547fffffffffffffffffffffffff00000000000000000000000000000000000000001673ffffffffffffffffffffffffffffffffffffffff83161790556040517f7ce7ec0b50378fb6c0186ffb5f48325f6593fcb4ca4386f21861af3129188f5c90610b769083906132e7565b60405180910390a150565b6101005460ff1690565b610b93611ff9565b60655473ffffffffffffffffffffffffffffffffffffffff908116911614610be7576040517f08c379a00000000000000000000000000000000000000000000000000000000081526004016102f690613823565b61012d80547fffffffffffffffffffffff00ffffffffffffffffffffffffffffffffffffffff1690556040517f8710e363d0b73d2b34e9c5db1cfdeac689eda396272ebb0996410c22a32bb52090600090a1565b60006108ef610c48611ff9565b84610a4d8560fc6000610c59611ff9565b73ffffffffffffffffffffffffffffffffffffffff908116825260208083019390935260409182016000908120918c16815292529020549063ffffffff6122e816565b61012d5473ffffffffffffffffffffffffffffffffffffffff1681565b600081610cc857506000610da0565b61012e54604080517f313ce567000000000000000000000000000000000000000000000000000000008152905160009273ffffffffffffffffffffffffffffffffffffffff169163313ce567916004808301926020929190829003018186803b158015610d3457600080fd5b505afa158015610d48573d6000803e3d6000fd5b505050506040513d601f19601f82011682018060405250810190610d6c91906132aa565b60ff169050610d9c81600a0a610d9085610d846116ff565b9063ffffffff61232e16565b9063ffffffff61238216565b9150505b919050565b61012d5474010000000000000000000000000000000000000000900460ff1681565b610dcf611ff9565b60655473ffffffffffffffffffffffffffffffffffffffff908116911614610e23576040517f08c379a00000000000000000000000000000000000000000000000000000000081526004016102f690613823565b73ffffffffffffffffffffffffffffffffffffffff8116610e70576040517f08c379a00000000000000000000000000000000000000000000000000000000081526004016102f69061378f565b61012f80547fffffffffffffffffffffffff00000000000000000000000000000000000000001673ffffffffffffffffffffffffffffffffffffffff83161790556040517f2ef682c7abd1a9cd089f112d98541733dbda85c098655988a426d7cc312611ca90610b769083906132e7565b60975460ff16610f1d576040517f08c379a00000000000000000000000000000000000000000000000000000000081526004016102f690613ace565b609780547fffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffff0016905560c95460ff1615610f82576040517f08c379a00000000000000000000000000000000000000000000000000000000081526004016102f690613758565b61012d5474010000000000000000000000000000000000000000900460ff1615610fd8576040517f08c379a00000000000000000000000000000000000000000000000000000000081526004016102f690613a97565b60008111611012576040517f08c379a00000000000000000000000000000000000000000000000000000000081526004016102f69061347a565b61012e546040517fdd62ed3e000000000000000000000000000000000000000000000000000000008152829173ffffffffffffffffffffffffffffffffffffffff169063dd62ed3e9061106b9033903090600401613308565b60206040518083038186803b15801561108357600080fd5b505afa158015611097573d6000803e3d6000fd5b505050506040513d601f19601f820116820180604052508101906110bb9190613241565b10156110f3576040517f08c379a00000000000000000000000000000000000000000000000000000000081526004016102f69061367e565b60006110fe82610cb9565b9050600061110a611db0565b9050600061111883836123c4565b9050611124338261240f565b61012e546111509073ffffffffffffffffffffffffffffffffffffffff1633308763ffffffff61251c16565b61012e5433907f1007a3216ede761d72e5daf332025b2f5004706046cc7618df0dae4130549b8e9073ffffffffffffffffffffffffffffffffffffffff16868487611199611db0565b6040516111aa959493929190613391565b60405180910390a25050609780547fffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffff001660011790555050565b6000806111ee6109af565b11611225576040517f08c379a00000000000000000000000000000000000000000000000000000000081526004016102f690613a03565b6108f36112306109af565b610d9061123b611db0565b859063ffffffff61232e16565b60c95460ff1690565b61012d547501000000000000000000000000000000000000000000900460ff1681565b60008061127f6116ff565b9050600061012e60009054906101000a900473ffffffffffffffffffffffffffffffffffffffff1673ffffffffffffffffffffffffffffffffffffffff1663313ce5676040518163ffffffff1660e01b815260040160206040518083038186803b1580156112ec57600080fd5b505afa158015611300573d6000803e3d6000fd5b505050506040513d601f19601f8201168201806040525081019061132491906132aa565b60ff16905061134182610d90600a84900a8763ffffffff61232e16565b949350505050565b73ffffffffffffffffffffffffffffffffffffffff16600090815260fb602052604090205490565b611379611ff9565b60655473ffffffffffffffffffffffffffffffffffffffff9081169116146113cd576040517f08c379a00000000000000000000000000000000000000000000000000000000081526004016102f690613823565b60655460405160009173ffffffffffffffffffffffffffffffffffffffff16907f8be0079c531659141344cd1fd0a4f28419497f9722a3daafe3b4186f6b6457e0908390a3606580547fffffffffffffffffffffffff0000000000000000000000000000000000000000169055565b61012e5473ffffffffffffffffffffffffffffffffffffffff1681565b611461611ff9565b60655473ffffffffffffffffffffffffffffffffffffffff9081169116146114b5576040517f08c379a00000000000000000000000000000000000000000000000000000000081526004016102f690613823565b61012d80547fffffffffffffffffffffff00ffffffffffffffffffffffffffffffffffffffff16740100000000000000000000000000000000000000001790556040517f74575b08abfa9e3fb5439ba1f85bc043f5a282e848d6ac9b58f7fe054a72e49590600090a1565b60008061152c83610cb9565b90506000611538611db0565b905061134182826123c4565b60006108f3610552836111e3565b60655473ffffffffffffffffffffffffffffffffffffffff1690565b60ff8054604080516020601f60027fffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffff6101006001881615020190951694909404938401819004810282018101909252828152606093909290918301828280156108d05780601f106108a5576101008083540402835291602001916108d0565b61012f5473ffffffffffffffffffffffffffffffffffffffff1681565b60006108ef611617611ff9565b84610a4d85604051806060016040528060258152602001613c496025913960fc6000611641611ff9565b73ffffffffffffffffffffffffffffffffffffffff908116825260208083019390935260409182016000908120918d1681529252902054919063ffffffff6122a216565b61168d611ff9565b60655473ffffffffffffffffffffffffffffffffffffffff9081169116146116e1576040517f08c379a00000000000000000000000000000000000000000000000000000000081526004016102f690613823565b6116e96125bf565b565b60006108ef6116f8611ff9565b848461210c565b60008061012f60009054906101000a900473ffffffffffffffffffffffffffffffffffffffff1673ffffffffffffffffffffffffffffffffffffffff1663feaf968c6040518163ffffffff1660e01b815260040160a06040518083038186803b15801561176b57600080fd5b505afa15801561177f573d6000803e3d6000fd5b505050506040513d601f19601f820116820180604052508101906117a39190613259565b505050915050600081136117e3576040517f08c379a00000000000000000000000000000000000000000000000000000000081526004016102f690613610565b905090565b600054610100900460ff16806118015750611801612663565b8061180f575060005460ff16155b611845576040517f08c379a00000000000000000000000000000000000000000000000000000000081526004016102f690613858565b600054610100900460ff161580156118ab57600080547fffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffff007fffffffffffffffffffffffffffffffffffffffffffffffffffffffffffff00ff909116610100171660011790555b73ffffffffffffffffffffffffffffffffffffffff84166118f8576040517f08c379a00000000000000000000000000000000000000000000000000000000081526004016102f690613721565b73ffffffffffffffffffffffffffffffffffffffff8316611945576040517f08c379a00000000000000000000000000000000000000000000000000000000081526004016102f6906136b5565b73ffffffffffffffffffffffffffffffffffffffff8216611992576040517f08c379a00000000000000000000000000000000000000000000000000000000081526004016102f69061378f565b61199a612669565b6119a261275e565b6119aa6128cf565b6119b26129ee565b611a266040518060400160405280600e81526020017f41505920506f6f6c20546f6b656e0000000000000000000000000000000000008152506040518060400160405280600381526020017f4150540000000000000000000000000000000000000000000000000000000000815250612b0a565b611a2f84610a5c565b61012d80547fffffffffffffffffffff0000ffffffffffffffffffffffffffffffffffffffff16905561012e80547fffffffffffffffffffffffff00000000000000000000000000000000000000001673ffffffffffffffffffffffffffffffffffffffff8516179055611aa282610dc7565b8015611ad157600080547fffffffffffffffffffffffffffffffffffffffffffffffffffffffffffff00ff1690555b50505050565b60975460ff16611b13576040517f08c379a00000000000000000000000000000000000000000000000000000000081526004016102f690613ace565b609780547fffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffff0016905560c95460ff1615611b78576040517f08c379a00000000000000000000000000000000000000000000000000000000081526004016102f690613758565b61012d547501000000000000000000000000000000000000000000900460ff1615611bcf576040517f08c379a00000000000000000000000000000000000000000000000000000000081526004016102f690613a97565b60008111611c09576040517f08c379a00000000000000000000000000000000000000000000000000000000081526004016102f69061347a565b611c1233611349565b811115611c4b576040517f08c379a00000000000000000000000000000000000000000000000000000000081526004016102f69061351f565b6000611c5682611544565b9050611c623383612c55565b61012e54611c8d9073ffffffffffffffffffffffffffffffffffffffff16338363ffffffff612d8516565b61012e5433907f4b75ef029c63babe26e39ba4a5f3ecf483fc05b28644eb915f53ea7bf5ed96099073ffffffffffffffffffffffffffffffffffffffff168385611cd682610cb9565b611cde611db0565b604051611cef959493929190613391565b60405180910390a25050609780547fffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffff00166001179055565b73ffffffffffffffffffffffffffffffffffffffff918216600090815260fc6020908152604080832093909416825291909152205490565b61012d5473ffffffffffffffffffffffffffffffffffffffff1633146116e9576040517f08c379a00000000000000000000000000000000000000000000000000000000081526004016102f690613912565b61012e546040517f70a082310000000000000000000000000000000000000000000000000000000081526000916117e39173ffffffffffffffffffffffffffffffffffffffff909116906370a0823190611e0e9030906004016132e7565b60206040518083038186803b158015611e2657600080fd5b505afa158015611e3a573d6000803e3d6000fd5b505050506040513d601f19601f820116820180604052508101906104939190613241565b611e66611ff9565b60655473ffffffffffffffffffffffffffffffffffffffff908116911614611eba576040517f08c379a00000000000000000000000000000000000000000000000000000000081526004016102f690613823565b73ffffffffffffffffffffffffffffffffffffffff8116611f07576040517f08c379a00000000000000000000000000000000000000000000000000000000081526004016102f690613556565b60655460405173ffffffffffffffffffffffffffffffffffffffff8084169216907f8be0079c531659141344cd1fd0a4f28419497f9722a3daafe3b4186f6b6457e090600090a3606580547fffffffffffffffffffffffff00000000000000000000000000000000000000001673ffffffffffffffffffffffffffffffffffffffff92909216919091179055565b611f9d611ff9565b60655473ffffffffffffffffffffffffffffffffffffffff908116911614611ff1576040517f08c379a00000000000000000000000000000000000000000000000000000000081526004016102f690613823565b6116e9612da4565b3390565b73ffffffffffffffffffffffffffffffffffffffff831661204a576040517f08c379a00000000000000000000000000000000000000000000000000000000081526004016102f6906139a6565b73ffffffffffffffffffffffffffffffffffffffff8216612097576040517f08c379a00000000000000000000000000000000000000000000000000000000081526004016102f6906135b3565b73ffffffffffffffffffffffffffffffffffffffff808416600081815260fc602090815260408083209487168084529490915290819020849055517f8c5be1e5ebec7d5bd14f71427d1e84f3dd0314c0f7b2291e5b200ac8c7c3b925906120ff908590613b73565b60405180910390a3505050565b73ffffffffffffffffffffffffffffffffffffffff8316612159576040517f08c379a00000000000000000000000000000000000000000000000000000000081526004016102f690613949565b73ffffffffffffffffffffffffffffffffffffffff82166121a6576040517f08c379a00000000000000000000000000000000000000000000000000000000081526004016102f69061341d565b6121b1838383612c50565b61220181604051806060016040528060268152602001613bfb6026913973ffffffffffffffffffffffffffffffffffffffff8616600090815260fb6020526040902054919063ffffffff6122a216565b73ffffffffffffffffffffffffffffffffffffffff808516600090815260fb60205260408082209390935590841681522054612243908263ffffffff6122e816565b73ffffffffffffffffffffffffffffffffffffffff808416600081815260fb602052604090819020939093559151908516907fddf252ad1be2c89b69c2b068fc378daa952ba7f163c4a11628f55a4df523b3ef906120ff908590613b73565b600081848411156122e0576040517f08c379a00000000000000000000000000000000000000000000000000000000081526004016102f691906133cc565b505050900390565b600082820183811015612327576040517f08c379a00000000000000000000000000000000000000000000000000000000081526004016102f690613647565b9392505050565b60008261233d575060006108f3565b8282028284828161234a57fe5b0414612327576040517f08c379a00000000000000000000000000000000000000000000000000000000081526004016102f6906137c6565b600061232783836040518060400160405280601a81526020017f536166654d6174683a206469766973696f6e206279207a65726f000000000000815250612e35565b6000806123cf6109af565b90508215806123dc575080155b156123fb576123f3846103e863ffffffff61232e16565b9150506108f3565b61134183610d90868463ffffffff61232e16565b73ffffffffffffffffffffffffffffffffffffffff821661245c576040517f08c379a00000000000000000000000000000000000000000000000000000000081526004016102f690613b3c565b61246860008383612c50565b60fd5461247b908263ffffffff6122e816565b60fd5573ffffffffffffffffffffffffffffffffffffffff8216600090815260fb60205260409020546124b4908263ffffffff6122e816565b73ffffffffffffffffffffffffffffffffffffffff8316600081815260fb60205260408082209390935591519091907fddf252ad1be2c89b69c2b068fc378daa952ba7f163c4a11628f55a4df523b3ef90612510908590613b73565b60405180910390a35050565b611ad1846323b872dd60e01b85858560405160240161253d9392919061332f565b604080517fffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffe08184030181529190526020810180517bffffffffffffffffffffffffffffffffffffffffffffffffffffffff167fffffffff0000000000000000000000000000000000000000000000000000000090931692909217909152612e86565b60c95460ff166125fb576040517f08c379a00000000000000000000000000000000000000000000000000000000081526004016102f6906134b1565b60c980547fffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffff001690557f5db9ee0a495bf2e6ff9c91a7834c1ba4fdd244a5e8aa4e537bd38aeae4b073aa61264c611ff9565b60405161265991906132e7565b60405180910390a1565b303b1590565b600054610100900460ff16806126825750612682612663565b80612690575060005460ff16155b6126c6576040517f08c379a00000000000000000000000000000000000000000000000000000000081526004016102f690613858565b600054610100900460ff1615801561272c57600080547fffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffff007fffffffffffffffffffffffffffffffffffffffffffffffffffffffffffff00ff909116610100171660011790555b801561275b57600080547fffffffffffffffffffffffffffffffffffffffffffffffffffffffffffff00ff1690555b50565b600054610100900460ff16806127775750612777612663565b80612785575060005460ff16155b6127bb576040517f08c379a00000000000000000000000000000000000000000000000000000000081526004016102f690613858565b600054610100900460ff1615801561282157600080547fffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffff007fffffffffffffffffffffffffffffffffffffffffffffffffffffffffffff00ff909116610100171660011790555b600061282b611ff9565b606580547fffffffffffffffffffffffff00000000000000000000000000000000000000001673ffffffffffffffffffffffffffffffffffffffff8316908117909155604051919250906000907f8be0079c531659141344cd1fd0a4f28419497f9722a3daafe3b4186f6b6457e0908290a350801561275b57600080547fffffffffffffffffffffffffffffffffffffffffffffffffffffffffffff00ff16905550565b600054610100900460ff16806128e857506128e8612663565b806128f6575060005460ff16155b61292c576040517f08c379a00000000000000000000000000000000000000000000000000000000081526004016102f690613858565b600054610100900460ff1615801561299257600080547fffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffff007fffffffffffffffffffffffffffffffffffffffffffffffffffffffffffff00ff909116610100171660011790555b609780547fffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffff00166001179055801561275b57600080547fffffffffffffffffffffffffffffffffffffffffffffffffffffffffffff00ff16905550565b600054610100900460ff1680612a075750612a07612663565b80612a15575060005460ff16155b612a4b576040517f08c379a00000000000000000000000000000000000000000000000000000000081526004016102f690613858565b600054610100900460ff16158015612ab157600080547fffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffff007fffffffffffffffffffffffffffffffffffffffffffffffffffffffffffff00ff909116610100171660011790555b60c980547fffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffff00169055801561275b57600080547fffffffffffffffffffffffffffffffffffffffffffffffffffffffffffff00ff16905550565b600054610100900460ff1680612b235750612b23612663565b80612b31575060005460ff16155b612b67576040517f08c379a00000000000000000000000000000000000000000000000000000000081526004016102f690613858565b600054610100900460ff16158015612bcd57600080547fffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffff007fffffffffffffffffffffffffffffffffffffffffffffffffffffffffffff00ff909116610100171660011790555b8251612be09060fe90602086019061304e565b508151612bf49060ff90602085019061304e565b5061010080547fffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffff001660121790558015612c5057600080547fffffffffffffffffffffffffffffffffffffffffffffffffffffffffffff00ff1690555b505050565b73ffffffffffffffffffffffffffffffffffffffff8216612ca2576040517f08c379a00000000000000000000000000000000000000000000000000000000081526004016102f6906138b5565b612cae82600083612c50565b612cfe81604051806060016040528060228152602001613bd96022913973ffffffffffffffffffffffffffffffffffffffff8516600090815260fb6020526040902054919063ffffffff6122a216565b73ffffffffffffffffffffffffffffffffffffffff8316600090815260fb602052604090205560fd54612d37908263ffffffff612fd316565b60fd5560405160009073ffffffffffffffffffffffffffffffffffffffff8416907fddf252ad1be2c89b69c2b068fc378daa952ba7f163c4a11628f55a4df523b3ef90612510908590613b73565b612c508363a9059cbb60e01b848460405160240161253d929190613360565b60c95460ff1615612de1576040517f08c379a00000000000000000000000000000000000000000000000000000000081526004016102f690613758565b60c980547fffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffff001660011790557f62e78cea01bee320cd4e420270b5ea74000d11b0c9f74754ebdbfc544b05a25861264c611ff9565b60008183612e70576040517f08c379a00000000000000000000000000000000000000000000000000000000081526004016102f691906133cc565b506000838581612e7c57fe5b0495945050505050565b612ea58273ffffffffffffffffffffffffffffffffffffffff16613015565b612edb576040517f08c379a00000000000000000000000000000000000000000000000000000000081526004016102f690613b05565b600060608373ffffffffffffffffffffffffffffffffffffffff1683604051612f0491906132cb565b6000604051808303816000865af19150503d8060008114612f41576040519150601f19603f3d011682016040523d82523d6000602084013e612f46565b606091505b509150915081612f82576040517f08c379a00000000000000000000000000000000000000000000000000000000081526004016102f6906136ec565b805115611ad15780806020019051810190612f9d9190613209565b611ad1576040517f08c379a00000000000000000000000000000000000000000000000000000000081526004016102f690613a3a565b600061232783836040518060400160405280601e81526020017f536166654d6174683a207375627472616374696f6e206f766572666c6f7700008152506122a2565b6000813f7fc5d2460186f7233c927e7db2dcc703c0e500b653ca82273b7bfad8045d85a470818114801590611341575050151592915050565b828054600181600116156101000203166002900490600052602060002090601f016020900481019282601f1061308f57805160ff19168380011785556130bc565b828001600101855582156130bc579182015b828111156130bc5782518255916020019190600101906130a1565b506130c89291506130cc565b5090565b6108d891905b808211156130c857600081556001016130d2565b805169ffffffffffffffffffff811681146108f357600080fd5b600060208284031215613111578081fd5b813561232781613bb6565b6000806040838503121561312e578081fd5b823561313981613bb6565b9150602083013561314981613bb6565b809150509250929050565b600080600060608486031215613168578081fd5b833561317381613bb6565b9250602084013561318381613bb6565b929592945050506040919091013590565b6000806000606084860312156131a8578283fd5b83356131b381613bb6565b925060208401356131c381613bb6565b915060408401356131d381613bb6565b809150509250925092565b600080604083850312156131f0578182fd5b82356131fb81613bb6565b946020939093013593505050565b60006020828403121561321a578081fd5b81518015158114612327578182fd5b60006020828403121561323a578081fd5b5035919050565b600060208284031215613252578081fd5b5051919050565b600080600080600060a08688031215613270578081fd5b61327a87876130e6565b945060208601519350604086015192506060860151915061329e87608088016130e6565b90509295509295909350565b6000602082840312156132bb578081fd5b815160ff81168114612327578182fd5b600082516132dd818460208701613b8a565b9190910192915050565b73ffffffffffffffffffffffffffffffffffffffff91909116815260200190565b73ffffffffffffffffffffffffffffffffffffffff92831681529116602082015260400190565b73ffffffffffffffffffffffffffffffffffffffff9384168152919092166020820152604081019190915260600190565b73ffffffffffffffffffffffffffffffffffffffff929092168252602082015260400190565b901515815260200190565b73ffffffffffffffffffffffffffffffffffffffff959095168552602085019390935260408401919091526060830152608082015260a00190565b60006020825282518060208401526133eb816040850160208701613b8a565b601f017fffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffe0169190910160400192915050565b60208082526023908201527f45524332303a207472616e7366657220746f20746865207a65726f206164647260408201527f6573730000000000000000000000000000000000000000000000000000000000606082015260800190565b60208082526013908201527f414d4f554e545f494e53554646494349454e5400000000000000000000000000604082015260600190565b60208082526014908201527f5061757361626c653a206e6f7420706175736564000000000000000000000000604082015260600190565b6020808252600f908201527f444f4e545f53454e445f45544845520000000000000000000000000000000000604082015260600190565b60208082526014908201527f42414c414e43455f494e53554646494349454e54000000000000000000000000604082015260600190565b60208082526026908201527f4f776e61626c653a206e6577206f776e657220697320746865207a65726f206160408201527f6464726573730000000000000000000000000000000000000000000000000000606082015260800190565b60208082526022908201527f45524332303a20617070726f766520746f20746865207a65726f20616464726560408201527f7373000000000000000000000000000000000000000000000000000000000000606082015260800190565b6020808252601c908201527f554e41424c455f544f5f52455452494556455f4554485f505249434500000000604082015260600190565b6020808252601b908201527f536166654d6174683a206164646974696f6e206f766572666c6f770000000000604082015260600190565b60208082526016908201527f414c4c4f57414e43455f494e53554646494349454e5400000000000000000000604082015260600190565b6020808252600d908201527f494e56414c49445f544f4b454e00000000000000000000000000000000000000604082015260600190565b6020808252818101527f5361666545524332303a206c6f772d6c6576656c2063616c6c206661696c6564604082015260600190565b6020808252600d908201527f494e56414c49445f41444d494e00000000000000000000000000000000000000604082015260600190565b60208082526010908201527f5061757361626c653a2070617573656400000000000000000000000000000000604082015260600190565b6020808252600b908201527f494e56414c49445f414747000000000000000000000000000000000000000000604082015260600190565b60208082526021908201527f536166654d6174683a206d756c7469706c69636174696f6e206f766572666c6f60408201527f7700000000000000000000000000000000000000000000000000000000000000606082015260800190565b6020808252818101527f4f776e61626c653a2063616c6c6572206973206e6f7420746865206f776e6572604082015260600190565b6020808252602e908201527f436f6e747261637420696e7374616e63652068617320616c726561647920626560408201527f656e20696e697469616c697a6564000000000000000000000000000000000000606082015260800190565b60208082526021908201527f45524332303a206275726e2066726f6d20746865207a65726f2061646472657360408201527f7300000000000000000000000000000000000000000000000000000000000000606082015260800190565b6020808252600a908201527f41444d494e5f4f4e4c5900000000000000000000000000000000000000000000604082015260600190565b60208082526025908201527f45524332303a207472616e736665722066726f6d20746865207a65726f20616460408201527f6472657373000000000000000000000000000000000000000000000000000000606082015260800190565b60208082526024908201527f45524332303a20617070726f76652066726f6d20746865207a65726f2061646460408201527f7265737300000000000000000000000000000000000000000000000000000000606082015260800190565b60208082526019908201527f494e53554646494349454e545f544f54414c5f535550504c5900000000000000604082015260600190565b6020808252602a908201527f5361666545524332303a204552433230206f7065726174696f6e20646964206e60408201527f6f74207375636365656400000000000000000000000000000000000000000000606082015260800190565b60208082526006908201527f4c4f434b45440000000000000000000000000000000000000000000000000000604082015260600190565b6020808252601f908201527f5265656e7472616e637947756172643a207265656e7472616e742063616c6c00604082015260600190565b6020808252601f908201527f5361666545524332303a2063616c6c20746f206e6f6e2d636f6e747261637400604082015260600190565b6020808252601f908201527f45524332303a206d696e7420746f20746865207a65726f206164647265737300604082015260600190565b90815260200190565b60ff91909116815260200190565b60005b83811015613ba5578181015183820152602001613b8d565b83811115611ad15750506000910152565b73ffffffffffffffffffffffffffffffffffffffff8116811461275b57600080fdfe45524332303a206275726e20616d6f756e7420657863656564732062616c616e636545524332303a207472616e7366657220616d6f756e7420657863656564732062616c616e636545524332303a207472616e7366657220616d6f756e74206578636565647320616c6c6f77616e636545524332303a2064656372656173656420616c6c6f77616e63652062656c6f77207a65726fa26469706673582212202bc270665807e5691675010f2c36fbb35b5534264d3f5449599be0ec6fa0823964736f6c634300060b0033
Deployed Bytecode
0x6080604052600436106102bf5760003560e01c806370a082311161016e578063a69df4b5116100cb578063dd62ed3e1161007f578063ecb2bd7611610064578063ecb2bd7614610714578063f2fde38b14610729578063f83d08ba14610749576102ff565b8063dd62ed3e146106df578063e12799b1146106ff576102ff565b8063ab74d7ff116100b0578063ab74d7ff1461068a578063c0c53b8b1461069f578063db006a75146106bf576102ff565b8063a69df4b514610655578063a9059cbb1461066a576102ff565b80637f8888161161012257806395d89b411161010757806395d89b411461060b578063a1a1f4d814610620578063a457c2d714610635576102ff565b80637f888816146105d65780638da5cb5b146105f6576102ff565b80637758f3fa116101535780637758f3fa1461058c5780637b436174146105a15780637d30c3e5146105b6576102ff565b806370a0823114610557578063715018a614610577576102ff565b8063395093511161021c57806351c6590a116101d05780635c975abb116101b55780635c975abb1461050d57806360b330ea1461052257806363d4854e14610537576102ff565b806351c6590a146104cd5780635222a0bb146104ed576102ff565b80634a3a3704116102015780634a3a3704146104785780634ee44608146104985780635070e837146104ad576102ff565b806339509351146104365780633e47158c14610456576102ff565b806318160ddd116102735780632c1e816d116102585780632c1e816d146103df578063313ce567146103ff5780633792991514610421576102ff565b806318160ddd146103aa57806323b872dd146103bf576102ff565b8063095ea7b3116102a4578063095ea7b314610346578063099ed69a1461037357806310aad3a914610388576102ff565b806303edfcbd1461030457806306fdde031461031b576102ff565b366102ff576040517f08c379a00000000000000000000000000000000000000000000000000000000081526004016102f6906134e8565b60405180910390fd5b600080fd5b34801561031057600080fd5b5061031961075e565b005b34801561032757600080fd5b50610330610826565b60405161033d91906133cc565b60405180910390f35b34801561035257600080fd5b506103666103613660046131de565b6108db565b60405161033d9190613386565b34801561037f57600080fd5b506103196108f9565b34801561039457600080fd5b5061039d6109a9565b60405161033d9190613b73565b3480156103b657600080fd5b5061039d6109af565b3480156103cb57600080fd5b506103666103da366004613154565b6109b5565b3480156103eb57600080fd5b506103196103fa366004613100565b610a5c565b34801561040b57600080fd5b50610414610b81565b60405161033d9190613b7c565b34801561042d57600080fd5b50610319610b8b565b34801561044257600080fd5b506103666104513660046131de565b610c3b565b34801561046257600080fd5b5061046b610c9c565b60405161033d91906132e7565b34801561048457600080fd5b5061039d610493366004613229565b610cb9565b3480156104a457600080fd5b50610366610da5565b3480156104b957600080fd5b506103196104c8366004613100565b610dc7565b3480156104d957600080fd5b506103196104e8366004613229565b610ee1565b3480156104f957600080fd5b5061039d610508366004613229565b6111e3565b34801561051957600080fd5b50610366611248565b34801561052e57600080fd5b50610366611251565b34801561054357600080fd5b5061039d610552366004613229565b611274565b34801561056357600080fd5b5061039d610572366004613100565b611349565b34801561058357600080fd5b50610319611371565b34801561059857600080fd5b5061046b61143c565b3480156105ad57600080fd5b50610319611459565b3480156105c257600080fd5b5061039d6105d1366004613229565b611520565b3480156105e257600080fd5b5061039d6105f1366004613229565b611544565b34801561060257600080fd5b5061046b611552565b34801561061757600080fd5b5061033061156e565b34801561062c57600080fd5b5061046b6115ed565b34801561064157600080fd5b506103666106503660046131de565b61160a565b34801561066157600080fd5b50610319611685565b34801561067657600080fd5b506103666106853660046131de565b6116eb565b34801561069657600080fd5b5061039d6116ff565b3480156106ab57600080fd5b506103196106ba366004613194565b6117e8565b3480156106cb57600080fd5b506103196106da366004613229565b611ad7565b3480156106eb57600080fd5b5061039d6106fa36600461311c565b611d26565b34801561070b57600080fd5b50610319611d5e565b34801561072057600080fd5b5061039d611db0565b34801561073557600080fd5b50610319610744366004613100565b611e5e565b34801561075557600080fd5b50610319611f95565b610766611ff9565b60655473ffffffffffffffffffffffffffffffffffffffff9081169116146107ba576040517f08c379a00000000000000000000000000000000000000000000000000000000081526004016102f690613823565b61012d80547fffffffffffffffffffff00ffffffffffffffffffffffffffffffffffffffffff1675010000000000000000000000000000000000000000001790556040517fdc9e8a8421142a9ed626a213703c3c3ea7ac9d321094c3a8239784961857a87f90600090a1565b60fe8054604080516020601f60027fffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffff6101006001881615020190951694909404938401819004810282018101909252828152606093909290918301828280156108d05780601f106108a5576101008083540402835291602001916108d0565b820191906000526020600020905b8154815290600101906020018083116108b357829003601f168201915b505050505090505b90565b60006108ef6108e8611ff9565b8484611ffd565b5060015b92915050565b610901611ff9565b60655473ffffffffffffffffffffffffffffffffffffffff908116911614610955576040517f08c379a00000000000000000000000000000000000000000000000000000000081526004016102f690613823565b61012d80547fffffffffffffffffffff00ffffffffffffffffffffffffffffffffffffffffff1690556040517ff0261bb347838e4107df59bd80ad09cf7a3703e484bd3cd4167634c1d41e60c690600090a1565b6103e881565b60fd5490565b60006109c284848461210c565b610a52846109ce611ff9565b610a4d85604051806060016040528060288152602001613c216028913973ffffffffffffffffffffffffffffffffffffffff8a16600090815260fc6020526040812090610a19611ff9565b73ffffffffffffffffffffffffffffffffffffffff168152602081019190915260400160002054919063ffffffff6122a216565b611ffd565b5060019392505050565b610a64611ff9565b60655473ffffffffffffffffffffffffffffffffffffffff908116911614610ab8576040517f08c379a00000000000000000000000000000000000000000000000000000000081526004016102f690613823565b73ffffffffffffffffffffffffffffffffffffffff8116610b05576040517f08c379a00000000000000000000000000000000000000000000000000000000081526004016102f690613721565b61012d80547fffffffffffffffffffffffff00000000000000000000000000000000000000001673ffffffffffffffffffffffffffffffffffffffff83161790556040517f7ce7ec0b50378fb6c0186ffb5f48325f6593fcb4ca4386f21861af3129188f5c90610b769083906132e7565b60405180910390a150565b6101005460ff1690565b610b93611ff9565b60655473ffffffffffffffffffffffffffffffffffffffff908116911614610be7576040517f08c379a00000000000000000000000000000000000000000000000000000000081526004016102f690613823565b61012d80547fffffffffffffffffffffff00ffffffffffffffffffffffffffffffffffffffff1690556040517f8710e363d0b73d2b34e9c5db1cfdeac689eda396272ebb0996410c22a32bb52090600090a1565b60006108ef610c48611ff9565b84610a4d8560fc6000610c59611ff9565b73ffffffffffffffffffffffffffffffffffffffff908116825260208083019390935260409182016000908120918c16815292529020549063ffffffff6122e816565b61012d5473ffffffffffffffffffffffffffffffffffffffff1681565b600081610cc857506000610da0565b61012e54604080517f313ce567000000000000000000000000000000000000000000000000000000008152905160009273ffffffffffffffffffffffffffffffffffffffff169163313ce567916004808301926020929190829003018186803b158015610d3457600080fd5b505afa158015610d48573d6000803e3d6000fd5b505050506040513d601f19601f82011682018060405250810190610d6c91906132aa565b60ff169050610d9c81600a0a610d9085610d846116ff565b9063ffffffff61232e16565b9063ffffffff61238216565b9150505b919050565b61012d5474010000000000000000000000000000000000000000900460ff1681565b610dcf611ff9565b60655473ffffffffffffffffffffffffffffffffffffffff908116911614610e23576040517f08c379a00000000000000000000000000000000000000000000000000000000081526004016102f690613823565b73ffffffffffffffffffffffffffffffffffffffff8116610e70576040517f08c379a00000000000000000000000000000000000000000000000000000000081526004016102f69061378f565b61012f80547fffffffffffffffffffffffff00000000000000000000000000000000000000001673ffffffffffffffffffffffffffffffffffffffff83161790556040517f2ef682c7abd1a9cd089f112d98541733dbda85c098655988a426d7cc312611ca90610b769083906132e7565b60975460ff16610f1d576040517f08c379a00000000000000000000000000000000000000000000000000000000081526004016102f690613ace565b609780547fffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffff0016905560c95460ff1615610f82576040517f08c379a00000000000000000000000000000000000000000000000000000000081526004016102f690613758565b61012d5474010000000000000000000000000000000000000000900460ff1615610fd8576040517f08c379a00000000000000000000000000000000000000000000000000000000081526004016102f690613a97565b60008111611012576040517f08c379a00000000000000000000000000000000000000000000000000000000081526004016102f69061347a565b61012e546040517fdd62ed3e000000000000000000000000000000000000000000000000000000008152829173ffffffffffffffffffffffffffffffffffffffff169063dd62ed3e9061106b9033903090600401613308565b60206040518083038186803b15801561108357600080fd5b505afa158015611097573d6000803e3d6000fd5b505050506040513d601f19601f820116820180604052508101906110bb9190613241565b10156110f3576040517f08c379a00000000000000000000000000000000000000000000000000000000081526004016102f69061367e565b60006110fe82610cb9565b9050600061110a611db0565b9050600061111883836123c4565b9050611124338261240f565b61012e546111509073ffffffffffffffffffffffffffffffffffffffff1633308763ffffffff61251c16565b61012e5433907f1007a3216ede761d72e5daf332025b2f5004706046cc7618df0dae4130549b8e9073ffffffffffffffffffffffffffffffffffffffff16868487611199611db0565b6040516111aa959493929190613391565b60405180910390a25050609780547fffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffff001660011790555050565b6000806111ee6109af565b11611225576040517f08c379a00000000000000000000000000000000000000000000000000000000081526004016102f690613a03565b6108f36112306109af565b610d9061123b611db0565b859063ffffffff61232e16565b60c95460ff1690565b61012d547501000000000000000000000000000000000000000000900460ff1681565b60008061127f6116ff565b9050600061012e60009054906101000a900473ffffffffffffffffffffffffffffffffffffffff1673ffffffffffffffffffffffffffffffffffffffff1663313ce5676040518163ffffffff1660e01b815260040160206040518083038186803b1580156112ec57600080fd5b505afa158015611300573d6000803e3d6000fd5b505050506040513d601f19601f8201168201806040525081019061132491906132aa565b60ff16905061134182610d90600a84900a8763ffffffff61232e16565b949350505050565b73ffffffffffffffffffffffffffffffffffffffff16600090815260fb602052604090205490565b611379611ff9565b60655473ffffffffffffffffffffffffffffffffffffffff9081169116146113cd576040517f08c379a00000000000000000000000000000000000000000000000000000000081526004016102f690613823565b60655460405160009173ffffffffffffffffffffffffffffffffffffffff16907f8be0079c531659141344cd1fd0a4f28419497f9722a3daafe3b4186f6b6457e0908390a3606580547fffffffffffffffffffffffff0000000000000000000000000000000000000000169055565b61012e5473ffffffffffffffffffffffffffffffffffffffff1681565b611461611ff9565b60655473ffffffffffffffffffffffffffffffffffffffff9081169116146114b5576040517f08c379a00000000000000000000000000000000000000000000000000000000081526004016102f690613823565b61012d80547fffffffffffffffffffffff00ffffffffffffffffffffffffffffffffffffffff16740100000000000000000000000000000000000000001790556040517f74575b08abfa9e3fb5439ba1f85bc043f5a282e848d6ac9b58f7fe054a72e49590600090a1565b60008061152c83610cb9565b90506000611538611db0565b905061134182826123c4565b60006108f3610552836111e3565b60655473ffffffffffffffffffffffffffffffffffffffff1690565b60ff8054604080516020601f60027fffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffff6101006001881615020190951694909404938401819004810282018101909252828152606093909290918301828280156108d05780601f106108a5576101008083540402835291602001916108d0565b61012f5473ffffffffffffffffffffffffffffffffffffffff1681565b60006108ef611617611ff9565b84610a4d85604051806060016040528060258152602001613c496025913960fc6000611641611ff9565b73ffffffffffffffffffffffffffffffffffffffff908116825260208083019390935260409182016000908120918d1681529252902054919063ffffffff6122a216565b61168d611ff9565b60655473ffffffffffffffffffffffffffffffffffffffff9081169116146116e1576040517f08c379a00000000000000000000000000000000000000000000000000000000081526004016102f690613823565b6116e96125bf565b565b60006108ef6116f8611ff9565b848461210c565b60008061012f60009054906101000a900473ffffffffffffffffffffffffffffffffffffffff1673ffffffffffffffffffffffffffffffffffffffff1663feaf968c6040518163ffffffff1660e01b815260040160a06040518083038186803b15801561176b57600080fd5b505afa15801561177f573d6000803e3d6000fd5b505050506040513d601f19601f820116820180604052508101906117a39190613259565b505050915050600081136117e3576040517f08c379a00000000000000000000000000000000000000000000000000000000081526004016102f690613610565b905090565b600054610100900460ff16806118015750611801612663565b8061180f575060005460ff16155b611845576040517f08c379a00000000000000000000000000000000000000000000000000000000081526004016102f690613858565b600054610100900460ff161580156118ab57600080547fffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffff007fffffffffffffffffffffffffffffffffffffffffffffffffffffffffffff00ff909116610100171660011790555b73ffffffffffffffffffffffffffffffffffffffff84166118f8576040517f08c379a00000000000000000000000000000000000000000000000000000000081526004016102f690613721565b73ffffffffffffffffffffffffffffffffffffffff8316611945576040517f08c379a00000000000000000000000000000000000000000000000000000000081526004016102f6906136b5565b73ffffffffffffffffffffffffffffffffffffffff8216611992576040517f08c379a00000000000000000000000000000000000000000000000000000000081526004016102f69061378f565b61199a612669565b6119a261275e565b6119aa6128cf565b6119b26129ee565b611a266040518060400160405280600e81526020017f41505920506f6f6c20546f6b656e0000000000000000000000000000000000008152506040518060400160405280600381526020017f4150540000000000000000000000000000000000000000000000000000000000815250612b0a565b611a2f84610a5c565b61012d80547fffffffffffffffffffff0000ffffffffffffffffffffffffffffffffffffffff16905561012e80547fffffffffffffffffffffffff00000000000000000000000000000000000000001673ffffffffffffffffffffffffffffffffffffffff8516179055611aa282610dc7565b8015611ad157600080547fffffffffffffffffffffffffffffffffffffffffffffffffffffffffffff00ff1690555b50505050565b60975460ff16611b13576040517f08c379a00000000000000000000000000000000000000000000000000000000081526004016102f690613ace565b609780547fffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffff0016905560c95460ff1615611b78576040517f08c379a00000000000000000000000000000000000000000000000000000000081526004016102f690613758565b61012d547501000000000000000000000000000000000000000000900460ff1615611bcf576040517f08c379a00000000000000000000000000000000000000000000000000000000081526004016102f690613a97565b60008111611c09576040517f08c379a00000000000000000000000000000000000000000000000000000000081526004016102f69061347a565b611c1233611349565b811115611c4b576040517f08c379a00000000000000000000000000000000000000000000000000000000081526004016102f69061351f565b6000611c5682611544565b9050611c623383612c55565b61012e54611c8d9073ffffffffffffffffffffffffffffffffffffffff16338363ffffffff612d8516565b61012e5433907f4b75ef029c63babe26e39ba4a5f3ecf483fc05b28644eb915f53ea7bf5ed96099073ffffffffffffffffffffffffffffffffffffffff168385611cd682610cb9565b611cde611db0565b604051611cef959493929190613391565b60405180910390a25050609780547fffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffff00166001179055565b73ffffffffffffffffffffffffffffffffffffffff918216600090815260fc6020908152604080832093909416825291909152205490565b61012d5473ffffffffffffffffffffffffffffffffffffffff1633146116e9576040517f08c379a00000000000000000000000000000000000000000000000000000000081526004016102f690613912565b61012e546040517f70a082310000000000000000000000000000000000000000000000000000000081526000916117e39173ffffffffffffffffffffffffffffffffffffffff909116906370a0823190611e0e9030906004016132e7565b60206040518083038186803b158015611e2657600080fd5b505afa158015611e3a573d6000803e3d6000fd5b505050506040513d601f19601f820116820180604052508101906104939190613241565b611e66611ff9565b60655473ffffffffffffffffffffffffffffffffffffffff908116911614611eba576040517f08c379a00000000000000000000000000000000000000000000000000000000081526004016102f690613823565b73ffffffffffffffffffffffffffffffffffffffff8116611f07576040517f08c379a00000000000000000000000000000000000000000000000000000000081526004016102f690613556565b60655460405173ffffffffffffffffffffffffffffffffffffffff8084169216907f8be0079c531659141344cd1fd0a4f28419497f9722a3daafe3b4186f6b6457e090600090a3606580547fffffffffffffffffffffffff00000000000000000000000000000000000000001673ffffffffffffffffffffffffffffffffffffffff92909216919091179055565b611f9d611ff9565b60655473ffffffffffffffffffffffffffffffffffffffff908116911614611ff1576040517f08c379a00000000000000000000000000000000000000000000000000000000081526004016102f690613823565b6116e9612da4565b3390565b73ffffffffffffffffffffffffffffffffffffffff831661204a576040517f08c379a00000000000000000000000000000000000000000000000000000000081526004016102f6906139a6565b73ffffffffffffffffffffffffffffffffffffffff8216612097576040517f08c379a00000000000000000000000000000000000000000000000000000000081526004016102f6906135b3565b73ffffffffffffffffffffffffffffffffffffffff808416600081815260fc602090815260408083209487168084529490915290819020849055517f8c5be1e5ebec7d5bd14f71427d1e84f3dd0314c0f7b2291e5b200ac8c7c3b925906120ff908590613b73565b60405180910390a3505050565b73ffffffffffffffffffffffffffffffffffffffff8316612159576040517f08c379a00000000000000000000000000000000000000000000000000000000081526004016102f690613949565b73ffffffffffffffffffffffffffffffffffffffff82166121a6576040517f08c379a00000000000000000000000000000000000000000000000000000000081526004016102f69061341d565b6121b1838383612c50565b61220181604051806060016040528060268152602001613bfb6026913973ffffffffffffffffffffffffffffffffffffffff8616600090815260fb6020526040902054919063ffffffff6122a216565b73ffffffffffffffffffffffffffffffffffffffff808516600090815260fb60205260408082209390935590841681522054612243908263ffffffff6122e816565b73ffffffffffffffffffffffffffffffffffffffff808416600081815260fb602052604090819020939093559151908516907fddf252ad1be2c89b69c2b068fc378daa952ba7f163c4a11628f55a4df523b3ef906120ff908590613b73565b600081848411156122e0576040517f08c379a00000000000000000000000000000000000000000000000000000000081526004016102f691906133cc565b505050900390565b600082820183811015612327576040517f08c379a00000000000000000000000000000000000000000000000000000000081526004016102f690613647565b9392505050565b60008261233d575060006108f3565b8282028284828161234a57fe5b0414612327576040517f08c379a00000000000000000000000000000000000000000000000000000000081526004016102f6906137c6565b600061232783836040518060400160405280601a81526020017f536166654d6174683a206469766973696f6e206279207a65726f000000000000815250612e35565b6000806123cf6109af565b90508215806123dc575080155b156123fb576123f3846103e863ffffffff61232e16565b9150506108f3565b61134183610d90868463ffffffff61232e16565b73ffffffffffffffffffffffffffffffffffffffff821661245c576040517f08c379a00000000000000000000000000000000000000000000000000000000081526004016102f690613b3c565b61246860008383612c50565b60fd5461247b908263ffffffff6122e816565b60fd5573ffffffffffffffffffffffffffffffffffffffff8216600090815260fb60205260409020546124b4908263ffffffff6122e816565b73ffffffffffffffffffffffffffffffffffffffff8316600081815260fb60205260408082209390935591519091907fddf252ad1be2c89b69c2b068fc378daa952ba7f163c4a11628f55a4df523b3ef90612510908590613b73565b60405180910390a35050565b611ad1846323b872dd60e01b85858560405160240161253d9392919061332f565b604080517fffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffe08184030181529190526020810180517bffffffffffffffffffffffffffffffffffffffffffffffffffffffff167fffffffff0000000000000000000000000000000000000000000000000000000090931692909217909152612e86565b60c95460ff166125fb576040517f08c379a00000000000000000000000000000000000000000000000000000000081526004016102f6906134b1565b60c980547fffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffff001690557f5db9ee0a495bf2e6ff9c91a7834c1ba4fdd244a5e8aa4e537bd38aeae4b073aa61264c611ff9565b60405161265991906132e7565b60405180910390a1565b303b1590565b600054610100900460ff16806126825750612682612663565b80612690575060005460ff16155b6126c6576040517f08c379a00000000000000000000000000000000000000000000000000000000081526004016102f690613858565b600054610100900460ff1615801561272c57600080547fffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffff007fffffffffffffffffffffffffffffffffffffffffffffffffffffffffffff00ff909116610100171660011790555b801561275b57600080547fffffffffffffffffffffffffffffffffffffffffffffffffffffffffffff00ff1690555b50565b600054610100900460ff16806127775750612777612663565b80612785575060005460ff16155b6127bb576040517f08c379a00000000000000000000000000000000000000000000000000000000081526004016102f690613858565b600054610100900460ff1615801561282157600080547fffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffff007fffffffffffffffffffffffffffffffffffffffffffffffffffffffffffff00ff909116610100171660011790555b600061282b611ff9565b606580547fffffffffffffffffffffffff00000000000000000000000000000000000000001673ffffffffffffffffffffffffffffffffffffffff8316908117909155604051919250906000907f8be0079c531659141344cd1fd0a4f28419497f9722a3daafe3b4186f6b6457e0908290a350801561275b57600080547fffffffffffffffffffffffffffffffffffffffffffffffffffffffffffff00ff16905550565b600054610100900460ff16806128e857506128e8612663565b806128f6575060005460ff16155b61292c576040517f08c379a00000000000000000000000000000000000000000000000000000000081526004016102f690613858565b600054610100900460ff1615801561299257600080547fffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffff007fffffffffffffffffffffffffffffffffffffffffffffffffffffffffffff00ff909116610100171660011790555b609780547fffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffff00166001179055801561275b57600080547fffffffffffffffffffffffffffffffffffffffffffffffffffffffffffff00ff16905550565b600054610100900460ff1680612a075750612a07612663565b80612a15575060005460ff16155b612a4b576040517f08c379a00000000000000000000000000000000000000000000000000000000081526004016102f690613858565b600054610100900460ff16158015612ab157600080547fffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffff007fffffffffffffffffffffffffffffffffffffffffffffffffffffffffffff00ff909116610100171660011790555b60c980547fffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffff00169055801561275b57600080547fffffffffffffffffffffffffffffffffffffffffffffffffffffffffffff00ff16905550565b600054610100900460ff1680612b235750612b23612663565b80612b31575060005460ff16155b612b67576040517f08c379a00000000000000000000000000000000000000000000000000000000081526004016102f690613858565b600054610100900460ff16158015612bcd57600080547fffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffff007fffffffffffffffffffffffffffffffffffffffffffffffffffffffffffff00ff909116610100171660011790555b8251612be09060fe90602086019061304e565b508151612bf49060ff90602085019061304e565b5061010080547fffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffff001660121790558015612c5057600080547fffffffffffffffffffffffffffffffffffffffffffffffffffffffffffff00ff1690555b505050565b73ffffffffffffffffffffffffffffffffffffffff8216612ca2576040517f08c379a00000000000000000000000000000000000000000000000000000000081526004016102f6906138b5565b612cae82600083612c50565b612cfe81604051806060016040528060228152602001613bd96022913973ffffffffffffffffffffffffffffffffffffffff8516600090815260fb6020526040902054919063ffffffff6122a216565b73ffffffffffffffffffffffffffffffffffffffff8316600090815260fb602052604090205560fd54612d37908263ffffffff612fd316565b60fd5560405160009073ffffffffffffffffffffffffffffffffffffffff8416907fddf252ad1be2c89b69c2b068fc378daa952ba7f163c4a11628f55a4df523b3ef90612510908590613b73565b612c508363a9059cbb60e01b848460405160240161253d929190613360565b60c95460ff1615612de1576040517f08c379a00000000000000000000000000000000000000000000000000000000081526004016102f690613758565b60c980547fffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffff001660011790557f62e78cea01bee320cd4e420270b5ea74000d11b0c9f74754ebdbfc544b05a25861264c611ff9565b60008183612e70576040517f08c379a00000000000000000000000000000000000000000000000000000000081526004016102f691906133cc565b506000838581612e7c57fe5b0495945050505050565b612ea58273ffffffffffffffffffffffffffffffffffffffff16613015565b612edb576040517f08c379a00000000000000000000000000000000000000000000000000000000081526004016102f690613b05565b600060608373ffffffffffffffffffffffffffffffffffffffff1683604051612f0491906132cb565b6000604051808303816000865af19150503d8060008114612f41576040519150601f19603f3d011682016040523d82523d6000602084013e612f46565b606091505b509150915081612f82576040517f08c379a00000000000000000000000000000000000000000000000000000000081526004016102f6906136ec565b805115611ad15780806020019051810190612f9d9190613209565b611ad1576040517f08c379a00000000000000000000000000000000000000000000000000000000081526004016102f690613a3a565b600061232783836040518060400160405280601e81526020017f536166654d6174683a207375627472616374696f6e206f766572666c6f7700008152506122a2565b6000813f7fc5d2460186f7233c927e7db2dcc703c0e500b653ca82273b7bfad8045d85a470818114801590611341575050151592915050565b828054600181600116156101000203166002900490600052602060002090601f016020900481019282601f1061308f57805160ff19168380011785556130bc565b828001600101855582156130bc579182015b828111156130bc5782518255916020019190600101906130a1565b506130c89291506130cc565b5090565b6108d891905b808211156130c857600081556001016130d2565b805169ffffffffffffffffffff811681146108f357600080fd5b600060208284031215613111578081fd5b813561232781613bb6565b6000806040838503121561312e578081fd5b823561313981613bb6565b9150602083013561314981613bb6565b809150509250929050565b600080600060608486031215613168578081fd5b833561317381613bb6565b9250602084013561318381613bb6565b929592945050506040919091013590565b6000806000606084860312156131a8578283fd5b83356131b381613bb6565b925060208401356131c381613bb6565b915060408401356131d381613bb6565b809150509250925092565b600080604083850312156131f0578182fd5b82356131fb81613bb6565b946020939093013593505050565b60006020828403121561321a578081fd5b81518015158114612327578182fd5b60006020828403121561323a578081fd5b5035919050565b600060208284031215613252578081fd5b5051919050565b600080600080600060a08688031215613270578081fd5b61327a87876130e6565b945060208601519350604086015192506060860151915061329e87608088016130e6565b90509295509295909350565b6000602082840312156132bb578081fd5b815160ff81168114612327578182fd5b600082516132dd818460208701613b8a565b9190910192915050565b73ffffffffffffffffffffffffffffffffffffffff91909116815260200190565b73ffffffffffffffffffffffffffffffffffffffff92831681529116602082015260400190565b73ffffffffffffffffffffffffffffffffffffffff9384168152919092166020820152604081019190915260600190565b73ffffffffffffffffffffffffffffffffffffffff929092168252602082015260400190565b901515815260200190565b73ffffffffffffffffffffffffffffffffffffffff959095168552602085019390935260408401919091526060830152608082015260a00190565b60006020825282518060208401526133eb816040850160208701613b8a565b601f017fffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffe0169190910160400192915050565b60208082526023908201527f45524332303a207472616e7366657220746f20746865207a65726f206164647260408201527f6573730000000000000000000000000000000000000000000000000000000000606082015260800190565b60208082526013908201527f414d4f554e545f494e53554646494349454e5400000000000000000000000000604082015260600190565b60208082526014908201527f5061757361626c653a206e6f7420706175736564000000000000000000000000604082015260600190565b6020808252600f908201527f444f4e545f53454e445f45544845520000000000000000000000000000000000604082015260600190565b60208082526014908201527f42414c414e43455f494e53554646494349454e54000000000000000000000000604082015260600190565b60208082526026908201527f4f776e61626c653a206e6577206f776e657220697320746865207a65726f206160408201527f6464726573730000000000000000000000000000000000000000000000000000606082015260800190565b60208082526022908201527f45524332303a20617070726f766520746f20746865207a65726f20616464726560408201527f7373000000000000000000000000000000000000000000000000000000000000606082015260800190565b6020808252601c908201527f554e41424c455f544f5f52455452494556455f4554485f505249434500000000604082015260600190565b6020808252601b908201527f536166654d6174683a206164646974696f6e206f766572666c6f770000000000604082015260600190565b60208082526016908201527f414c4c4f57414e43455f494e53554646494349454e5400000000000000000000604082015260600190565b6020808252600d908201527f494e56414c49445f544f4b454e00000000000000000000000000000000000000604082015260600190565b6020808252818101527f5361666545524332303a206c6f772d6c6576656c2063616c6c206661696c6564604082015260600190565b6020808252600d908201527f494e56414c49445f41444d494e00000000000000000000000000000000000000604082015260600190565b60208082526010908201527f5061757361626c653a2070617573656400000000000000000000000000000000604082015260600190565b6020808252600b908201527f494e56414c49445f414747000000000000000000000000000000000000000000604082015260600190565b60208082526021908201527f536166654d6174683a206d756c7469706c69636174696f6e206f766572666c6f60408201527f7700000000000000000000000000000000000000000000000000000000000000606082015260800190565b6020808252818101527f4f776e61626c653a2063616c6c6572206973206e6f7420746865206f776e6572604082015260600190565b6020808252602e908201527f436f6e747261637420696e7374616e63652068617320616c726561647920626560408201527f656e20696e697469616c697a6564000000000000000000000000000000000000606082015260800190565b60208082526021908201527f45524332303a206275726e2066726f6d20746865207a65726f2061646472657360408201527f7300000000000000000000000000000000000000000000000000000000000000606082015260800190565b6020808252600a908201527f41444d494e5f4f4e4c5900000000000000000000000000000000000000000000604082015260600190565b60208082526025908201527f45524332303a207472616e736665722066726f6d20746865207a65726f20616460408201527f6472657373000000000000000000000000000000000000000000000000000000606082015260800190565b60208082526024908201527f45524332303a20617070726f76652066726f6d20746865207a65726f2061646460408201527f7265737300000000000000000000000000000000000000000000000000000000606082015260800190565b60208082526019908201527f494e53554646494349454e545f544f54414c5f535550504c5900000000000000604082015260600190565b6020808252602a908201527f5361666545524332303a204552433230206f7065726174696f6e20646964206e60408201527f6f74207375636365656400000000000000000000000000000000000000000000606082015260800190565b60208082526006908201527f4c4f434b45440000000000000000000000000000000000000000000000000000604082015260600190565b6020808252601f908201527f5265656e7472616e637947756172643a207265656e7472616e742063616c6c00604082015260600190565b6020808252601f908201527f5361666545524332303a2063616c6c20746f206e6f6e2d636f6e747261637400604082015260600190565b6020808252601f908201527f45524332303a206d696e7420746f20746865207a65726f206164647265737300604082015260600190565b90815260200190565b60ff91909116815260200190565b60005b83811015613ba5578181015183820152602001613b8d565b83811115611ad15750506000910152565b73ffffffffffffffffffffffffffffffffffffffff8116811461275b57600080fdfe45524332303a206275726e20616d6f756e7420657863656564732062616c616e636545524332303a207472616e7366657220616d6f756e7420657863656564732062616c616e636545524332303a207472616e7366657220616d6f756e74206578636565647320616c6c6f77616e636545524332303a2064656372656173656420616c6c6f77616e63652062656c6f77207a65726fa26469706673582212202bc270665807e5691675010f2c36fbb35b5534264d3f5449599be0ec6fa0823964736f6c634300060b0033
Loading...
Loading
Loading...
Loading
Multichain Portfolio | 30 Chains
Chain | Token | Portfolio % | Price | Amount | Value |
---|
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.