ETH Price: $2,957.91 (+0.90%)
 

Overview

Max Total Supply

10,000,000,000 AMETA

Holders

23,767 (0.00%)

Market

Price

$0.0004 @ 0.000000 ETH (-5.20%)

Onchain Market Cap

$3,971,200.00

Circulating Supply Market Cap

$3,972,569.00

Other Info

Token Contract (WITH 18 Decimals)

Balance
5,472,000 AMETA

Value
$2,173.04 ( ~0.734654628654622 ETH) [0.0547%]
0xea05af96cf6916a82956bebcf848364b257819e2
Loading...
Loading
Loading...
Loading
Loading...
Loading

OVERVIEW

Alpha City is a blockchain-powered virtual world created with Unreal Engine 5. Users can create, explore and monetize their content.

Contract Source Code Verified (Exact Match)

Contract Name:
AMetaToken

Compiler Version
v0.8.23+commit.f704f362

Optimization Enabled:
No with 200 runs

Other Settings:
shanghai EvmVersion
// SPDX-License-Identifier: MIT

/**
 * @title AMetaToken
 * @dev ERC20 token with controlled trading launch mechanism, blacklist functionality, and liquidity pool integration.
 *
 * Features:
 * - Trading is initially disabled and requires 2 Meta City Councilors to perform buy swaps to enable
 * - Owner can blacklist addresses for security purposes
 * - Integration with Uniswap V3 liquidity pool
 * - Owner can recover accidentally sent ERC20 tokens and ETH
 */

pragma solidity 0.8.23;

import {ERC20} from "@openzeppelin/contracts/token/ERC20/ERC20.sol";
import {IERC20} from "@openzeppelin/contracts/token/ERC20/IERC20.sol";
import {SafeERC20} from "@openzeppelin/contracts/token/ERC20/utils/SafeERC20.sol";
import {Ownable} from "@openzeppelin/contracts/access/Ownable.sol";

contract AMetaToken is ERC20, Ownable {
    using SafeERC20 for IERC20;

    // Trading control
    bool public tradingEnabled;
    address public v3LiquidityPool;

    // Meta City Councilor tracking
    mapping(address => bool) private _metaCityCouncilor;
    uint256 private _metaCityCouncilorBuyCount;
    uint256 private constant _metaCityCouncilorLimit = 3;

    // Security
    mapping(address => uint256) private _blacklisted; // Using uint256 instead of bool for gas optimization

    // Add router addresses
    address public constant UNISWAP_V3_ROUTER =
        0x2626664c2603336E57B271c5C0b26F421741e481;
    address public constant UNISWAP_V3_NFT_MANAGER =
        0x03a520b32C04BF3bEEf7BEb72E919cf822Ed34f1;

    // Events
    event Blacklisted(address indexed account);
    event TradingEnabled(uint256 timestamp);
    event Unblacklisted(address indexed account);
    event V3LiquidityPoolSet(address indexed oldPool, address indexed newPool);

    // Custom errors
    error BlacklistedAddress();
    error DuplicateCouncilor();
    error ETHRecoveryFailed();
    error InvalidAmount();
    error InvalidCouncilorCount();
    error TradingAlreadyEnabled();
    error TradingNotEnabled();
    error UnauthorizedTransfer();
    error ZeroAddress();

    constructor(
        address[] memory metaCityCouncilors
    ) ERC20("Alpha City", "AMETA") Ownable(msg.sender) {
        if (metaCityCouncilors.length != _metaCityCouncilorLimit)
            revert InvalidCouncilorCount();

        uint256 length = metaCityCouncilors.length;
        for (uint256 i = 0; i < length; ) {
            if (metaCityCouncilors[i] == address(0)) revert ZeroAddress();
            if (_metaCityCouncilor[metaCityCouncilors[i]])
                revert DuplicateCouncilor();

            _metaCityCouncilor[metaCityCouncilors[i]] = true;

            unchecked {
                ++i;
            }
        }

        _mint(owner(), 10_000_000_000 * 10 ** decimals());
    }

    function blacklist(address account) external onlyOwner {
        if (account == address(0)) revert ZeroAddress();
        _blacklisted[account] = 1;
        emit Blacklisted(account);
    }

    function blacklistMultiple(address[] calldata accounts) external onlyOwner {
        uint256 length = accounts.length;
        for (uint256 i = 0; i < length; ) {
            if (accounts[i] == address(0)) revert ZeroAddress();
            _blacklisted[accounts[i]] = 1;
            emit Blacklisted(accounts[i]);
            unchecked {
                ++i;
            }
        }
    }

    function unblacklist(address account) external onlyOwner {
        if (account == address(0)) revert ZeroAddress();
        _blacklisted[account] = 0;
        emit Unblacklisted(account);
    }

    function unblacklistMultiple(
        address[] calldata accounts
    ) external onlyOwner {
        uint256 length = accounts.length;
        for (uint256 i = 0; i < length; ) {
            if (accounts[i] == address(0)) revert ZeroAddress();
            _blacklisted[accounts[i]] = 0;
            emit Unblacklisted(accounts[i]);
            unchecked {
                ++i;
            }
        }
    }

    function isBlacklisted(address account) external view returns (bool) {
        return _blacklisted[account] == 1;
    }

    function setV3LiquidityPool(address _v3LiquidityPool) external onlyOwner {
        if (_v3LiquidityPool == address(0)) revert ZeroAddress();
        address oldPool = v3LiquidityPool;
        v3LiquidityPool = _v3LiquidityPool;
        emit V3LiquidityPoolSet(oldPool, _v3LiquidityPool);
    }

    function enableTrading() external onlyOwner {
        if (tradingEnabled) revert TradingAlreadyEnabled();
        tradingEnabled = true;
        emit TradingEnabled(block.timestamp);
    }

    function _update(
        address from,
        address to,
        uint256 amount
    ) internal virtual override {
        // Basic validation
        if (amount == 0) revert InvalidAmount();

        // Blacklist check should happen first
        if (_blacklisted[from] == 1 || _blacklisted[to] == 1)
            revert BlacklistedAddress();

        // Minting operations are always allowed
        if (from == address(0)) {
            super._update(from, to, amount);
            return;
        }

        // Pre-trading phase checks
        if (!tradingEnabled) {
            // Allow owner to transfer to LP and NFT manager for initial setup
            if (from == owner()) {
                super._update(from, to, amount);
                return;
            }

            // Special case: Allow councilor buys from LP
            if (from == v3LiquidityPool && _metaCityCouncilor[to]) {
                unchecked {
                    ++_metaCityCouncilorBuyCount;
                }

                // Enable trading if all councilors have bought
                if (_metaCityCouncilorBuyCount == _metaCityCouncilorLimit) {
                    tradingEnabled = true;
                    emit TradingEnabled(block.timestamp);
                }

                super._update(from, to, amount);
                return;
            }

            // Block all other transfers before trading is enabled
            revert UnauthorizedTransfer();
        }

        // After trading enabled, allow all non-blacklisted transfers
        super._update(from, to, amount);
    }

    function transferERC20Token(
        address _token,
        address _to,
        uint256 _amount
    ) external onlyOwner returns (bool) {
        if (_token == address(0)) revert ZeroAddress();
        if (_to == address(0)) revert ZeroAddress();
        if (_amount == 0) revert InvalidAmount();

        IERC20(_token).safeTransfer(_to, _amount);
        return true;
    }

    /**
     * @dev Recovers ETH accidentally sent to the contract
     * @notice This function is non-reentrant by design since it's the last call
     */
    function recoverETH() external onlyOwner {
        uint256 balance = address(this).balance;
        if (balance == 0) revert InvalidAmount();

        (bool success, ) = msg.sender.call{value: balance}("");
        if (!success) revert ETHRecoveryFailed();
    }
}

// SPDX-License-Identifier: MIT
// OpenZeppelin Contracts (last updated v5.2.0) (token/ERC20/ERC20.sol)

pragma solidity ^0.8.20;

import {IERC20} from "./IERC20.sol";
import {IERC20Metadata} from "./extensions/IERC20Metadata.sol";
import {Context} from "../../utils/Context.sol";
import {IERC20Errors} from "../../interfaces/draft-IERC6093.sol";

/**
 * @dev Implementation of the {IERC20} interface.
 *
 * This implementation is agnostic to the way tokens are created. This means
 * that a supply mechanism has to be added in a derived contract using {_mint}.
 *
 * TIP: For a detailed writeup see our guide
 * https://forum.openzeppelin.com/t/how-to-implement-erc20-supply-mechanisms/226[How
 * to implement supply mechanisms].
 *
 * The default value of {decimals} is 18. To change this, you should override
 * this function so it returns a different value.
 *
 * We have followed general OpenZeppelin Contracts guidelines: functions revert
 * instead returning `false` on failure. This behavior is nonetheless
 * conventional and does not conflict with the expectations of ERC-20
 * applications.
 */
abstract contract ERC20 is Context, IERC20, IERC20Metadata, IERC20Errors {
    mapping(address account => uint256) private _balances;

    mapping(address account => mapping(address spender => uint256)) private _allowances;

    uint256 private _totalSupply;

    string private _name;
    string private _symbol;

    /**
     * @dev Sets the values for {name} and {symbol}.
     *
     * All two of these values are immutable: they can only be set once during
     * construction.
     */
    constructor(string memory name_, string memory symbol_) {
        _name = name_;
        _symbol = symbol_;
    }

    /**
     * @dev Returns the name of the token.
     */
    function name() public view virtual returns (string memory) {
        return _name;
    }

    /**
     * @dev Returns the symbol of the token, usually a shorter version of the
     * name.
     */
    function symbol() public view virtual 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 default value returned by this function, unless
     * it's overridden.
     *
     * NOTE: This information is only used for _display_ purposes: it in
     * no way affects any of the arithmetic of the contract, including
     * {IERC20-balanceOf} and {IERC20-transfer}.
     */
    function decimals() public view virtual returns (uint8) {
        return 18;
    }

    /**
     * @dev See {IERC20-totalSupply}.
     */
    function totalSupply() public view virtual returns (uint256) {
        return _totalSupply;
    }

    /**
     * @dev See {IERC20-balanceOf}.
     */
    function balanceOf(address account) public view virtual returns (uint256) {
        return _balances[account];
    }

    /**
     * @dev See {IERC20-transfer}.
     *
     * Requirements:
     *
     * - `to` cannot be the zero address.
     * - the caller must have a balance of at least `value`.
     */
    function transfer(address to, uint256 value) public virtual returns (bool) {
        address owner = _msgSender();
        _transfer(owner, to, value);
        return true;
    }

    /**
     * @dev See {IERC20-allowance}.
     */
    function allowance(address owner, address spender) public view virtual returns (uint256) {
        return _allowances[owner][spender];
    }

    /**
     * @dev See {IERC20-approve}.
     *
     * NOTE: If `value` is the maximum `uint256`, the allowance is not updated on
     * `transferFrom`. This is semantically equivalent to an infinite approval.
     *
     * Requirements:
     *
     * - `spender` cannot be the zero address.
     */
    function approve(address spender, uint256 value) public virtual returns (bool) {
        address owner = _msgSender();
        _approve(owner, spender, value);
        return true;
    }

    /**
     * @dev See {IERC20-transferFrom}.
     *
     * Skips emitting an {Approval} event indicating an allowance update. This is not
     * required by the ERC. See {xref-ERC20-_approve-address-address-uint256-bool-}[_approve].
     *
     * NOTE: Does not update the allowance if the current allowance
     * is the maximum `uint256`.
     *
     * Requirements:
     *
     * - `from` and `to` cannot be the zero address.
     * - `from` must have a balance of at least `value`.
     * - the caller must have allowance for ``from``'s tokens of at least
     * `value`.
     */
    function transferFrom(address from, address to, uint256 value) public virtual returns (bool) {
        address spender = _msgSender();
        _spendAllowance(from, spender, value);
        _transfer(from, to, value);
        return true;
    }

    /**
     * @dev Moves a `value` amount of tokens from `from` to `to`.
     *
     * This internal function is equivalent to {transfer}, and can be used to
     * e.g. implement automatic token fees, slashing mechanisms, etc.
     *
     * Emits a {Transfer} event.
     *
     * NOTE: This function is not virtual, {_update} should be overridden instead.
     */
    function _transfer(address from, address to, uint256 value) internal {
        if (from == address(0)) {
            revert ERC20InvalidSender(address(0));
        }
        if (to == address(0)) {
            revert ERC20InvalidReceiver(address(0));
        }
        _update(from, to, value);
    }

    /**
     * @dev Transfers a `value` amount of tokens from `from` to `to`, or alternatively mints (or burns) if `from`
     * (or `to`) is the zero address. All customizations to transfers, mints, and burns should be done by overriding
     * this function.
     *
     * Emits a {Transfer} event.
     */
    function _update(address from, address to, uint256 value) internal virtual {
        if (from == address(0)) {
            // Overflow check required: The rest of the code assumes that totalSupply never overflows
            _totalSupply += value;
        } else {
            uint256 fromBalance = _balances[from];
            if (fromBalance < value) {
                revert ERC20InsufficientBalance(from, fromBalance, value);
            }
            unchecked {
                // Overflow not possible: value <= fromBalance <= totalSupply.
                _balances[from] = fromBalance - value;
            }
        }

        if (to == address(0)) {
            unchecked {
                // Overflow not possible: value <= totalSupply or value <= fromBalance <= totalSupply.
                _totalSupply -= value;
            }
        } else {
            unchecked {
                // Overflow not possible: balance + value is at most totalSupply, which we know fits into a uint256.
                _balances[to] += value;
            }
        }

        emit Transfer(from, to, value);
    }

    /**
     * @dev Creates a `value` amount of tokens and assigns them to `account`, by transferring it from address(0).
     * Relies on the `_update` mechanism
     *
     * Emits a {Transfer} event with `from` set to the zero address.
     *
     * NOTE: This function is not virtual, {_update} should be overridden instead.
     */
    function _mint(address account, uint256 value) internal {
        if (account == address(0)) {
            revert ERC20InvalidReceiver(address(0));
        }
        _update(address(0), account, value);
    }

    /**
     * @dev Destroys a `value` amount of tokens from `account`, lowering the total supply.
     * Relies on the `_update` mechanism.
     *
     * Emits a {Transfer} event with `to` set to the zero address.
     *
     * NOTE: This function is not virtual, {_update} should be overridden instead
     */
    function _burn(address account, uint256 value) internal {
        if (account == address(0)) {
            revert ERC20InvalidSender(address(0));
        }
        _update(account, address(0), value);
    }

    /**
     * @dev Sets `value` as the allowance of `spender` over the `owner` s tokens.
     *
     * This internal function is equivalent to `approve`, and can be used to
     * e.g. set automatic allowances for certain subsystems, etc.
     *
     * Emits an {Approval} event.
     *
     * Requirements:
     *
     * - `owner` cannot be the zero address.
     * - `spender` cannot be the zero address.
     *
     * Overrides to this logic should be done to the variant with an additional `bool emitEvent` argument.
     */
    function _approve(address owner, address spender, uint256 value) internal {
        _approve(owner, spender, value, true);
    }

    /**
     * @dev Variant of {_approve} with an optional flag to enable or disable the {Approval} event.
     *
     * By default (when calling {_approve}) the flag is set to true. On the other hand, approval changes made by
     * `_spendAllowance` during the `transferFrom` operation set the flag to false. This saves gas by not emitting any
     * `Approval` event during `transferFrom` operations.
     *
     * Anyone who wishes to continue emitting `Approval` events on the`transferFrom` operation can force the flag to
     * true using the following override:
     *
     * ```solidity
     * function _approve(address owner, address spender, uint256 value, bool) internal virtual override {
     *     super._approve(owner, spender, value, true);
     * }
     * ```
     *
     * Requirements are the same as {_approve}.
     */
    function _approve(address owner, address spender, uint256 value, bool emitEvent) internal virtual {
        if (owner == address(0)) {
            revert ERC20InvalidApprover(address(0));
        }
        if (spender == address(0)) {
            revert ERC20InvalidSpender(address(0));
        }
        _allowances[owner][spender] = value;
        if (emitEvent) {
            emit Approval(owner, spender, value);
        }
    }

    /**
     * @dev Updates `owner` s allowance for `spender` based on spent `value`.
     *
     * Does not update the allowance value in case of infinite allowance.
     * Revert if not enough allowance is available.
     *
     * Does not emit an {Approval} event.
     */
    function _spendAllowance(address owner, address spender, uint256 value) internal virtual {
        uint256 currentAllowance = allowance(owner, spender);
        if (currentAllowance < type(uint256).max) {
            if (currentAllowance < value) {
                revert ERC20InsufficientAllowance(spender, currentAllowance, value);
            }
            unchecked {
                _approve(owner, spender, currentAllowance - value, false);
            }
        }
    }
}

// SPDX-License-Identifier: MIT
// OpenZeppelin Contracts (last updated v5.1.0) (token/ERC20/IERC20.sol)

pragma solidity ^0.8.20;

/**
 * @dev Interface of the ERC-20 standard as defined in the ERC.
 */
interface IERC20 {
    /**
     * @dev Emitted when `value` tokens are moved from one account (`from`) to
     * another (`to`).
     *
     * Note that `value` may be zero.
     */
    event Transfer(address indexed from, address indexed to, uint256 value);

    /**
     * @dev Emitted when the allowance of a `spender` for an `owner` is set by
     * a call to {approve}. `value` is the new allowance.
     */
    event Approval(address indexed owner, address indexed spender, uint256 value);

    /**
     * @dev Returns the value of tokens in existence.
     */
    function totalSupply() external view returns (uint256);

    /**
     * @dev Returns the value of tokens owned by `account`.
     */
    function balanceOf(address account) external view returns (uint256);

    /**
     * @dev Moves a `value` amount of tokens from the caller's account to `to`.
     *
     * Returns a boolean value indicating whether the operation succeeded.
     *
     * Emits a {Transfer} event.
     */
    function transfer(address to, uint256 value) external returns (bool);

    /**
     * @dev Returns the remaining number of tokens that `spender` will be
     * allowed to spend on behalf of `owner` through {transferFrom}. This is
     * zero by default.
     *
     * This value changes when {approve} or {transferFrom} are called.
     */
    function allowance(address owner, address spender) external view returns (uint256);

    /**
     * @dev Sets a `value` amount of tokens as the allowance of `spender` over the
     * caller's tokens.
     *
     * Returns a boolean value indicating whether the operation succeeded.
     *
     * IMPORTANT: Beware that changing an allowance with this method brings the risk
     * that someone may use both the old and the new allowance by unfortunate
     * transaction ordering. One possible solution to mitigate this race
     * condition is to first reduce the spender's allowance to 0 and set the
     * desired value afterwards:
     * https://github.com/ethereum/EIPs/issues/20#issuecomment-263524729
     *
     * Emits an {Approval} event.
     */
    function approve(address spender, uint256 value) external returns (bool);

    /**
     * @dev Moves a `value` amount of tokens from `from` to `to` using the
     * allowance mechanism. `value` is then deducted from the caller's
     * allowance.
     *
     * Returns a boolean value indicating whether the operation succeeded.
     *
     * Emits a {Transfer} event.
     */
    function transferFrom(address from, address to, uint256 value) external returns (bool);
}

// SPDX-License-Identifier: MIT
// OpenZeppelin Contracts (last updated v5.2.0) (token/ERC20/utils/SafeERC20.sol)

pragma solidity ^0.8.20;

import {IERC20} from "../IERC20.sol";
import {IERC1363} from "../../../interfaces/IERC1363.sol";

/**
 * @title SafeERC20
 * @dev Wrappers around ERC-20 operations that throw on failure (when the token
 * contract returns false). Tokens that return no value (and instead revert or
 * throw on failure) are also supported, non-reverting calls are assumed to be
 * successful.
 * To use this library you can add a `using SafeERC20 for IERC20;` statement to your contract,
 * which allows you to call the safe operations as `token.safeTransfer(...)`, etc.
 */
library SafeERC20 {
    /**
     * @dev An operation with an ERC-20 token failed.
     */
    error SafeERC20FailedOperation(address token);

    /**
     * @dev Indicates a failed `decreaseAllowance` request.
     */
    error SafeERC20FailedDecreaseAllowance(address spender, uint256 currentAllowance, uint256 requestedDecrease);

    /**
     * @dev Transfer `value` amount of `token` from the calling contract to `to`. If `token` returns no value,
     * non-reverting calls are assumed to be successful.
     */
    function safeTransfer(IERC20 token, address to, uint256 value) internal {
        _callOptionalReturn(token, abi.encodeCall(token.transfer, (to, value)));
    }

    /**
     * @dev Transfer `value` amount of `token` from `from` to `to`, spending the approval given by `from` to the
     * calling contract. If `token` returns no value, non-reverting calls are assumed to be successful.
     */
    function safeTransferFrom(IERC20 token, address from, address to, uint256 value) internal {
        _callOptionalReturn(token, abi.encodeCall(token.transferFrom, (from, to, value)));
    }

    /**
     * @dev Increase the calling contract's allowance toward `spender` by `value`. If `token` returns no value,
     * non-reverting calls are assumed to be successful.
     *
     * IMPORTANT: If the token implements ERC-7674 (ERC-20 with temporary allowance), and if the "client"
     * smart contract uses ERC-7674 to set temporary allowances, then the "client" smart contract should avoid using
     * this function. Performing a {safeIncreaseAllowance} or {safeDecreaseAllowance} operation on a token contract
     * that has a non-zero temporary allowance (for that particular owner-spender) will result in unexpected behavior.
     */
    function safeIncreaseAllowance(IERC20 token, address spender, uint256 value) internal {
        uint256 oldAllowance = token.allowance(address(this), spender);
        forceApprove(token, spender, oldAllowance + value);
    }

    /**
     * @dev Decrease the calling contract's allowance toward `spender` by `requestedDecrease`. If `token` returns no
     * value, non-reverting calls are assumed to be successful.
     *
     * IMPORTANT: If the token implements ERC-7674 (ERC-20 with temporary allowance), and if the "client"
     * smart contract uses ERC-7674 to set temporary allowances, then the "client" smart contract should avoid using
     * this function. Performing a {safeIncreaseAllowance} or {safeDecreaseAllowance} operation on a token contract
     * that has a non-zero temporary allowance (for that particular owner-spender) will result in unexpected behavior.
     */
    function safeDecreaseAllowance(IERC20 token, address spender, uint256 requestedDecrease) internal {
        unchecked {
            uint256 currentAllowance = token.allowance(address(this), spender);
            if (currentAllowance < requestedDecrease) {
                revert SafeERC20FailedDecreaseAllowance(spender, currentAllowance, requestedDecrease);
            }
            forceApprove(token, spender, currentAllowance - requestedDecrease);
        }
    }

    /**
     * @dev Set the calling contract's allowance toward `spender` to `value`. If `token` returns no value,
     * non-reverting calls are assumed to be successful. Meant to be used with tokens that require the approval
     * to be set to zero before setting it to a non-zero value, such as USDT.
     *
     * NOTE: If the token implements ERC-7674, this function will not modify any temporary allowance. This function
     * only sets the "standard" allowance. Any temporary allowance will remain active, in addition to the value being
     * set here.
     */
    function forceApprove(IERC20 token, address spender, uint256 value) internal {
        bytes memory approvalCall = abi.encodeCall(token.approve, (spender, value));

        if (!_callOptionalReturnBool(token, approvalCall)) {
            _callOptionalReturn(token, abi.encodeCall(token.approve, (spender, 0)));
            _callOptionalReturn(token, approvalCall);
        }
    }

    /**
     * @dev Performs an {ERC1363} transferAndCall, with a fallback to the simple {ERC20} transfer if the target has no
     * code. This can be used to implement an {ERC721}-like safe transfer that rely on {ERC1363} checks when
     * targeting contracts.
     *
     * Reverts if the returned value is other than `true`.
     */
    function transferAndCallRelaxed(IERC1363 token, address to, uint256 value, bytes memory data) internal {
        if (to.code.length == 0) {
            safeTransfer(token, to, value);
        } else if (!token.transferAndCall(to, value, data)) {
            revert SafeERC20FailedOperation(address(token));
        }
    }

    /**
     * @dev Performs an {ERC1363} transferFromAndCall, with a fallback to the simple {ERC20} transferFrom if the target
     * has no code. This can be used to implement an {ERC721}-like safe transfer that rely on {ERC1363} checks when
     * targeting contracts.
     *
     * Reverts if the returned value is other than `true`.
     */
    function transferFromAndCallRelaxed(
        IERC1363 token,
        address from,
        address to,
        uint256 value,
        bytes memory data
    ) internal {
        if (to.code.length == 0) {
            safeTransferFrom(token, from, to, value);
        } else if (!token.transferFromAndCall(from, to, value, data)) {
            revert SafeERC20FailedOperation(address(token));
        }
    }

    /**
     * @dev Performs an {ERC1363} approveAndCall, with a fallback to the simple {ERC20} approve if the target has no
     * code. This can be used to implement an {ERC721}-like safe transfer that rely on {ERC1363} checks when
     * targeting contracts.
     *
     * NOTE: When the recipient address (`to`) has no code (i.e. is an EOA), this function behaves as {forceApprove}.
     * Opposedly, when the recipient address (`to`) has code, this function only attempts to call {ERC1363-approveAndCall}
     * once without retrying, and relies on the returned value to be true.
     *
     * Reverts if the returned value is other than `true`.
     */
    function approveAndCallRelaxed(IERC1363 token, address to, uint256 value, bytes memory data) internal {
        if (to.code.length == 0) {
            forceApprove(token, to, value);
        } else if (!token.approveAndCall(to, value, data)) {
            revert SafeERC20FailedOperation(address(token));
        }
    }

    /**
     * @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).
     *
     * This is a variant of {_callOptionalReturnBool} that reverts if call fails to meet the requirements.
     */
    function _callOptionalReturn(IERC20 token, bytes memory data) private {
        uint256 returnSize;
        uint256 returnValue;
        assembly ("memory-safe") {
            let success := call(gas(), token, 0, add(data, 0x20), mload(data), 0, 0x20)
            // bubble errors
            if iszero(success) {
                let ptr := mload(0x40)
                returndatacopy(ptr, 0, returndatasize())
                revert(ptr, returndatasize())
            }
            returnSize := returndatasize()
            returnValue := mload(0)
        }

        if (returnSize == 0 ? address(token).code.length == 0 : returnValue != 1) {
            revert SafeERC20FailedOperation(address(token));
        }
    }

    /**
     * @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).
     *
     * This is a variant of {_callOptionalReturn} that silently catches all reverts and returns a bool instead.
     */
    function _callOptionalReturnBool(IERC20 token, bytes memory data) private returns (bool) {
        bool success;
        uint256 returnSize;
        uint256 returnValue;
        assembly ("memory-safe") {
            success := call(gas(), token, 0, add(data, 0x20), mload(data), 0, 0x20)
            returnSize := returndatasize()
            returnValue := mload(0)
        }
        return success && (returnSize == 0 ? address(token).code.length > 0 : returnValue == 1);
    }
}

// SPDX-License-Identifier: MIT
// OpenZeppelin Contracts (last updated v5.0.0) (access/Ownable.sol)

pragma solidity ^0.8.20;

import {Context} from "../utils/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.
 *
 * The initial owner is set to the address provided by the deployer. 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.
 */
abstract contract Ownable is Context {
    address private _owner;

    /**
     * @dev The caller account is not authorized to perform an operation.
     */
    error OwnableUnauthorizedAccount(address account);

    /**
     * @dev The owner is not a valid owner account. (eg. `address(0)`)
     */
    error OwnableInvalidOwner(address owner);

    event OwnershipTransferred(address indexed previousOwner, address indexed newOwner);

    /**
     * @dev Initializes the contract setting the address provided by the deployer as the initial owner.
     */
    constructor(address initialOwner) {
        if (initialOwner == address(0)) {
            revert OwnableInvalidOwner(address(0));
        }
        _transferOwnership(initialOwner);
    }

    /**
     * @dev Throws if called by any account other than the owner.
     */
    modifier onlyOwner() {
        _checkOwner();
        _;
    }

    /**
     * @dev Returns the address of the current owner.
     */
    function owner() public view virtual returns (address) {
        return _owner;
    }

    /**
     * @dev Throws if the sender is not the owner.
     */
    function _checkOwner() internal view virtual {
        if (owner() != _msgSender()) {
            revert OwnableUnauthorizedAccount(_msgSender());
        }
    }

    /**
     * @dev Leaves the contract without owner. It will not be possible to call
     * `onlyOwner` functions. Can only be called by the current owner.
     *
     * NOTE: Renouncing ownership will leave the contract without an owner,
     * thereby disabling any functionality that is only available to the owner.
     */
    function renounceOwnership() public virtual onlyOwner {
        _transferOwnership(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 {
        if (newOwner == address(0)) {
            revert OwnableInvalidOwner(address(0));
        }
        _transferOwnership(newOwner);
    }

    /**
     * @dev Transfers ownership of the contract to a new account (`newOwner`).
     * Internal function without access restriction.
     */
    function _transferOwnership(address newOwner) internal virtual {
        address oldOwner = _owner;
        _owner = newOwner;
        emit OwnershipTransferred(oldOwner, newOwner);
    }
}

// SPDX-License-Identifier: MIT
// OpenZeppelin Contracts (last updated v5.1.0) (token/ERC20/extensions/IERC20Metadata.sol)

pragma solidity ^0.8.20;

import {IERC20} from "../IERC20.sol";

/**
 * @dev Interface for the optional metadata functions from the ERC-20 standard.
 */
interface IERC20Metadata is IERC20 {
    /**
     * @dev Returns the name of the token.
     */
    function name() external view returns (string memory);

    /**
     * @dev Returns the symbol of the token.
     */
    function symbol() external view returns (string memory);

    /**
     * @dev Returns the decimals places of the token.
     */
    function decimals() external view returns (uint8);
}

// SPDX-License-Identifier: MIT
// OpenZeppelin Contracts (last updated v5.0.1) (utils/Context.sol)

pragma solidity ^0.8.20;

/**
 * @dev Provides information about the current execution context, including the
 * sender of the transaction and its data. While these are generally available
 * via msg.sender and msg.data, they should not be accessed in such a direct
 * manner, since when dealing with meta-transactions the account sending and
 * paying for execution may not be the actual sender (as far as an application
 * is concerned).
 *
 * This contract is only required for intermediate, library-like contracts.
 */
abstract contract Context {
    function _msgSender() internal view virtual returns (address) {
        return msg.sender;
    }

    function _msgData() internal view virtual returns (bytes calldata) {
        return msg.data;
    }

    function _contextSuffixLength() internal view virtual returns (uint256) {
        return 0;
    }
}

// SPDX-License-Identifier: MIT
// OpenZeppelin Contracts (last updated v5.1.0) (interfaces/draft-IERC6093.sol)
pragma solidity ^0.8.20;

/**
 * @dev Standard ERC-20 Errors
 * Interface of the https://eips.ethereum.org/EIPS/eip-6093[ERC-6093] custom errors for ERC-20 tokens.
 */
interface IERC20Errors {
    /**
     * @dev Indicates an error related to the current `balance` of a `sender`. Used in transfers.
     * @param sender Address whose tokens are being transferred.
     * @param balance Current balance for the interacting account.
     * @param needed Minimum amount required to perform a transfer.
     */
    error ERC20InsufficientBalance(address sender, uint256 balance, uint256 needed);

    /**
     * @dev Indicates a failure with the token `sender`. Used in transfers.
     * @param sender Address whose tokens are being transferred.
     */
    error ERC20InvalidSender(address sender);

    /**
     * @dev Indicates a failure with the token `receiver`. Used in transfers.
     * @param receiver Address to which tokens are being transferred.
     */
    error ERC20InvalidReceiver(address receiver);

    /**
     * @dev Indicates a failure with the `spender`’s `allowance`. Used in transfers.
     * @param spender Address that may be allowed to operate on tokens without being their owner.
     * @param allowance Amount of tokens a `spender` is allowed to operate with.
     * @param needed Minimum amount required to perform a transfer.
     */
    error ERC20InsufficientAllowance(address spender, uint256 allowance, uint256 needed);

    /**
     * @dev Indicates a failure with the `approver` of a token to be approved. Used in approvals.
     * @param approver Address initiating an approval operation.
     */
    error ERC20InvalidApprover(address approver);

    /**
     * @dev Indicates a failure with the `spender` to be approved. Used in approvals.
     * @param spender Address that may be allowed to operate on tokens without being their owner.
     */
    error ERC20InvalidSpender(address spender);
}

/**
 * @dev Standard ERC-721 Errors
 * Interface of the https://eips.ethereum.org/EIPS/eip-6093[ERC-6093] custom errors for ERC-721 tokens.
 */
interface IERC721Errors {
    /**
     * @dev Indicates that an address can't be an owner. For example, `address(0)` is a forbidden owner in ERC-20.
     * Used in balance queries.
     * @param owner Address of the current owner of a token.
     */
    error ERC721InvalidOwner(address owner);

    /**
     * @dev Indicates a `tokenId` whose `owner` is the zero address.
     * @param tokenId Identifier number of a token.
     */
    error ERC721NonexistentToken(uint256 tokenId);

    /**
     * @dev Indicates an error related to the ownership over a particular token. Used in transfers.
     * @param sender Address whose tokens are being transferred.
     * @param tokenId Identifier number of a token.
     * @param owner Address of the current owner of a token.
     */
    error ERC721IncorrectOwner(address sender, uint256 tokenId, address owner);

    /**
     * @dev Indicates a failure with the token `sender`. Used in transfers.
     * @param sender Address whose tokens are being transferred.
     */
    error ERC721InvalidSender(address sender);

    /**
     * @dev Indicates a failure with the token `receiver`. Used in transfers.
     * @param receiver Address to which tokens are being transferred.
     */
    error ERC721InvalidReceiver(address receiver);

    /**
     * @dev Indicates a failure with the `operator`’s approval. Used in transfers.
     * @param operator Address that may be allowed to operate on tokens without being their owner.
     * @param tokenId Identifier number of a token.
     */
    error ERC721InsufficientApproval(address operator, uint256 tokenId);

    /**
     * @dev Indicates a failure with the `approver` of a token to be approved. Used in approvals.
     * @param approver Address initiating an approval operation.
     */
    error ERC721InvalidApprover(address approver);

    /**
     * @dev Indicates a failure with the `operator` to be approved. Used in approvals.
     * @param operator Address that may be allowed to operate on tokens without being their owner.
     */
    error ERC721InvalidOperator(address operator);
}

/**
 * @dev Standard ERC-1155 Errors
 * Interface of the https://eips.ethereum.org/EIPS/eip-6093[ERC-6093] custom errors for ERC-1155 tokens.
 */
interface IERC1155Errors {
    /**
     * @dev Indicates an error related to the current `balance` of a `sender`. Used in transfers.
     * @param sender Address whose tokens are being transferred.
     * @param balance Current balance for the interacting account.
     * @param needed Minimum amount required to perform a transfer.
     * @param tokenId Identifier number of a token.
     */
    error ERC1155InsufficientBalance(address sender, uint256 balance, uint256 needed, uint256 tokenId);

    /**
     * @dev Indicates a failure with the token `sender`. Used in transfers.
     * @param sender Address whose tokens are being transferred.
     */
    error ERC1155InvalidSender(address sender);

    /**
     * @dev Indicates a failure with the token `receiver`. Used in transfers.
     * @param receiver Address to which tokens are being transferred.
     */
    error ERC1155InvalidReceiver(address receiver);

    /**
     * @dev Indicates a failure with the `operator`’s approval. Used in transfers.
     * @param operator Address that may be allowed to operate on tokens without being their owner.
     * @param owner Address of the current owner of a token.
     */
    error ERC1155MissingApprovalForAll(address operator, address owner);

    /**
     * @dev Indicates a failure with the `approver` of a token to be approved. Used in approvals.
     * @param approver Address initiating an approval operation.
     */
    error ERC1155InvalidApprover(address approver);

    /**
     * @dev Indicates a failure with the `operator` to be approved. Used in approvals.
     * @param operator Address that may be allowed to operate on tokens without being their owner.
     */
    error ERC1155InvalidOperator(address operator);

    /**
     * @dev Indicates an array length mismatch between ids and values in a safeBatchTransferFrom operation.
     * Used in batch transfers.
     * @param idsLength Length of the array of token identifiers
     * @param valuesLength Length of the array of token amounts
     */
    error ERC1155InvalidArrayLength(uint256 idsLength, uint256 valuesLength);
}

// SPDX-License-Identifier: MIT
// OpenZeppelin Contracts (last updated v5.1.0) (interfaces/IERC1363.sol)

pragma solidity ^0.8.20;

import {IERC20} from "./IERC20.sol";
import {IERC165} from "./IERC165.sol";

/**
 * @title IERC1363
 * @dev Interface of the ERC-1363 standard as defined in the https://eips.ethereum.org/EIPS/eip-1363[ERC-1363].
 *
 * Defines an extension interface for ERC-20 tokens that supports executing code on a recipient contract
 * after `transfer` or `transferFrom`, or code on a spender contract after `approve`, in a single transaction.
 */
interface IERC1363 is IERC20, IERC165 {
    /*
     * Note: the ERC-165 identifier for this interface is 0xb0202a11.
     * 0xb0202a11 ===
     *   bytes4(keccak256('transferAndCall(address,uint256)')) ^
     *   bytes4(keccak256('transferAndCall(address,uint256,bytes)')) ^
     *   bytes4(keccak256('transferFromAndCall(address,address,uint256)')) ^
     *   bytes4(keccak256('transferFromAndCall(address,address,uint256,bytes)')) ^
     *   bytes4(keccak256('approveAndCall(address,uint256)')) ^
     *   bytes4(keccak256('approveAndCall(address,uint256,bytes)'))
     */

    /**
     * @dev Moves a `value` amount of tokens from the caller's account to `to`
     * and then calls {IERC1363Receiver-onTransferReceived} on `to`.
     * @param to The address which you want to transfer to.
     * @param value The amount of tokens to be transferred.
     * @return A boolean value indicating whether the operation succeeded unless throwing.
     */
    function transferAndCall(address to, uint256 value) external returns (bool);

    /**
     * @dev Moves a `value` amount of tokens from the caller's account to `to`
     * and then calls {IERC1363Receiver-onTransferReceived} on `to`.
     * @param to The address which you want to transfer to.
     * @param value The amount of tokens to be transferred.
     * @param data Additional data with no specified format, sent in call to `to`.
     * @return A boolean value indicating whether the operation succeeded unless throwing.
     */
    function transferAndCall(address to, uint256 value, bytes calldata data) external returns (bool);

    /**
     * @dev Moves a `value` amount of tokens from `from` to `to` using the allowance mechanism
     * and then calls {IERC1363Receiver-onTransferReceived} on `to`.
     * @param from The address which you want to send tokens from.
     * @param to The address which you want to transfer to.
     * @param value The amount of tokens to be transferred.
     * @return A boolean value indicating whether the operation succeeded unless throwing.
     */
    function transferFromAndCall(address from, address to, uint256 value) external returns (bool);

    /**
     * @dev Moves a `value` amount of tokens from `from` to `to` using the allowance mechanism
     * and then calls {IERC1363Receiver-onTransferReceived} on `to`.
     * @param from The address which you want to send tokens from.
     * @param to The address which you want to transfer to.
     * @param value The amount of tokens to be transferred.
     * @param data Additional data with no specified format, sent in call to `to`.
     * @return A boolean value indicating whether the operation succeeded unless throwing.
     */
    function transferFromAndCall(address from, address to, uint256 value, bytes calldata data) external returns (bool);

    /**
     * @dev Sets a `value` amount of tokens as the allowance of `spender` over the
     * caller's tokens and then calls {IERC1363Spender-onApprovalReceived} on `spender`.
     * @param spender The address which will spend the funds.
     * @param value The amount of tokens to be spent.
     * @return A boolean value indicating whether the operation succeeded unless throwing.
     */
    function approveAndCall(address spender, uint256 value) external returns (bool);

    /**
     * @dev Sets a `value` amount of tokens as the allowance of `spender` over the
     * caller's tokens and then calls {IERC1363Spender-onApprovalReceived} on `spender`.
     * @param spender The address which will spend the funds.
     * @param value The amount of tokens to be spent.
     * @param data Additional data with no specified format, sent in call to `spender`.
     * @return A boolean value indicating whether the operation succeeded unless throwing.
     */
    function approveAndCall(address spender, uint256 value, bytes calldata data) external returns (bool);
}

File 10 of 12 : IERC20.sol
// SPDX-License-Identifier: MIT
// OpenZeppelin Contracts (last updated v5.0.0) (interfaces/IERC20.sol)

pragma solidity ^0.8.20;

import {IERC20} from "../token/ERC20/IERC20.sol";

File 11 of 12 : IERC165.sol
// SPDX-License-Identifier: MIT
// OpenZeppelin Contracts (last updated v5.0.0) (interfaces/IERC165.sol)

pragma solidity ^0.8.20;

import {IERC165} from "../utils/introspection/IERC165.sol";

// SPDX-License-Identifier: MIT
// OpenZeppelin Contracts (last updated v5.1.0) (utils/introspection/IERC165.sol)

pragma solidity ^0.8.20;

/**
 * @dev Interface of the ERC-165 standard, as defined in the
 * https://eips.ethereum.org/EIPS/eip-165[ERC].
 *
 * Implementers can declare support of contract interfaces, which can then be
 * queried by others ({ERC165Checker}).
 *
 * For an implementation, see {ERC165}.
 */
interface IERC165 {
    /**
     * @dev Returns true if this contract implements the interface defined by
     * `interfaceId`. See the corresponding
     * https://eips.ethereum.org/EIPS/eip-165#how-interfaces-are-identified[ERC section]
     * to learn more about how these ids are created.
     *
     * This function call must use less than 30 000 gas.
     */
    function supportsInterface(bytes4 interfaceId) external view returns (bool);
}

Settings
{
  "remappings": [
    "@openzeppelin/contracts/=lib/openzeppelin-contracts/contracts/",
    "@uniswap/v3-core/=lib/v3-core/",
    "@uniswap/v3-periphery/=lib/v3-periphery/",
    "erc4626-tests/=lib/openzeppelin-contracts/lib/erc4626-tests/",
    "forge-std/=lib/forge-std/src/",
    "halmos-cheatcodes/=lib/openzeppelin-contracts/lib/halmos-cheatcodes/src/",
    "openzeppelin-contracts/=lib/openzeppelin-contracts/"
  ],
  "optimizer": {
    "enabled": false,
    "runs": 200
  },
  "metadata": {
    "useLiteralContent": false,
    "bytecodeHash": "ipfs",
    "appendCBOR": true
  },
  "outputSelection": {
    "*": {
      "*": [
        "evm.bytecode",
        "evm.deployedBytecode",
        "devdoc",
        "userdoc",
        "metadata",
        "abi"
      ]
    }
  },
  "evmVersion": "shanghai",
  "viaIR": false,
  "libraries": {}
}

Contract Security Audit

Contract ABI

API
[{"inputs":[{"internalType":"address[]","name":"metaCityCouncilors","type":"address[]"}],"stateMutability":"nonpayable","type":"constructor"},{"inputs":[],"name":"BlacklistedAddress","type":"error"},{"inputs":[],"name":"DuplicateCouncilor","type":"error"},{"inputs":[{"internalType":"address","name":"spender","type":"address"},{"internalType":"uint256","name":"allowance","type":"uint256"},{"internalType":"uint256","name":"needed","type":"uint256"}],"name":"ERC20InsufficientAllowance","type":"error"},{"inputs":[{"internalType":"address","name":"sender","type":"address"},{"internalType":"uint256","name":"balance","type":"uint256"},{"internalType":"uint256","name":"needed","type":"uint256"}],"name":"ERC20InsufficientBalance","type":"error"},{"inputs":[{"internalType":"address","name":"approver","type":"address"}],"name":"ERC20InvalidApprover","type":"error"},{"inputs":[{"internalType":"address","name":"receiver","type":"address"}],"name":"ERC20InvalidReceiver","type":"error"},{"inputs":[{"internalType":"address","name":"sender","type":"address"}],"name":"ERC20InvalidSender","type":"error"},{"inputs":[{"internalType":"address","name":"spender","type":"address"}],"name":"ERC20InvalidSpender","type":"error"},{"inputs":[],"name":"ETHRecoveryFailed","type":"error"},{"inputs":[],"name":"InvalidAmount","type":"error"},{"inputs":[],"name":"InvalidCouncilorCount","type":"error"},{"inputs":[{"internalType":"address","name":"owner","type":"address"}],"name":"OwnableInvalidOwner","type":"error"},{"inputs":[{"internalType":"address","name":"account","type":"address"}],"name":"OwnableUnauthorizedAccount","type":"error"},{"inputs":[{"internalType":"address","name":"token","type":"address"}],"name":"SafeERC20FailedOperation","type":"error"},{"inputs":[],"name":"TradingAlreadyEnabled","type":"error"},{"inputs":[],"name":"TradingNotEnabled","type":"error"},{"inputs":[],"name":"UnauthorizedTransfer","type":"error"},{"inputs":[],"name":"ZeroAddress","type":"error"},{"anonymous":false,"inputs":[{"indexed":true,"internalType":"address","name":"owner","type":"address"},{"indexed":true,"internalType":"address","name":"spender","type":"address"},{"indexed":false,"internalType":"uint256","name":"value","type":"uint256"}],"name":"Approval","type":"event"},{"anonymous":false,"inputs":[{"indexed":true,"internalType":"address","name":"account","type":"address"}],"name":"Blacklisted","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":"uint256","name":"timestamp","type":"uint256"}],"name":"TradingEnabled","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":true,"internalType":"address","name":"account","type":"address"}],"name":"Unblacklisted","type":"event"},{"anonymous":false,"inputs":[{"indexed":true,"internalType":"address","name":"oldPool","type":"address"},{"indexed":true,"internalType":"address","name":"newPool","type":"address"}],"name":"V3LiquidityPoolSet","type":"event"},{"inputs":[],"name":"UNISWAP_V3_NFT_MANAGER","outputs":[{"internalType":"address","name":"","type":"address"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"UNISWAP_V3_ROUTER","outputs":[{"internalType":"address","name":"","type":"address"}],"stateMutability":"view","type":"function"},{"inputs":[{"internalType":"address","name":"owner","type":"address"},{"internalType":"address","name":"spender","type":"address"}],"name":"allowance","outputs":[{"internalType":"uint256","name":"","type":"uint256"}],"stateMutability":"view","type":"function"},{"inputs":[{"internalType":"address","name":"spender","type":"address"},{"internalType":"uint256","name":"value","type":"uint256"}],"name":"approve","outputs":[{"internalType":"bool","name":"","type":"bool"}],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"address","name":"account","type":"address"}],"name":"balanceOf","outputs":[{"internalType":"uint256","name":"","type":"uint256"}],"stateMutability":"view","type":"function"},{"inputs":[{"internalType":"address","name":"account","type":"address"}],"name":"blacklist","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"address[]","name":"accounts","type":"address[]"}],"name":"blacklistMultiple","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[],"name":"decimals","outputs":[{"internalType":"uint8","name":"","type":"uint8"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"enableTrading","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"address","name":"account","type":"address"}],"name":"isBlacklisted","outputs":[{"internalType":"bool","name":"","type":"bool"}],"stateMutability":"view","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":"recoverETH","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[],"name":"renounceOwnership","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"address","name":"_v3LiquidityPool","type":"address"}],"name":"setV3LiquidityPool","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":[],"name":"tradingEnabled","outputs":[{"internalType":"bool","name":"","type":"bool"}],"stateMutability":"view","type":"function"},{"inputs":[{"internalType":"address","name":"to","type":"address"},{"internalType":"uint256","name":"value","type":"uint256"}],"name":"transfer","outputs":[{"internalType":"bool","name":"","type":"bool"}],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"address","name":"_token","type":"address"},{"internalType":"address","name":"_to","type":"address"},{"internalType":"uint256","name":"_amount","type":"uint256"}],"name":"transferERC20Token","outputs":[{"internalType":"bool","name":"","type":"bool"}],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"address","name":"from","type":"address"},{"internalType":"address","name":"to","type":"address"},{"internalType":"uint256","name":"value","type":"uint256"}],"name":"transferFrom","outputs":[{"internalType":"bool","name":"","type":"bool"}],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"address","name":"newOwner","type":"address"}],"name":"transferOwnership","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"address","name":"account","type":"address"}],"name":"unblacklist","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"address[]","name":"accounts","type":"address[]"}],"name":"unblacklistMultiple","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[],"name":"v3LiquidityPool","outputs":[{"internalType":"address","name":"","type":"address"}],"stateMutability":"view","type":"function"}]

608060405234801562000010575f80fd5b506040516200348938038062003489833981810160405281019062000036919062000c48565b336040518060400160405280600a81526020017f416c7068612043697479000000000000000000000000000000000000000000008152506040518060400160405280600581526020017f414d4554410000000000000000000000000000000000000000000000000000008152508160039081620000b4919062000ece565b508060049081620000c6919062000ece565b5050505f73ffffffffffffffffffffffffffffffffffffffff168173ffffffffffffffffffffffffffffffffffffffff16036200013c575f6040517f1e4fbdf700000000000000000000000000000000000000000000000000000000815260040162000133919062000fc3565b60405180910390fd5b6200014d816200039360201b60201c565b5060038151146200018a576040517f432acd7300000000000000000000000000000000000000000000000000000000815260040160405180910390fd5b5f815190505f5b818110156200033a575f73ffffffffffffffffffffffffffffffffffffffff16838281518110620001c757620001c662000fde565b5b602002602001015173ffffffffffffffffffffffffffffffffffffffff16036200021d576040517fd92e233d00000000000000000000000000000000000000000000000000000000815260040160405180910390fd5b60075f84838151811062000236576200023562000fde565b5b602002602001015173ffffffffffffffffffffffffffffffffffffffff1673ffffffffffffffffffffffffffffffffffffffff1681526020019081526020015f205f9054906101000a900460ff1615620002bc576040517f6fab229100000000000000000000000000000000000000000000000000000000815260040160405180910390fd5b600160075f858481518110620002d757620002d662000fde565b5b602002602001015173ffffffffffffffffffffffffffffffffffffffff1673ffffffffffffffffffffffffffffffffffffffff1681526020019081526020015f205f6101000a81548160ff02191690831515021790555080600101905062000191565b506200038b6200034f6200045660201b60201c565b6200035f6200047e60201b60201c565b600a6200036d919062001194565b6402540be4006200037f9190620011e4565b6200048660201b60201c565b5050620012cf565b5f60055f9054906101000a900473ffffffffffffffffffffffffffffffffffffffff1690508160055f6101000a81548173ffffffffffffffffffffffffffffffffffffffff021916908373ffffffffffffffffffffffffffffffffffffffff1602179055508173ffffffffffffffffffffffffffffffffffffffff168173ffffffffffffffffffffffffffffffffffffffff167f8be0079c531659141344cd1fd0a4f28419497f9722a3daafe3b4186f6b6457e060405160405180910390a35050565b5f60055f9054906101000a900473ffffffffffffffffffffffffffffffffffffffff16905090565b5f6012905090565b5f73ffffffffffffffffffffffffffffffffffffffff168273ffffffffffffffffffffffffffffffffffffffff1603620004f9575f6040517fec442f05000000000000000000000000000000000000000000000000000000008152600401620004f0919062000fc3565b60405180910390fd5b6200050c5f83836200051060201b60201c565b5050565b5f81036200054a576040517f2c5211c600000000000000000000000000000000000000000000000000000000815260040160405180910390fd5b600160095f8573ffffffffffffffffffffffffffffffffffffffff1673ffffffffffffffffffffffffffffffffffffffff1681526020019081526020015f20541480620005d45750600160095f8473ffffffffffffffffffffffffffffffffffffffff1673ffffffffffffffffffffffffffffffffffffffff1681526020019081526020015f2054145b156200060c576040517f9949d1cc00000000000000000000000000000000000000000000000000000000815260040160405180910390fd5b5f73ffffffffffffffffffffffffffffffffffffffff168373ffffffffffffffffffffffffffffffffffffffff16036200065957620006538383836200084660201b60201c565b62000841565b600560149054906101000a900460ff166200082d576200067e6200045660201b60201c565b73ffffffffffffffffffffffffffffffffffffffff168373ffffffffffffffffffffffffffffffffffffffff1603620006ca57620006c48383836200084660201b60201c565b62000841565b60065f9054906101000a900473ffffffffffffffffffffffffffffffffffffffff1673ffffffffffffffffffffffffffffffffffffffff168373ffffffffffffffffffffffffffffffffffffffff161480156200076d575060075f8373ffffffffffffffffffffffffffffffffffffffff1673ffffffffffffffffffffffffffffffffffffffff1681526020019081526020015f205f9054906101000a900460ff165b15620007fb5760085f815460010191905081905550600360085403620007e2576001600560146101000a81548160ff0219169083151502179055507fb3da2db3dfc3778f99852546c6e9ab39ec253f9de7b0847afec61bd27878e92342604051620007d991906200123f565b60405180910390a15b620007f58383836200084660201b60201c565b62000841565b6040517f9737d53c00000000000000000000000000000000000000000000000000000000815260040160405180910390fd5b620008408383836200084660201b60201c565b5b505050565b5f73ffffffffffffffffffffffffffffffffffffffff168373ffffffffffffffffffffffffffffffffffffffff16036200089a578060025f8282546200088d91906200125a565b925050819055506200096b565b5f805f8573ffffffffffffffffffffffffffffffffffffffff1673ffffffffffffffffffffffffffffffffffffffff1681526020019081526020015f205490508181101562000926578381836040517fe450d38c0000000000000000000000000000000000000000000000000000000081526004016200091d9392919062001294565b60405180910390fd5b8181035f808673ffffffffffffffffffffffffffffffffffffffff1673ffffffffffffffffffffffffffffffffffffffff1681526020019081526020015f2081905550505b5f73ffffffffffffffffffffffffffffffffffffffff168273ffffffffffffffffffffffffffffffffffffffff1603620009b4578060025f8282540392505081905550620009fe565b805f808473ffffffffffffffffffffffffffffffffffffffff1673ffffffffffffffffffffffffffffffffffffffff1681526020019081526020015f205f82825401925050819055505b8173ffffffffffffffffffffffffffffffffffffffff168373ffffffffffffffffffffffffffffffffffffffff167fddf252ad1be2c89b69c2b068fc378daa952ba7f163c4a11628f55a4df523b3ef8360405162000a5d91906200123f565b60405180910390a3505050565b5f604051905090565b5f80fd5b5f80fd5b5f80fd5b5f601f19601f8301169050919050565b7f4e487b71000000000000000000000000000000000000000000000000000000005f52604160045260245ffd5b62000ac78262000a7f565b810181811067ffffffffffffffff8211171562000ae95762000ae862000a8f565b5b80604052505050565b5f62000afd62000a6a565b905062000b0b828262000abc565b919050565b5f67ffffffffffffffff82111562000b2d5762000b2c62000a8f565b5b602082029050602081019050919050565b5f80fd5b5f73ffffffffffffffffffffffffffffffffffffffff82169050919050565b5f62000b6d8262000b42565b9050919050565b62000b7f8162000b61565b811462000b8a575f80fd5b50565b5f8151905062000b9d8162000b74565b92915050565b5f62000bb962000bb38462000b10565b62000af2565b9050808382526020820190506020840283018581111562000bdf5762000bde62000b3e565b5b835b8181101562000c0c578062000bf7888262000b8d565b84526020840193505060208101905062000be1565b5050509392505050565b5f82601f83011262000c2d5762000c2c62000a7b565b5b815162000c3f84826020860162000ba3565b91505092915050565b5f6020828403121562000c605762000c5f62000a73565b5b5f82015167ffffffffffffffff81111562000c805762000c7f62000a77565b5b62000c8e8482850162000c16565b91505092915050565b5f81519050919050565b7f4e487b71000000000000000000000000000000000000000000000000000000005f52602260045260245ffd5b5f600282049050600182168062000ce657607f821691505b60208210810362000cfc5762000cfb62000ca1565b5b50919050565b5f819050815f5260205f209050919050565b5f6020601f8301049050919050565b5f82821b905092915050565b5f6008830262000d607fffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffff8262000d23565b62000d6c868362000d23565b95508019841693508086168417925050509392505050565b5f819050919050565b5f819050919050565b5f62000db662000db062000daa8462000d84565b62000d8d565b62000d84565b9050919050565b5f819050919050565b62000dd18362000d96565b62000de962000de08262000dbd565b84845462000d2f565b825550505050565b5f90565b62000dff62000df1565b62000e0c81848462000dc6565b505050565b5b8181101562000e335762000e275f8262000df5565b60018101905062000e12565b5050565b601f82111562000e825762000e4c8162000d02565b62000e578462000d14565b8101602085101562000e67578190505b62000e7f62000e768562000d14565b83018262000e11565b50505b505050565b5f82821c905092915050565b5f62000ea45f198460080262000e87565b1980831691505092915050565b5f62000ebe838362000e93565b9150826002028217905092915050565b62000ed98262000c97565b67ffffffffffffffff81111562000ef55762000ef462000a8f565b5b62000f01825462000cce565b62000f0e82828562000e37565b5f60209050601f83116001811462000f44575f841562000f2f578287015190505b62000f3b858262000eb1565b86555062000faa565b601f19841662000f548662000d02565b5f5b8281101562000f7d5784890151825560018201915060208501945060208101905062000f56565b8683101562000f9d578489015162000f99601f89168262000e93565b8355505b6001600288020188555050505b505050505050565b62000fbd8162000b61565b82525050565b5f60208201905062000fd85f83018462000fb2565b92915050565b7f4e487b71000000000000000000000000000000000000000000000000000000005f52603260045260245ffd5b7f4e487b71000000000000000000000000000000000000000000000000000000005f52601160045260245ffd5b5f8160011c9050919050565b5f808291508390505b600185111562001095578086048111156200106d576200106c6200100b565b5b60018516156200107d5780820291505b80810290506200108d8562001038565b94506200104d565b94509492505050565b5f82620010af576001905062001181565b81620010be575f905062001181565b8160018114620010d75760028114620010e25762001118565b600191505062001181565b60ff841115620010f757620010f66200100b565b5b8360020a9150848211156200111157620011106200100b565b5b5062001181565b5060208310610133831016604e8410600b8410161715620011525782820a9050838111156200114c576200114b6200100b565b5b62001181565b62001161848484600162001044565b925090508184048111156200117b576200117a6200100b565b5b81810290505b9392505050565b5f60ff82169050919050565b5f620011a08262000d84565b9150620011ad8362001188565b9250620011dc7fffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffff84846200109e565b905092915050565b5f620011f08262000d84565b9150620011fd8362000d84565b92508282026200120d8162000d84565b915082820484148315176200122757620012266200100b565b5b5092915050565b620012398162000d84565b82525050565b5f602082019050620012545f8301846200122e565b92915050565b5f620012668262000d84565b9150620012738362000d84565b92508282019050808211156200128e576200128d6200100b565b5b92915050565b5f606082019050620012a95f83018662000fb2565b620012b860208301856200122e565b620012c760408301846200122e565b949350505050565b6121ac80620012dd5f395ff3fe608060405234801561000f575f80fd5b5060043610610171575f3560e01c80638a8c523c116100dc578063ce0b35f111610095578063f2fde38b1161006f578063f2fde38b14610415578063f580e04814610431578063f9f92be41461044d578063fe575a871461046957610171565b8063ce0b35f1146103ab578063da7bc3ae146103c9578063dd62ed3e146103e557610171565b80638a8c523c146102e75780638da5cb5b146102f157806392940bf91461030f57806395d89b411461033f578063a9059cbb1461035d578063c0127c3d1461038d57610171565b8063313ce5671161012e578063313ce5671461023757806341c64a2f146102555780634ada218b1461027357806370a0823114610291578063715018a6146102c157806375e3661e146102cb57610171565b80630614117a1461017557806306fdde031461017f578063095ea7b31461019d578063158dd30d146101cd57806318160ddd146101e957806323b872dd14610207575b5f80fd5b61017d610499565b005b610187610581565b6040516101949190611ce0565b60405180910390f35b6101b760048036038101906101b29190611d95565b610611565b6040516101c49190611ded565b60405180910390f35b6101e760048036038101906101e29190611e67565b610633565b005b6101f16107bd565b6040516101fe9190611ec1565b60405180910390f35b610221600480360381019061021c9190611eda565b6107c6565b60405161022e9190611ded565b60405180910390f35b61023f6107f4565b60405161024c9190611f45565b60405180910390f35b61025d6107fc565b60405161026a9190611f6d565b60405180910390f35b61027b610814565b6040516102889190611ded565b60405180910390f35b6102ab60048036038101906102a69190611f86565b610827565b6040516102b89190611ec1565b60405180910390f35b6102c961086c565b005b6102e560048036038101906102e09190611f86565b61087f565b005b6102ef610974565b005b6102f9610a17565b6040516103069190611f6d565b60405180910390f35b61032960048036038101906103249190611eda565b610a3f565b6040516103369190611ded565b60405180910390f35b610347610b81565b6040516103549190611ce0565b60405180910390f35b61037760048036038101906103729190611d95565b610c11565b6040516103849190611ded565b60405180910390f35b610395610c33565b6040516103a29190611f6d565b60405180910390f35b6103b3610c4b565b6040516103c09190611f6d565b60405180910390f35b6103e360048036038101906103de9190611e67565b610c70565b005b6103ff60048036038101906103fa9190611fb1565b610df9565b60405161040c9190611ec1565b60405180910390f35b61042f600480360381019061042a9190611f86565b610e7b565b005b61044b60048036038101906104469190611f86565b610eff565b005b61046760048036038101906104629190611f86565b61102f565b005b610483600480360381019061047e9190611f86565b611125565b6040516104909190611ded565b60405180910390f35b6104a161116e565b5f4790505f81036104de576040517f2c5211c600000000000000000000000000000000000000000000000000000000815260040160405180910390fd5b5f3373ffffffffffffffffffffffffffffffffffffffff16826040516105039061201c565b5f6040518083038185875af1925050503d805f811461053d576040519150601f19603f3d011682016040523d82523d5f602084013e610542565b606091505b505090508061057d576040517fdf6be00000000000000000000000000000000000000000000000000000000000815260040160405180910390fd5b5050565b6060600380546105909061205d565b80601f01602080910402602001604051908101604052809291908181526020018280546105bc9061205d565b80156106075780601f106105de57610100808354040283529160200191610607565b820191905f5260205f20905b8154815290600101906020018083116105ea57829003601f168201915b5050505050905090565b5f8061061b6111f5565b90506106288185856111fc565b600191505092915050565b61063b61116e565b5f8282905090505f5b818110156107b7575f73ffffffffffffffffffffffffffffffffffffffff168484838181106106765761067561208d565b5b905060200201602081019061068b9190611f86565b73ffffffffffffffffffffffffffffffffffffffff16036106d8576040517fd92e233d00000000000000000000000000000000000000000000000000000000815260040160405180910390fd5b600160095f8686858181106106f0576106ef61208d565b5b90506020020160208101906107059190611f86565b73ffffffffffffffffffffffffffffffffffffffff1673ffffffffffffffffffffffffffffffffffffffff1681526020019081526020015f20819055508383828181106107555761075461208d565b5b905060200201602081019061076a9190611f86565b73ffffffffffffffffffffffffffffffffffffffff167fffa4e6181777692565cf28528fc88fd1516ea86b56da075235fa575af6a4b85560405160405180910390a2806001019050610644565b50505050565b5f600254905090565b5f806107d06111f5565b90506107dd85828561120e565b6107e88585856112a1565b60019150509392505050565b5f6012905090565b732626664c2603336e57b271c5c0b26f421741e48181565b600560149054906101000a900460ff1681565b5f805f8373ffffffffffffffffffffffffffffffffffffffff1673ffffffffffffffffffffffffffffffffffffffff1681526020019081526020015f20549050919050565b61087461116e565b61087d5f611391565b565b61088761116e565b5f73ffffffffffffffffffffffffffffffffffffffff168173ffffffffffffffffffffffffffffffffffffffff16036108ec576040517fd92e233d00000000000000000000000000000000000000000000000000000000815260040160405180910390fd5b5f60095f8373ffffffffffffffffffffffffffffffffffffffff1673ffffffffffffffffffffffffffffffffffffffff1681526020019081526020015f20819055508073ffffffffffffffffffffffffffffffffffffffff167f7534c63860313c46c473e4e98328f37017e9674e2162faf1a3ad7a96236c3b7b60405160405180910390a250565b61097c61116e565b600560149054906101000a900460ff16156109c3576040517fd723eaba00000000000000000000000000000000000000000000000000000000815260040160405180910390fd5b6001600560146101000a81548160ff0219169083151502179055507fb3da2db3dfc3778f99852546c6e9ab39ec253f9de7b0847afec61bd27878e92342604051610a0d9190611ec1565b60405180910390a1565b5f60055f9054906101000a900473ffffffffffffffffffffffffffffffffffffffff16905090565b5f610a4861116e565b5f73ffffffffffffffffffffffffffffffffffffffff168473ffffffffffffffffffffffffffffffffffffffff1603610aad576040517fd92e233d00000000000000000000000000000000000000000000000000000000815260040160405180910390fd5b5f73ffffffffffffffffffffffffffffffffffffffff168373ffffffffffffffffffffffffffffffffffffffff1603610b12576040517fd92e233d00000000000000000000000000000000000000000000000000000000815260040160405180910390fd5b5f8203610b4b576040517f2c5211c600000000000000000000000000000000000000000000000000000000815260040160405180910390fd5b610b7683838673ffffffffffffffffffffffffffffffffffffffff166114549092919063ffffffff16565b600190509392505050565b606060048054610b909061205d565b80601f0160208091040260200160405190810160405280929190818152602001828054610bbc9061205d565b8015610c075780601f10610bde57610100808354040283529160200191610c07565b820191905f5260205f20905b815481529060010190602001808311610bea57829003601f168201915b5050505050905090565b5f80610c1b6111f5565b9050610c288185856112a1565b600191505092915050565b7303a520b32c04bf3beef7beb72e919cf822ed34f181565b60065f9054906101000a900473ffffffffffffffffffffffffffffffffffffffff1681565b610c7861116e565b5f8282905090505f5b81811015610df3575f73ffffffffffffffffffffffffffffffffffffffff16848483818110610cb357610cb261208d565b5b9050602002016020810190610cc89190611f86565b73ffffffffffffffffffffffffffffffffffffffff1603610d15576040517fd92e233d00000000000000000000000000000000000000000000000000000000815260040160405180910390fd5b5f60095f868685818110610d2c57610d2b61208d565b5b9050602002016020810190610d419190611f86565b73ffffffffffffffffffffffffffffffffffffffff1673ffffffffffffffffffffffffffffffffffffffff1681526020019081526020015f2081905550838382818110610d9157610d9061208d565b5b9050602002016020810190610da69190611f86565b73ffffffffffffffffffffffffffffffffffffffff167f7534c63860313c46c473e4e98328f37017e9674e2162faf1a3ad7a96236c3b7b60405160405180910390a2806001019050610c81565b50505050565b5f60015f8473ffffffffffffffffffffffffffffffffffffffff1673ffffffffffffffffffffffffffffffffffffffff1681526020019081526020015f205f8373ffffffffffffffffffffffffffffffffffffffff1673ffffffffffffffffffffffffffffffffffffffff1681526020019081526020015f2054905092915050565b610e8361116e565b5f73ffffffffffffffffffffffffffffffffffffffff168173ffffffffffffffffffffffffffffffffffffffff1603610ef3575f6040517f1e4fbdf7000000000000000000000000000000000000000000000000000000008152600401610eea9190611f6d565b60405180910390fd5b610efc81611391565b50565b610f0761116e565b5f73ffffffffffffffffffffffffffffffffffffffff168173ffffffffffffffffffffffffffffffffffffffff1603610f6c576040517fd92e233d00000000000000000000000000000000000000000000000000000000815260040160405180910390fd5b5f60065f9054906101000a900473ffffffffffffffffffffffffffffffffffffffff1690508160065f6101000a81548173ffffffffffffffffffffffffffffffffffffffff021916908373ffffffffffffffffffffffffffffffffffffffff1602179055508173ffffffffffffffffffffffffffffffffffffffff168173ffffffffffffffffffffffffffffffffffffffff167fd8988a7645b3ecdfa78589dba34d47b34aebe119c8cbb18d4db5430e85dc748760405160405180910390a35050565b61103761116e565b5f73ffffffffffffffffffffffffffffffffffffffff168173ffffffffffffffffffffffffffffffffffffffff160361109c576040517fd92e233d00000000000000000000000000000000000000000000000000000000815260040160405180910390fd5b600160095f8373ffffffffffffffffffffffffffffffffffffffff1673ffffffffffffffffffffffffffffffffffffffff1681526020019081526020015f20819055508073ffffffffffffffffffffffffffffffffffffffff167fffa4e6181777692565cf28528fc88fd1516ea86b56da075235fa575af6a4b85560405160405180910390a250565b5f600160095f8473ffffffffffffffffffffffffffffffffffffffff1673ffffffffffffffffffffffffffffffffffffffff1681526020019081526020015f2054149050919050565b6111766111f5565b73ffffffffffffffffffffffffffffffffffffffff16611194610a17565b73ffffffffffffffffffffffffffffffffffffffff16146111f3576111b76111f5565b6040517f118cdaa70000000000000000000000000000000000000000000000000000000081526004016111ea9190611f6d565b60405180910390fd5b565b5f33905090565b61120983838360016114d3565b505050565b5f6112198484610df9565b90507fffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffff81101561129b578181101561128c578281836040517ffb8f41b2000000000000000000000000000000000000000000000000000000008152600401611283939291906120ba565b60405180910390fd5b61129a84848484035f6114d3565b5b50505050565b5f73ffffffffffffffffffffffffffffffffffffffff168373ffffffffffffffffffffffffffffffffffffffff1603611311575f6040517f96c6fd1e0000000000000000000000000000000000000000000000000000000081526004016113089190611f6d565b60405180910390fd5b5f73ffffffffffffffffffffffffffffffffffffffff168273ffffffffffffffffffffffffffffffffffffffff1603611381575f6040517fec442f050000000000000000000000000000000000000000000000000000000081526004016113789190611f6d565b60405180910390fd5b61138c8383836116a2565b505050565b5f60055f9054906101000a900473ffffffffffffffffffffffffffffffffffffffff1690508160055f6101000a81548173ffffffffffffffffffffffffffffffffffffffff021916908373ffffffffffffffffffffffffffffffffffffffff1602179055508173ffffffffffffffffffffffffffffffffffffffff168173ffffffffffffffffffffffffffffffffffffffff167f8be0079c531659141344cd1fd0a4f28419497f9722a3daafe3b4186f6b6457e060405160405180910390a35050565b6114ce838473ffffffffffffffffffffffffffffffffffffffff1663a9059cbb85856040516024016114879291906120ef565b604051602081830303815290604052915060e01b6020820180517bffffffffffffffffffffffffffffffffffffffffffffffffffffffff83818316178352505050506119a2565b505050565b5f73ffffffffffffffffffffffffffffffffffffffff168473ffffffffffffffffffffffffffffffffffffffff1603611543575f6040517fe602df0500000000000000000000000000000000000000000000000000000000815260040161153a9190611f6d565b60405180910390fd5b5f73ffffffffffffffffffffffffffffffffffffffff168373ffffffffffffffffffffffffffffffffffffffff16036115b3575f6040517f94280d620000000000000000000000000000000000000000000000000000000081526004016115aa9190611f6d565b60405180910390fd5b8160015f8673ffffffffffffffffffffffffffffffffffffffff1673ffffffffffffffffffffffffffffffffffffffff1681526020019081526020015f205f8573ffffffffffffffffffffffffffffffffffffffff1673ffffffffffffffffffffffffffffffffffffffff1681526020019081526020015f2081905550801561169c578273ffffffffffffffffffffffffffffffffffffffff168473ffffffffffffffffffffffffffffffffffffffff167f8c5be1e5ebec7d5bd14f71427d1e84f3dd0314c0f7b2291e5b200ac8c7c3b925846040516116939190611ec1565b60405180910390a35b50505050565b5f81036116db576040517f2c5211c600000000000000000000000000000000000000000000000000000000815260040160405180910390fd5b600160095f8573ffffffffffffffffffffffffffffffffffffffff1673ffffffffffffffffffffffffffffffffffffffff1681526020019081526020015f205414806117645750600160095f8473ffffffffffffffffffffffffffffffffffffffff1673ffffffffffffffffffffffffffffffffffffffff1681526020019081526020015f2054145b1561179b576040517f9949d1cc00000000000000000000000000000000000000000000000000000000815260040160405180910390fd5b5f73ffffffffffffffffffffffffffffffffffffffff168373ffffffffffffffffffffffffffffffffffffffff16036117de576117d9838383611a3d565b61199d565b600560149054906101000a900460ff16611991576117fa610a17565b73ffffffffffffffffffffffffffffffffffffffff168373ffffffffffffffffffffffffffffffffffffffff160361183c57611837838383611a3d565b61199d565b60065f9054906101000a900473ffffffffffffffffffffffffffffffffffffffff1673ffffffffffffffffffffffffffffffffffffffff168373ffffffffffffffffffffffffffffffffffffffff161480156118de575060075f8373ffffffffffffffffffffffffffffffffffffffff1673ffffffffffffffffffffffffffffffffffffffff1681526020019081526020015f205f9054906101000a900460ff165b1561195f5760085f81546001019190508190555060036008540361194f576001600560146101000a81548160ff0219169083151502179055507fb3da2db3dfc3778f99852546c6e9ab39ec253f9de7b0847afec61bd27878e923426040516119469190611ec1565b60405180910390a15b61195a838383611a3d565b61199d565b6040517f9737d53c00000000000000000000000000000000000000000000000000000000815260040160405180910390fd5b61199c838383611a3d565b5b505050565b5f8060205f8451602086015f885af1806119c1576040513d5f823e3d81fd5b3d92505f519150505f82146119da5760018114156119f5565b5f8473ffffffffffffffffffffffffffffffffffffffff163b145b15611a3757836040517f5274afe7000000000000000000000000000000000000000000000000000000008152600401611a2e9190611f6d565b60405180910390fd5b50505050565b5f73ffffffffffffffffffffffffffffffffffffffff168373ffffffffffffffffffffffffffffffffffffffff1603611a8d578060025f828254611a819190612143565b92505081905550611b5b565b5f805f8573ffffffffffffffffffffffffffffffffffffffff1673ffffffffffffffffffffffffffffffffffffffff1681526020019081526020015f2054905081811015611b16578381836040517fe450d38c000000000000000000000000000000000000000000000000000000008152600401611b0d939291906120ba565b60405180910390fd5b8181035f808673ffffffffffffffffffffffffffffffffffffffff1673ffffffffffffffffffffffffffffffffffffffff1681526020019081526020015f2081905550505b5f73ffffffffffffffffffffffffffffffffffffffff168273ffffffffffffffffffffffffffffffffffffffff1603611ba2578060025f8282540392505081905550611bec565b805f808473ffffffffffffffffffffffffffffffffffffffff1673ffffffffffffffffffffffffffffffffffffffff1681526020019081526020015f205f82825401925050819055505b8173ffffffffffffffffffffffffffffffffffffffff168373ffffffffffffffffffffffffffffffffffffffff167fddf252ad1be2c89b69c2b068fc378daa952ba7f163c4a11628f55a4df523b3ef83604051611c499190611ec1565b60405180910390a3505050565b5f81519050919050565b5f82825260208201905092915050565b5f5b83811015611c8d578082015181840152602081019050611c72565b5f8484015250505050565b5f601f19601f8301169050919050565b5f611cb282611c56565b611cbc8185611c60565b9350611ccc818560208601611c70565b611cd581611c98565b840191505092915050565b5f6020820190508181035f830152611cf88184611ca8565b905092915050565b5f80fd5b5f80fd5b5f73ffffffffffffffffffffffffffffffffffffffff82169050919050565b5f611d3182611d08565b9050919050565b611d4181611d27565b8114611d4b575f80fd5b50565b5f81359050611d5c81611d38565b92915050565b5f819050919050565b611d7481611d62565b8114611d7e575f80fd5b50565b5f81359050611d8f81611d6b565b92915050565b5f8060408385031215611dab57611daa611d00565b5b5f611db885828601611d4e565b9250506020611dc985828601611d81565b9150509250929050565b5f8115159050919050565b611de781611dd3565b82525050565b5f602082019050611e005f830184611dde565b92915050565b5f80fd5b5f80fd5b5f80fd5b5f8083601f840112611e2757611e26611e06565b5b8235905067ffffffffffffffff811115611e4457611e43611e0a565b5b602083019150836020820283011115611e6057611e5f611e0e565b5b9250929050565b5f8060208385031215611e7d57611e7c611d00565b5b5f83013567ffffffffffffffff811115611e9a57611e99611d04565b5b611ea685828601611e12565b92509250509250929050565b611ebb81611d62565b82525050565b5f602082019050611ed45f830184611eb2565b92915050565b5f805f60608486031215611ef157611ef0611d00565b5b5f611efe86828701611d4e565b9350506020611f0f86828701611d4e565b9250506040611f2086828701611d81565b9150509250925092565b5f60ff82169050919050565b611f3f81611f2a565b82525050565b5f602082019050611f585f830184611f36565b92915050565b611f6781611d27565b82525050565b5f602082019050611f805f830184611f5e565b92915050565b5f60208284031215611f9b57611f9a611d00565b5b5f611fa884828501611d4e565b91505092915050565b5f8060408385031215611fc757611fc6611d00565b5b5f611fd485828601611d4e565b9250506020611fe585828601611d4e565b9150509250929050565b5f81905092915050565b50565b5f6120075f83611fef565b915061201282611ff9565b5f82019050919050565b5f61202682611ffc565b9150819050919050565b7f4e487b71000000000000000000000000000000000000000000000000000000005f52602260045260245ffd5b5f600282049050600182168061207457607f821691505b60208210810361208757612086612030565b5b50919050565b7f4e487b71000000000000000000000000000000000000000000000000000000005f52603260045260245ffd5b5f6060820190506120cd5f830186611f5e565b6120da6020830185611eb2565b6120e76040830184611eb2565b949350505050565b5f6040820190506121025f830185611f5e565b61210f6020830184611eb2565b9392505050565b7f4e487b71000000000000000000000000000000000000000000000000000000005f52601160045260245ffd5b5f61214d82611d62565b915061215883611d62565b92508282019050808211156121705761216f612116565b5b9291505056fea264697066735822122083f3dbc094dc5d4be6f4ab8f62293e63ac80e06fb5ef632dd993b7073033de0b64736f6c6343000817003300000000000000000000000000000000000000000000000000000000000000200000000000000000000000000000000000000000000000000000000000000003000000000000000000000000d118759b90e7103a7d36f101ecbb8aa8e3508918000000000000000000000000c86c1ec516ecb17d326f15e5fef0725afe5c70d50000000000000000000000003bcbadeb410b653fcc677aaa84583ab23292b56b

Deployed Bytecode

0x608060405234801561000f575f80fd5b5060043610610171575f3560e01c80638a8c523c116100dc578063ce0b35f111610095578063f2fde38b1161006f578063f2fde38b14610415578063f580e04814610431578063f9f92be41461044d578063fe575a871461046957610171565b8063ce0b35f1146103ab578063da7bc3ae146103c9578063dd62ed3e146103e557610171565b80638a8c523c146102e75780638da5cb5b146102f157806392940bf91461030f57806395d89b411461033f578063a9059cbb1461035d578063c0127c3d1461038d57610171565b8063313ce5671161012e578063313ce5671461023757806341c64a2f146102555780634ada218b1461027357806370a0823114610291578063715018a6146102c157806375e3661e146102cb57610171565b80630614117a1461017557806306fdde031461017f578063095ea7b31461019d578063158dd30d146101cd57806318160ddd146101e957806323b872dd14610207575b5f80fd5b61017d610499565b005b610187610581565b6040516101949190611ce0565b60405180910390f35b6101b760048036038101906101b29190611d95565b610611565b6040516101c49190611ded565b60405180910390f35b6101e760048036038101906101e29190611e67565b610633565b005b6101f16107bd565b6040516101fe9190611ec1565b60405180910390f35b610221600480360381019061021c9190611eda565b6107c6565b60405161022e9190611ded565b60405180910390f35b61023f6107f4565b60405161024c9190611f45565b60405180910390f35b61025d6107fc565b60405161026a9190611f6d565b60405180910390f35b61027b610814565b6040516102889190611ded565b60405180910390f35b6102ab60048036038101906102a69190611f86565b610827565b6040516102b89190611ec1565b60405180910390f35b6102c961086c565b005b6102e560048036038101906102e09190611f86565b61087f565b005b6102ef610974565b005b6102f9610a17565b6040516103069190611f6d565b60405180910390f35b61032960048036038101906103249190611eda565b610a3f565b6040516103369190611ded565b60405180910390f35b610347610b81565b6040516103549190611ce0565b60405180910390f35b61037760048036038101906103729190611d95565b610c11565b6040516103849190611ded565b60405180910390f35b610395610c33565b6040516103a29190611f6d565b60405180910390f35b6103b3610c4b565b6040516103c09190611f6d565b60405180910390f35b6103e360048036038101906103de9190611e67565b610c70565b005b6103ff60048036038101906103fa9190611fb1565b610df9565b60405161040c9190611ec1565b60405180910390f35b61042f600480360381019061042a9190611f86565b610e7b565b005b61044b60048036038101906104469190611f86565b610eff565b005b61046760048036038101906104629190611f86565b61102f565b005b610483600480360381019061047e9190611f86565b611125565b6040516104909190611ded565b60405180910390f35b6104a161116e565b5f4790505f81036104de576040517f2c5211c600000000000000000000000000000000000000000000000000000000815260040160405180910390fd5b5f3373ffffffffffffffffffffffffffffffffffffffff16826040516105039061201c565b5f6040518083038185875af1925050503d805f811461053d576040519150601f19603f3d011682016040523d82523d5f602084013e610542565b606091505b505090508061057d576040517fdf6be00000000000000000000000000000000000000000000000000000000000815260040160405180910390fd5b5050565b6060600380546105909061205d565b80601f01602080910402602001604051908101604052809291908181526020018280546105bc9061205d565b80156106075780601f106105de57610100808354040283529160200191610607565b820191905f5260205f20905b8154815290600101906020018083116105ea57829003601f168201915b5050505050905090565b5f8061061b6111f5565b90506106288185856111fc565b600191505092915050565b61063b61116e565b5f8282905090505f5b818110156107b7575f73ffffffffffffffffffffffffffffffffffffffff168484838181106106765761067561208d565b5b905060200201602081019061068b9190611f86565b73ffffffffffffffffffffffffffffffffffffffff16036106d8576040517fd92e233d00000000000000000000000000000000000000000000000000000000815260040160405180910390fd5b600160095f8686858181106106f0576106ef61208d565b5b90506020020160208101906107059190611f86565b73ffffffffffffffffffffffffffffffffffffffff1673ffffffffffffffffffffffffffffffffffffffff1681526020019081526020015f20819055508383828181106107555761075461208d565b5b905060200201602081019061076a9190611f86565b73ffffffffffffffffffffffffffffffffffffffff167fffa4e6181777692565cf28528fc88fd1516ea86b56da075235fa575af6a4b85560405160405180910390a2806001019050610644565b50505050565b5f600254905090565b5f806107d06111f5565b90506107dd85828561120e565b6107e88585856112a1565b60019150509392505050565b5f6012905090565b732626664c2603336e57b271c5c0b26f421741e48181565b600560149054906101000a900460ff1681565b5f805f8373ffffffffffffffffffffffffffffffffffffffff1673ffffffffffffffffffffffffffffffffffffffff1681526020019081526020015f20549050919050565b61087461116e565b61087d5f611391565b565b61088761116e565b5f73ffffffffffffffffffffffffffffffffffffffff168173ffffffffffffffffffffffffffffffffffffffff16036108ec576040517fd92e233d00000000000000000000000000000000000000000000000000000000815260040160405180910390fd5b5f60095f8373ffffffffffffffffffffffffffffffffffffffff1673ffffffffffffffffffffffffffffffffffffffff1681526020019081526020015f20819055508073ffffffffffffffffffffffffffffffffffffffff167f7534c63860313c46c473e4e98328f37017e9674e2162faf1a3ad7a96236c3b7b60405160405180910390a250565b61097c61116e565b600560149054906101000a900460ff16156109c3576040517fd723eaba00000000000000000000000000000000000000000000000000000000815260040160405180910390fd5b6001600560146101000a81548160ff0219169083151502179055507fb3da2db3dfc3778f99852546c6e9ab39ec253f9de7b0847afec61bd27878e92342604051610a0d9190611ec1565b60405180910390a1565b5f60055f9054906101000a900473ffffffffffffffffffffffffffffffffffffffff16905090565b5f610a4861116e565b5f73ffffffffffffffffffffffffffffffffffffffff168473ffffffffffffffffffffffffffffffffffffffff1603610aad576040517fd92e233d00000000000000000000000000000000000000000000000000000000815260040160405180910390fd5b5f73ffffffffffffffffffffffffffffffffffffffff168373ffffffffffffffffffffffffffffffffffffffff1603610b12576040517fd92e233d00000000000000000000000000000000000000000000000000000000815260040160405180910390fd5b5f8203610b4b576040517f2c5211c600000000000000000000000000000000000000000000000000000000815260040160405180910390fd5b610b7683838673ffffffffffffffffffffffffffffffffffffffff166114549092919063ffffffff16565b600190509392505050565b606060048054610b909061205d565b80601f0160208091040260200160405190810160405280929190818152602001828054610bbc9061205d565b8015610c075780601f10610bde57610100808354040283529160200191610c07565b820191905f5260205f20905b815481529060010190602001808311610bea57829003601f168201915b5050505050905090565b5f80610c1b6111f5565b9050610c288185856112a1565b600191505092915050565b7303a520b32c04bf3beef7beb72e919cf822ed34f181565b60065f9054906101000a900473ffffffffffffffffffffffffffffffffffffffff1681565b610c7861116e565b5f8282905090505f5b81811015610df3575f73ffffffffffffffffffffffffffffffffffffffff16848483818110610cb357610cb261208d565b5b9050602002016020810190610cc89190611f86565b73ffffffffffffffffffffffffffffffffffffffff1603610d15576040517fd92e233d00000000000000000000000000000000000000000000000000000000815260040160405180910390fd5b5f60095f868685818110610d2c57610d2b61208d565b5b9050602002016020810190610d419190611f86565b73ffffffffffffffffffffffffffffffffffffffff1673ffffffffffffffffffffffffffffffffffffffff1681526020019081526020015f2081905550838382818110610d9157610d9061208d565b5b9050602002016020810190610da69190611f86565b73ffffffffffffffffffffffffffffffffffffffff167f7534c63860313c46c473e4e98328f37017e9674e2162faf1a3ad7a96236c3b7b60405160405180910390a2806001019050610c81565b50505050565b5f60015f8473ffffffffffffffffffffffffffffffffffffffff1673ffffffffffffffffffffffffffffffffffffffff1681526020019081526020015f205f8373ffffffffffffffffffffffffffffffffffffffff1673ffffffffffffffffffffffffffffffffffffffff1681526020019081526020015f2054905092915050565b610e8361116e565b5f73ffffffffffffffffffffffffffffffffffffffff168173ffffffffffffffffffffffffffffffffffffffff1603610ef3575f6040517f1e4fbdf7000000000000000000000000000000000000000000000000000000008152600401610eea9190611f6d565b60405180910390fd5b610efc81611391565b50565b610f0761116e565b5f73ffffffffffffffffffffffffffffffffffffffff168173ffffffffffffffffffffffffffffffffffffffff1603610f6c576040517fd92e233d00000000000000000000000000000000000000000000000000000000815260040160405180910390fd5b5f60065f9054906101000a900473ffffffffffffffffffffffffffffffffffffffff1690508160065f6101000a81548173ffffffffffffffffffffffffffffffffffffffff021916908373ffffffffffffffffffffffffffffffffffffffff1602179055508173ffffffffffffffffffffffffffffffffffffffff168173ffffffffffffffffffffffffffffffffffffffff167fd8988a7645b3ecdfa78589dba34d47b34aebe119c8cbb18d4db5430e85dc748760405160405180910390a35050565b61103761116e565b5f73ffffffffffffffffffffffffffffffffffffffff168173ffffffffffffffffffffffffffffffffffffffff160361109c576040517fd92e233d00000000000000000000000000000000000000000000000000000000815260040160405180910390fd5b600160095f8373ffffffffffffffffffffffffffffffffffffffff1673ffffffffffffffffffffffffffffffffffffffff1681526020019081526020015f20819055508073ffffffffffffffffffffffffffffffffffffffff167fffa4e6181777692565cf28528fc88fd1516ea86b56da075235fa575af6a4b85560405160405180910390a250565b5f600160095f8473ffffffffffffffffffffffffffffffffffffffff1673ffffffffffffffffffffffffffffffffffffffff1681526020019081526020015f2054149050919050565b6111766111f5565b73ffffffffffffffffffffffffffffffffffffffff16611194610a17565b73ffffffffffffffffffffffffffffffffffffffff16146111f3576111b76111f5565b6040517f118cdaa70000000000000000000000000000000000000000000000000000000081526004016111ea9190611f6d565b60405180910390fd5b565b5f33905090565b61120983838360016114d3565b505050565b5f6112198484610df9565b90507fffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffff81101561129b578181101561128c578281836040517ffb8f41b2000000000000000000000000000000000000000000000000000000008152600401611283939291906120ba565b60405180910390fd5b61129a84848484035f6114d3565b5b50505050565b5f73ffffffffffffffffffffffffffffffffffffffff168373ffffffffffffffffffffffffffffffffffffffff1603611311575f6040517f96c6fd1e0000000000000000000000000000000000000000000000000000000081526004016113089190611f6d565b60405180910390fd5b5f73ffffffffffffffffffffffffffffffffffffffff168273ffffffffffffffffffffffffffffffffffffffff1603611381575f6040517fec442f050000000000000000000000000000000000000000000000000000000081526004016113789190611f6d565b60405180910390fd5b61138c8383836116a2565b505050565b5f60055f9054906101000a900473ffffffffffffffffffffffffffffffffffffffff1690508160055f6101000a81548173ffffffffffffffffffffffffffffffffffffffff021916908373ffffffffffffffffffffffffffffffffffffffff1602179055508173ffffffffffffffffffffffffffffffffffffffff168173ffffffffffffffffffffffffffffffffffffffff167f8be0079c531659141344cd1fd0a4f28419497f9722a3daafe3b4186f6b6457e060405160405180910390a35050565b6114ce838473ffffffffffffffffffffffffffffffffffffffff1663a9059cbb85856040516024016114879291906120ef565b604051602081830303815290604052915060e01b6020820180517bffffffffffffffffffffffffffffffffffffffffffffffffffffffff83818316178352505050506119a2565b505050565b5f73ffffffffffffffffffffffffffffffffffffffff168473ffffffffffffffffffffffffffffffffffffffff1603611543575f6040517fe602df0500000000000000000000000000000000000000000000000000000000815260040161153a9190611f6d565b60405180910390fd5b5f73ffffffffffffffffffffffffffffffffffffffff168373ffffffffffffffffffffffffffffffffffffffff16036115b3575f6040517f94280d620000000000000000000000000000000000000000000000000000000081526004016115aa9190611f6d565b60405180910390fd5b8160015f8673ffffffffffffffffffffffffffffffffffffffff1673ffffffffffffffffffffffffffffffffffffffff1681526020019081526020015f205f8573ffffffffffffffffffffffffffffffffffffffff1673ffffffffffffffffffffffffffffffffffffffff1681526020019081526020015f2081905550801561169c578273ffffffffffffffffffffffffffffffffffffffff168473ffffffffffffffffffffffffffffffffffffffff167f8c5be1e5ebec7d5bd14f71427d1e84f3dd0314c0f7b2291e5b200ac8c7c3b925846040516116939190611ec1565b60405180910390a35b50505050565b5f81036116db576040517f2c5211c600000000000000000000000000000000000000000000000000000000815260040160405180910390fd5b600160095f8573ffffffffffffffffffffffffffffffffffffffff1673ffffffffffffffffffffffffffffffffffffffff1681526020019081526020015f205414806117645750600160095f8473ffffffffffffffffffffffffffffffffffffffff1673ffffffffffffffffffffffffffffffffffffffff1681526020019081526020015f2054145b1561179b576040517f9949d1cc00000000000000000000000000000000000000000000000000000000815260040160405180910390fd5b5f73ffffffffffffffffffffffffffffffffffffffff168373ffffffffffffffffffffffffffffffffffffffff16036117de576117d9838383611a3d565b61199d565b600560149054906101000a900460ff16611991576117fa610a17565b73ffffffffffffffffffffffffffffffffffffffff168373ffffffffffffffffffffffffffffffffffffffff160361183c57611837838383611a3d565b61199d565b60065f9054906101000a900473ffffffffffffffffffffffffffffffffffffffff1673ffffffffffffffffffffffffffffffffffffffff168373ffffffffffffffffffffffffffffffffffffffff161480156118de575060075f8373ffffffffffffffffffffffffffffffffffffffff1673ffffffffffffffffffffffffffffffffffffffff1681526020019081526020015f205f9054906101000a900460ff165b1561195f5760085f81546001019190508190555060036008540361194f576001600560146101000a81548160ff0219169083151502179055507fb3da2db3dfc3778f99852546c6e9ab39ec253f9de7b0847afec61bd27878e923426040516119469190611ec1565b60405180910390a15b61195a838383611a3d565b61199d565b6040517f9737d53c00000000000000000000000000000000000000000000000000000000815260040160405180910390fd5b61199c838383611a3d565b5b505050565b5f8060205f8451602086015f885af1806119c1576040513d5f823e3d81fd5b3d92505f519150505f82146119da5760018114156119f5565b5f8473ffffffffffffffffffffffffffffffffffffffff163b145b15611a3757836040517f5274afe7000000000000000000000000000000000000000000000000000000008152600401611a2e9190611f6d565b60405180910390fd5b50505050565b5f73ffffffffffffffffffffffffffffffffffffffff168373ffffffffffffffffffffffffffffffffffffffff1603611a8d578060025f828254611a819190612143565b92505081905550611b5b565b5f805f8573ffffffffffffffffffffffffffffffffffffffff1673ffffffffffffffffffffffffffffffffffffffff1681526020019081526020015f2054905081811015611b16578381836040517fe450d38c000000000000000000000000000000000000000000000000000000008152600401611b0d939291906120ba565b60405180910390fd5b8181035f808673ffffffffffffffffffffffffffffffffffffffff1673ffffffffffffffffffffffffffffffffffffffff1681526020019081526020015f2081905550505b5f73ffffffffffffffffffffffffffffffffffffffff168273ffffffffffffffffffffffffffffffffffffffff1603611ba2578060025f8282540392505081905550611bec565b805f808473ffffffffffffffffffffffffffffffffffffffff1673ffffffffffffffffffffffffffffffffffffffff1681526020019081526020015f205f82825401925050819055505b8173ffffffffffffffffffffffffffffffffffffffff168373ffffffffffffffffffffffffffffffffffffffff167fddf252ad1be2c89b69c2b068fc378daa952ba7f163c4a11628f55a4df523b3ef83604051611c499190611ec1565b60405180910390a3505050565b5f81519050919050565b5f82825260208201905092915050565b5f5b83811015611c8d578082015181840152602081019050611c72565b5f8484015250505050565b5f601f19601f8301169050919050565b5f611cb282611c56565b611cbc8185611c60565b9350611ccc818560208601611c70565b611cd581611c98565b840191505092915050565b5f6020820190508181035f830152611cf88184611ca8565b905092915050565b5f80fd5b5f80fd5b5f73ffffffffffffffffffffffffffffffffffffffff82169050919050565b5f611d3182611d08565b9050919050565b611d4181611d27565b8114611d4b575f80fd5b50565b5f81359050611d5c81611d38565b92915050565b5f819050919050565b611d7481611d62565b8114611d7e575f80fd5b50565b5f81359050611d8f81611d6b565b92915050565b5f8060408385031215611dab57611daa611d00565b5b5f611db885828601611d4e565b9250506020611dc985828601611d81565b9150509250929050565b5f8115159050919050565b611de781611dd3565b82525050565b5f602082019050611e005f830184611dde565b92915050565b5f80fd5b5f80fd5b5f80fd5b5f8083601f840112611e2757611e26611e06565b5b8235905067ffffffffffffffff811115611e4457611e43611e0a565b5b602083019150836020820283011115611e6057611e5f611e0e565b5b9250929050565b5f8060208385031215611e7d57611e7c611d00565b5b5f83013567ffffffffffffffff811115611e9a57611e99611d04565b5b611ea685828601611e12565b92509250509250929050565b611ebb81611d62565b82525050565b5f602082019050611ed45f830184611eb2565b92915050565b5f805f60608486031215611ef157611ef0611d00565b5b5f611efe86828701611d4e565b9350506020611f0f86828701611d4e565b9250506040611f2086828701611d81565b9150509250925092565b5f60ff82169050919050565b611f3f81611f2a565b82525050565b5f602082019050611f585f830184611f36565b92915050565b611f6781611d27565b82525050565b5f602082019050611f805f830184611f5e565b92915050565b5f60208284031215611f9b57611f9a611d00565b5b5f611fa884828501611d4e565b91505092915050565b5f8060408385031215611fc757611fc6611d00565b5b5f611fd485828601611d4e565b9250506020611fe585828601611d4e565b9150509250929050565b5f81905092915050565b50565b5f6120075f83611fef565b915061201282611ff9565b5f82019050919050565b5f61202682611ffc565b9150819050919050565b7f4e487b71000000000000000000000000000000000000000000000000000000005f52602260045260245ffd5b5f600282049050600182168061207457607f821691505b60208210810361208757612086612030565b5b50919050565b7f4e487b71000000000000000000000000000000000000000000000000000000005f52603260045260245ffd5b5f6060820190506120cd5f830186611f5e565b6120da6020830185611eb2565b6120e76040830184611eb2565b949350505050565b5f6040820190506121025f830185611f5e565b61210f6020830184611eb2565b9392505050565b7f4e487b71000000000000000000000000000000000000000000000000000000005f52601160045260245ffd5b5f61214d82611d62565b915061215883611d62565b92508282019050808211156121705761216f612116565b5b9291505056fea264697066735822122083f3dbc094dc5d4be6f4ab8f62293e63ac80e06fb5ef632dd993b7073033de0b64736f6c63430008170033

Constructor Arguments (ABI-Encoded and is the last bytes of the Contract Creation Code above)

00000000000000000000000000000000000000000000000000000000000000200000000000000000000000000000000000000000000000000000000000000003000000000000000000000000d118759b90e7103a7d36f101ecbb8aa8e3508918000000000000000000000000c86c1ec516ecb17d326f15e5fef0725afe5c70d50000000000000000000000003bcbadeb410b653fcc677aaa84583ab23292b56b

-----Decoded View---------------
Arg [0] : metaCityCouncilors (address[]): 0xD118759B90E7103a7D36f101ecbB8aA8e3508918,0xc86C1Ec516ecB17d326F15e5feF0725AFe5C70D5,0x3bcbAdeB410B653FcC677AaA84583Ab23292B56b

-----Encoded View---------------
5 Constructor Arguments found :
Arg [0] : 0000000000000000000000000000000000000000000000000000000000000020
Arg [1] : 0000000000000000000000000000000000000000000000000000000000000003
Arg [2] : 000000000000000000000000d118759b90e7103a7d36f101ecbb8aa8e3508918
Arg [3] : 000000000000000000000000c86c1ec516ecb17d326f15e5fef0725afe5c70d5
Arg [4] : 0000000000000000000000003bcbadeb410b653fcc677aaa84583ab23292b56b


Loading...
Loading
Loading...
Loading
[ Download: CSV Export  ]
[ Download: CSV Export  ]

A token is a representation of an on-chain or off-chain asset. The token page shows information such as price, total supply, holders, transfers and social links. Learn more about this page in our Knowledge Base.