ETH Price: $1,933.10 (-1.27%)

Token

MyToken (MTK)

Overview

Max Total Supply

1,000,000,000 MTK

Holders

2

Transfers

-
0

Market

Price

$0.00 @ 0.000000 ETH

Onchain Market Cap

-

Circulating Supply Market Cap

-

Other Info

Token Contract (WITH 18 Decimals)

Loading...
Loading
Loading...
Loading
Loading...
Loading

Click here to update the token information / general information

Contract Source Code Verified (Exact Match)

Contract Name:
LaunchToken

Compiler Version
v0.8.25+commit.b61c2a91

Optimization Enabled:
No with 200 runs

Other Settings:
paris EvmVersion
// SPDX-License-Identifier: MIT
pragma solidity 0.8.25;

import "@openzeppelin/contracts/token/ERC20/ERC20.sol";

/**
 * @title LaunchToken - Simple, Efficient & DEX-Compatible
 * @notice Streamlined token for DEX launches (Uniswap, Aerodrome, PancakeSwap)
 * @dev Trading starts OPEN - no whitelist complexity
 * 
 * Features:
 * - Trading open from deployment (DEX-compatible)
 * - Emergency pause (max 7 days, auto-resumes)
 * - Burn functionality
 * - Ownership renunciation
 * 
 * Version: 3.0.0
 */
contract LaunchToken is ERC20 {
    // ═══════════════════════════════════════════════════════════════════════
    // STATE
    // ═══════════════════════════════════════════════════════════════════════
    
    address public owner;
    bool public paused;
    bool public ownershipRenounced;
    string public logoURI;
    uint256 public totalBurned;
    uint256 public pauseStartTime;
    
    // ═══════════════════════════════════════════════════════════════════════
    // CONSTANTS
    // ═══════════════════════════════════════════════════════════════════════
    
    uint256 private constant MAX_SUPPLY = 1_000_000_000_000;
    uint256 private constant MAX_PAUSE = 7 days;
    
    // ═══════════════════════════════════════════════════════════════════════
    // EVENTS
    // ═══════════════════════════════════════════════════════════════════════
    
    event TokenCreated(address indexed creator, address indexed recipient, uint256 supply);
    event Paused(address indexed by, uint256 until);
    event Unpaused(address indexed by, bool automatic);
    event Burned(address indexed from, uint256 amount);
    event OwnershipRenounced(address indexed previousOwner);
    
    // ═══════════════════════════════════════════════════════════════════════
    // ERRORS
    // ═══════════════════════════════════════════════════════════════════════
    
    error Unauthorized();
    error IsPaused();
    error InvalidInput();
    error AlreadyRenounced();
    
    // ═══════════════════════════════════════════════════════════════════════
    // MODIFIERS
    // ═══════════════════════════════════════════════════════════════════════
    
    modifier onlyOwner() {
        if (msg.sender != owner || ownershipRenounced) revert Unauthorized();
        _;
    }
    
    modifier whenNotPaused() {
        _checkAndAutoUnpause();
        if (paused) revert IsPaused();
        _;
    }
    
    // ═══════════════════════════════════════════════════════════════════════
    // CONSTRUCTOR
    // ═══════════════════════════════════════════════════════════════════════
    
    /**
     * @notice Deploy a new LaunchToken
     * @param name_ Token name
     * @param symbol_ Token symbol  
     * @param supply_ Total supply in TOKENS (not wei)
     * @param recipient_ Token recipient and initial owner
     * @param logoURI_ Logo URL (stored as-is)
     */
    constructor(
        string memory name_,
        string memory symbol_,
        uint256 supply_,
        address recipient_,
        string memory logoURI_
    ) ERC20(name_, symbol_) {
        if (supply_ == 0 || supply_ > MAX_SUPPLY) revert InvalidInput();
        if (recipient_ == address(0)) revert InvalidInput();
        if (bytes(name_).length == 0 || bytes(symbol_).length == 0) revert InvalidInput();
        
        owner = recipient_;
        logoURI = logoURI_;
        
        // Mint full supply to recipient (supply is in tokens, convert to wei)
        _mint(recipient_, supply_ * 10**18);
        
        emit TokenCreated(msg.sender, recipient_, supply_ * 10**18);
    }
    
    // ═══════════════════════════════════════════════════════════════════════
    // OWNER FUNCTIONS
    // ═══════════════════════════════════════════════════════════════════════
    
    /**
     * @notice Emergency pause (max 7 days)
     */
    function pause() external onlyOwner {
        paused = true;
        pauseStartTime = block.timestamp;
        emit Paused(msg.sender, block.timestamp + MAX_PAUSE);
    }
    
    /**
     * @notice Unpause trading
     */
    function unpause() external onlyOwner {
        paused = false;
        pauseStartTime = 0;
        emit Unpaused(msg.sender, false);
    }
    
    /**
     * @notice Renounce ownership permanently
     */
    function renounceOwnership() external onlyOwner {
        address prev = owner;
        owner = address(0);
        ownershipRenounced = true;
        emit OwnershipRenounced(prev);
    }
    
    // ═══════════════════════════════════════════════════════════════════════
    // PUBLIC FUNCTIONS
    // ═══════════════════════════════════════════════════════════════════════
    
    /**
     * @notice Burn tokens from caller
     */
    function burn(uint256 amount) external whenNotPaused {
        if (amount == 0) revert InvalidInput();
        _burn(msg.sender, amount);
        totalBurned += amount;
        emit Burned(msg.sender, amount);
    }
    
    /**
     * @notice Burn tokens from another account (requires approval)
     */
    function burnFrom(address account, uint256 amount) external whenNotPaused {
        if (amount == 0 || account == address(0)) revert InvalidInput();
        _spendAllowance(account, msg.sender, amount);
        _burn(account, amount);
        totalBurned += amount;
        emit Burned(account, amount);
    }
    
    // ═══════════════════════════════════════════════════════════════════════
    // INTERNAL
    // ═══════════════════════════════════════════════════════════════════════
    
    /**
     * @notice Auto-unpause after MAX_PAUSE duration
     */
    function _checkAndAutoUnpause() internal {
        if (paused && pauseStartTime > 0 && block.timestamp >= pauseStartTime + MAX_PAUSE) {
            paused = false;
            emit Unpaused(address(0), true);
        }
    }
    
    /**
     * @notice Override transfer to enforce pause
     */
    function _update(address from, address to, uint256 value) internal virtual override {
        _checkAndAutoUnpause();
        
        // Block transfers when paused (except mint/burn)
        if (paused && from != address(0) && to != address(0)) {
            revert IsPaused();
        }
        
        super._update(from, to, value);
    }
    
    // ═══════════════════════════════════════════════════════════════════════
    // VIEW FUNCTIONS
    // ═══════════════════════════════════════════════════════════════════════
    
    /**
     * @notice Get token info
     */
    function getTokenInfo() external view returns (
        string memory tokenName,
        string memory tokenSymbol,
        uint8 tokenDecimals,
        uint256 tokenSupply,
        bool isPaused,
        address tokenOwner,
        bool isRenounced
    ) {
        return (name(), symbol(), decimals(), totalSupply(), paused, owner, ownershipRenounced);
    }
    
    /**
     * @notice Check if paused and when it will auto-unpause
     */
    function getPauseInfo() external view returns (bool isPaused, uint256 autoUnpauseAt) {
        isPaused = paused;
        if (paused && pauseStartTime > 0) {
            autoUnpauseAt = pauseStartTime + MAX_PAUSE;
        }
    }
    
    /**
     * @notice Check if fully decentralized
     */
    function isDecentralized() external view returns (bool) {
        return ownershipRenounced || owner == address(0);
    }
}

// SPDX-License-Identifier: MIT
// OpenZeppelin Contracts (last updated v5.4.0) (interfaces/draft-IERC6093.sol)
pragma solidity >=0.8.4;

/**
 * @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.4.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}.
     *
     * Both 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;
    }

    /// @inheritdoc IERC20
    function totalSupply() public view virtual returns (uint256) {
        return _totalSupply;
    }

    /// @inheritdoc IERC20
    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;
    }

    /// @inheritdoc IERC20
    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.4.0) (token/ERC20/extensions/IERC20Metadata.sol)

pragma solidity >=0.6.2;

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.4.0) (token/ERC20/IERC20.sol)

pragma solidity >=0.4.16;

/**
 * @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.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;
    }
}

Settings
{
  "evmVersion": "paris",
  "optimizer": {
    "enabled": false,
    "runs": 200
  },
  "outputSelection": {
    "*": {
      "*": [
        "evm.bytecode",
        "evm.deployedBytecode",
        "devdoc",
        "userdoc",
        "metadata",
        "abi"
      ]
    }
  }
}

Contract Security Audit

Contract ABI

API
[{"inputs":[{"internalType":"string","name":"name_","type":"string"},{"internalType":"string","name":"symbol_","type":"string"},{"internalType":"uint256","name":"supply_","type":"uint256"},{"internalType":"address","name":"recipient_","type":"address"},{"internalType":"string","name":"logoURI_","type":"string"}],"stateMutability":"nonpayable","type":"constructor"},{"inputs":[],"name":"AlreadyRenounced","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":"InvalidInput","type":"error"},{"inputs":[],"name":"IsPaused","type":"error"},{"inputs":[],"name":"Unauthorized","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":"from","type":"address"},{"indexed":false,"internalType":"uint256","name":"amount","type":"uint256"}],"name":"Burned","type":"event"},{"anonymous":false,"inputs":[{"indexed":true,"internalType":"address","name":"previousOwner","type":"address"}],"name":"OwnershipRenounced","type":"event"},{"anonymous":false,"inputs":[{"indexed":true,"internalType":"address","name":"by","type":"address"},{"indexed":false,"internalType":"uint256","name":"until","type":"uint256"}],"name":"Paused","type":"event"},{"anonymous":false,"inputs":[{"indexed":true,"internalType":"address","name":"creator","type":"address"},{"indexed":true,"internalType":"address","name":"recipient","type":"address"},{"indexed":false,"internalType":"uint256","name":"supply","type":"uint256"}],"name":"TokenCreated","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":"by","type":"address"},{"indexed":false,"internalType":"bool","name":"automatic","type":"bool"}],"name":"Unpaused","type":"event"},{"inputs":[{"internalType":"address","name":"owner","type":"address"},{"internalType":"address","name":"spender","type":"address"}],"name":"allowance","outputs":[{"internalType":"uint256","name":"","type":"uint256"}],"stateMutability":"view","type":"function"},{"inputs":[{"internalType":"address","name":"spender","type":"address"},{"internalType":"uint256","name":"value","type":"uint256"}],"name":"approve","outputs":[{"internalType":"bool","name":"","type":"bool"}],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"address","name":"account","type":"address"}],"name":"balanceOf","outputs":[{"internalType":"uint256","name":"","type":"uint256"}],"stateMutability":"view","type":"function"},{"inputs":[{"internalType":"uint256","name":"amount","type":"uint256"}],"name":"burn","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"address","name":"account","type":"address"},{"internalType":"uint256","name":"amount","type":"uint256"}],"name":"burnFrom","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[],"name":"decimals","outputs":[{"internalType":"uint8","name":"","type":"uint8"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"getPauseInfo","outputs":[{"internalType":"bool","name":"isPaused","type":"bool"},{"internalType":"uint256","name":"autoUnpauseAt","type":"uint256"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"getTokenInfo","outputs":[{"internalType":"string","name":"tokenName","type":"string"},{"internalType":"string","name":"tokenSymbol","type":"string"},{"internalType":"uint8","name":"tokenDecimals","type":"uint8"},{"internalType":"uint256","name":"tokenSupply","type":"uint256"},{"internalType":"bool","name":"isPaused","type":"bool"},{"internalType":"address","name":"tokenOwner","type":"address"},{"internalType":"bool","name":"isRenounced","type":"bool"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"isDecentralized","outputs":[{"internalType":"bool","name":"","type":"bool"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"logoURI","outputs":[{"internalType":"string","name":"","type":"string"}],"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":"ownershipRenounced","outputs":[{"internalType":"bool","name":"","type":"bool"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"pause","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[],"name":"pauseStartTime","outputs":[{"internalType":"uint256","name":"","type":"uint256"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"paused","outputs":[{"internalType":"bool","name":"","type":"bool"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"renounceOwnership","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[],"name":"symbol","outputs":[{"internalType":"string","name":"","type":"string"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"totalBurned","outputs":[{"internalType":"uint256","name":"","type":"uint256"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"totalSupply","outputs":[{"internalType":"uint256","name":"","type":"uint256"}],"stateMutability":"view","type":"function"},{"inputs":[{"internalType":"address","name":"to","type":"address"},{"internalType":"uint256","name":"value","type":"uint256"}],"name":"transfer","outputs":[{"internalType":"bool","name":"","type":"bool"}],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"address","name":"from","type":"address"},{"internalType":"address","name":"to","type":"address"},{"internalType":"uint256","name":"value","type":"uint256"}],"name":"transferFrom","outputs":[{"internalType":"bool","name":"","type":"bool"}],"stateMutability":"nonpayable","type":"function"},{"inputs":[],"name":"unpause","outputs":[],"stateMutability":"nonpayable","type":"function"}]

608060405234801561001057600080fd5b5060405161290638038061290683398181016040528101906100329190610884565b848481600390816100439190610b6a565b5080600490816100539190610b6a565b5050506000831480610069575064e8d4a5100083115b156100a0576040517fb4fa3fb300000000000000000000000000000000000000000000000000000000815260040160405180910390fd5b600073ffffffffffffffffffffffffffffffffffffffff168273ffffffffffffffffffffffffffffffffffffffff1603610106576040517fb4fa3fb300000000000000000000000000000000000000000000000000000000815260040160405180910390fd5b600085511480610117575060008451145b1561014e576040517fb4fa3fb300000000000000000000000000000000000000000000000000000000815260040160405180910390fd5b81600560006101000a81548173ffffffffffffffffffffffffffffffffffffffff021916908373ffffffffffffffffffffffffffffffffffffffff160217905550806006908161019e9190610b6a565b506101c282670de0b6b3a7640000856101b79190610c6b565b61024460201b60201c565b8173ffffffffffffffffffffffffffffffffffffffff163373ffffffffffffffffffffffffffffffffffffffff167ffde888083b38fe6deac8498d5daebda0d38d0d3e6167e434b633f955152766fa670de0b6b3a7640000866102259190610c6b565b6040516102329190610cbc565b60405180910390a35050505050610da2565b600073ffffffffffffffffffffffffffffffffffffffff168273ffffffffffffffffffffffffffffffffffffffff16036102b65760006040517fec442f050000000000000000000000000000000000000000000000000000000081526004016102ad9190610ce6565b60405180910390fd5b6102c8600083836102cc60201b60201c565b5050565b6102da6103a960201b60201c565b600560149054906101000a900460ff1680156103235750600073ffffffffffffffffffffffffffffffffffffffff168373ffffffffffffffffffffffffffffffffffffffff1614155b801561035c5750600073ffffffffffffffffffffffffffffffffffffffff168273ffffffffffffffffffffffffffffffffffffffff1614155b15610393576040517f1309a56300000000000000000000000000000000000000000000000000000000815260040160405180910390fd5b6103a483838361045660201b60201c565b505050565b600560149054906101000a900460ff1680156103c757506000600854115b80156103e3575062093a806008546103df9190610d01565b4210155b15610454576000600560146101000a81548160ff021916908315150217905550600073ffffffffffffffffffffffffffffffffffffffff167fcb4bb8bb1e41fbe4c7bffd024efe036fbb4b06b5d5bd06e2ec6a563735fcfeab600160405161044b9190610d50565b60405180910390a25b565b600073ffffffffffffffffffffffffffffffffffffffff168373ffffffffffffffffffffffffffffffffffffffff16036104a857806002600082825461049c9190610d01565b9250508190555061057b565b60008060008573ffffffffffffffffffffffffffffffffffffffff1673ffffffffffffffffffffffffffffffffffffffff16815260200190815260200160002054905081811015610534578381836040517fe450d38c00000000000000000000000000000000000000000000000000000000815260040161052b93929190610d6b565b60405180910390fd5b8181036000808673ffffffffffffffffffffffffffffffffffffffff1673ffffffffffffffffffffffffffffffffffffffff16815260200190815260200160002081905550505b600073ffffffffffffffffffffffffffffffffffffffff168273ffffffffffffffffffffffffffffffffffffffff16036105c45780600260008282540392505081905550610611565b806000808473ffffffffffffffffffffffffffffffffffffffff1673ffffffffffffffffffffffffffffffffffffffff168152602001908152602001600020600082825401925050819055505b8173ffffffffffffffffffffffffffffffffffffffff168373ffffffffffffffffffffffffffffffffffffffff167fddf252ad1be2c89b69c2b068fc378daa952ba7f163c4a11628f55a4df523b3ef8360405161066e9190610cbc565b60405180910390a3505050565b6000604051905090565b600080fd5b600080fd5b600080fd5b600080fd5b6000601f19601f8301169050919050565b7f4e487b7100000000000000000000000000000000000000000000000000000000600052604160045260246000fd5b6106e282610699565b810181811067ffffffffffffffff82111715610701576107006106aa565b5b80604052505050565b600061071461067b565b905061072082826106d9565b919050565b600067ffffffffffffffff8211156107405761073f6106aa565b5b61074982610699565b9050602081019050919050565b60005b83811015610774578082015181840152602081019050610759565b60008484015250505050565b600061079361078e84610725565b61070a565b9050828152602081018484840111156107af576107ae610694565b5b6107ba848285610756565b509392505050565b600082601f8301126107d7576107d661068f565b5b81516107e7848260208601610780565b91505092915050565b6000819050919050565b610803816107f0565b811461080e57600080fd5b50565b600081519050610820816107fa565b92915050565b600073ffffffffffffffffffffffffffffffffffffffff82169050919050565b600061085182610826565b9050919050565b61086181610846565b811461086c57600080fd5b50565b60008151905061087e81610858565b92915050565b600080600080600060a086880312156108a05761089f610685565b5b600086015167ffffffffffffffff8111156108be576108bd61068a565b5b6108ca888289016107c2565b955050602086015167ffffffffffffffff8111156108eb576108ea61068a565b5b6108f7888289016107c2565b945050604061090888828901610811565b93505060606109198882890161086f565b925050608086015167ffffffffffffffff81111561093a5761093961068a565b5b610946888289016107c2565b9150509295509295909350565b600081519050919050565b7f4e487b7100000000000000000000000000000000000000000000000000000000600052602260045260246000fd5b600060028204905060018216806109a557607f821691505b6020821081036109b8576109b761095e565b5b50919050565b60008190508160005260206000209050919050565b60006020601f8301049050919050565b600082821b905092915050565b600060088302610a207fffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffff826109e3565b610a2a86836109e3565b95508019841693508086168417925050509392505050565b6000819050919050565b6000610a67610a62610a5d846107f0565b610a42565b6107f0565b9050919050565b6000819050919050565b610a8183610a4c565b610a95610a8d82610a6e565b8484546109f0565b825550505050565b600090565b610aaa610a9d565b610ab5818484610a78565b505050565b5b81811015610ad957610ace600082610aa2565b600181019050610abb565b5050565b601f821115610b1e57610aef816109be565b610af8846109d3565b81016020851015610b07578190505b610b1b610b13856109d3565b830182610aba565b50505b505050565b600082821c905092915050565b6000610b4160001984600802610b23565b1980831691505092915050565b6000610b5a8383610b30565b9150826002028217905092915050565b610b7382610953565b67ffffffffffffffff811115610b8c57610b8b6106aa565b5b610b96825461098d565b610ba1828285610add565b600060209050601f831160018114610bd45760008415610bc2578287015190505b610bcc8582610b4e565b865550610c34565b601f198416610be2866109be565b60005b82811015610c0a57848901518255600182019150602085019450602081019050610be5565b86831015610c275784890151610c23601f891682610b30565b8355505b6001600288020188555050505b505050505050565b7f4e487b7100000000000000000000000000000000000000000000000000000000600052601160045260246000fd5b6000610c76826107f0565b9150610c81836107f0565b9250828202610c8f816107f0565b91508282048414831517610ca657610ca5610c3c565b5b5092915050565b610cb6816107f0565b82525050565b6000602082019050610cd16000830184610cad565b92915050565b610ce081610846565b82525050565b6000602082019050610cfb6000830184610cd7565b92915050565b6000610d0c826107f0565b9150610d17836107f0565b9250828201905080821115610d2f57610d2e610c3c565b5b92915050565b60008115159050919050565b610d4a81610d35565b82525050565b6000602082019050610d656000830184610d41565b92915050565b6000606082019050610d806000830186610cd7565b610d8d6020830185610cad565b610d9a6040830184610cad565b949350505050565b611b5580610db16000396000f3fe608060405234801561001057600080fd5b506004361061014d5760003560e01c806370a08231116100c357806394d7eaa41161007c57806394d7eaa41461034757806395d89b4114610365578063a9059cbb14610383578063abb1dc44146103b3578063d89135cd146103d7578063dd62ed3e146103f55761014d565b806370a08231146102ab578063715018a6146102db57806379cc6790146102e55780638456cb59146103015780638da5cb5b1461030b5780639004a8bb146103295761014d565b80633f4ba83a116101155780633f4ba83a1461020c578063421f95151461021657806342966c681461023457806345282a92146102505780635c975abb1461026f5780636bb38b281461028d5761014d565b806306fdde0314610152578063095ea7b31461017057806318160ddd146101a057806323b872dd146101be578063313ce567146101ee575b600080fd5b61015a610425565b60405161016791906116d6565b60405180910390f35b61018a60048036038101906101859190611791565b6104b7565b60405161019791906117ec565b60405180910390f35b6101a86104da565b6040516101b59190611816565b60405180910390f35b6101d860048036038101906101d39190611831565b6104e4565b6040516101e591906117ec565b60405180910390f35b6101f6610513565b60405161020391906118a0565b60405180910390f35b61021461051c565b005b61021e610630565b60405161022b91906117ec565b60405180910390f35b61024e600480360381019061024991906118bb565b6106a0565b005b61025861079d565b6040516102669291906118e8565b60405180910390f35b6102776107ed565b60405161028491906117ec565b60405180910390f35b610295610800565b6040516102a291906116d6565b60405180910390f35b6102c560048036038101906102c09190611911565b61088e565b6040516102d29190611816565b60405180910390f35b6102e36108d6565b005b6102ff60048036038101906102fa9190611791565b610a40565b005b610309610b81565b005b610313610ca1565b604051610320919061194d565b60405180910390f35b610331610cc7565b60405161033e91906117ec565b60405180910390f35b61034f610cda565b60405161035c9190611816565b60405180910390f35b61036d610ce0565b60405161037a91906116d6565b60405180910390f35b61039d60048036038101906103989190611791565b610d72565b6040516103aa91906117ec565b60405180910390f35b6103bb610d95565b6040516103ce9796959493929190611968565b60405180910390f35b6103df610e1a565b6040516103ec9190611816565b60405180910390f35b61040f600480360381019061040a91906119e5565b610e20565b60405161041c9190611816565b60405180910390f35b60606003805461043490611a54565b80601f016020809104026020016040519081016040528092919081815260200182805461046090611a54565b80156104ad5780601f10610482576101008083540402835291602001916104ad565b820191906000526020600020905b81548152906001019060200180831161049057829003601f168201915b5050505050905090565b6000806104c2610ea7565b90506104cf818585610eaf565b600191505092915050565b6000600254905090565b6000806104ef610ea7565b90506104fc858285610ec1565b610507858585610f56565b60019150509392505050565b60006012905090565b600560009054906101000a900473ffffffffffffffffffffffffffffffffffffffff1673ffffffffffffffffffffffffffffffffffffffff163373ffffffffffffffffffffffffffffffffffffffff161415806105855750600560159054906101000a900460ff165b156105bc576040517f82b4290000000000000000000000000000000000000000000000000000000000815260040160405180910390fd5b6000600560146101000a81548160ff02191690831515021790555060006008819055503373ffffffffffffffffffffffffffffffffffffffff167fcb4bb8bb1e41fbe4c7bffd024efe036fbb4b06b5d5bd06e2ec6a563735fcfeab600060405161062691906117ec565b60405180910390a2565b6000600560159054906101000a900460ff168061069b5750600073ffffffffffffffffffffffffffffffffffffffff16600560009054906101000a900473ffffffffffffffffffffffffffffffffffffffff1673ffffffffffffffffffffffffffffffffffffffff16145b905090565b6106a861104a565b600560149054906101000a900460ff16156106ef576040517f1309a56300000000000000000000000000000000000000000000000000000000815260040160405180910390fd5b60008103610729576040517fb4fa3fb300000000000000000000000000000000000000000000000000000000815260040160405180910390fd5b61073333826110f7565b80600760008282546107459190611ab4565b925050819055503373ffffffffffffffffffffffffffffffffffffffff167f696de425f79f4a40bc6d2122ca50507f0efbeabbff86a84871b7196ab8ea8df7826040516107929190611816565b60405180910390a250565b600080600560149054906101000a900460ff169150600560149054906101000a900460ff1680156107d057506000600854115b156107e95762093a806008546107e69190611ab4565b90505b9091565b600560149054906101000a900460ff1681565b6006805461080d90611a54565b80601f016020809104026020016040519081016040528092919081815260200182805461083990611a54565b80156108865780601f1061085b57610100808354040283529160200191610886565b820191906000526020600020905b81548152906001019060200180831161086957829003601f168201915b505050505081565b60008060008373ffffffffffffffffffffffffffffffffffffffff1673ffffffffffffffffffffffffffffffffffffffff168152602001908152602001600020549050919050565b600560009054906101000a900473ffffffffffffffffffffffffffffffffffffffff1673ffffffffffffffffffffffffffffffffffffffff163373ffffffffffffffffffffffffffffffffffffffff1614158061093f5750600560159054906101000a900460ff165b15610976576040517f82b4290000000000000000000000000000000000000000000000000000000000815260040160405180910390fd5b6000600560009054906101000a900473ffffffffffffffffffffffffffffffffffffffff1690506000600560006101000a81548173ffffffffffffffffffffffffffffffffffffffff021916908373ffffffffffffffffffffffffffffffffffffffff1602179055506001600560156101000a81548160ff0219169083151502179055508073ffffffffffffffffffffffffffffffffffffffff167ff8df31144d9c2f0f6b59d69b8b98abd5459d07f2742c4df920b25aae33c6482060405160405180910390a250565b610a4861104a565b600560149054906101000a900460ff1615610a8f576040517f1309a56300000000000000000000000000000000000000000000000000000000815260040160405180910390fd5b6000811480610aca5750600073ffffffffffffffffffffffffffffffffffffffff168273ffffffffffffffffffffffffffffffffffffffff16145b15610b01576040517fb4fa3fb300000000000000000000000000000000000000000000000000000000815260040160405180910390fd5b610b0c823383610ec1565b610b1682826110f7565b8060076000828254610b289190611ab4565b925050819055508173ffffffffffffffffffffffffffffffffffffffff167f696de425f79f4a40bc6d2122ca50507f0efbeabbff86a84871b7196ab8ea8df782604051610b759190611816565b60405180910390a25050565b600560009054906101000a900473ffffffffffffffffffffffffffffffffffffffff1673ffffffffffffffffffffffffffffffffffffffff163373ffffffffffffffffffffffffffffffffffffffff16141580610bea5750600560159054906101000a900460ff165b15610c21576040517f82b4290000000000000000000000000000000000000000000000000000000000815260040160405180910390fd5b6001600560146101000a81548160ff021916908315150217905550426008819055503373ffffffffffffffffffffffffffffffffffffffff167fab40a374bc51de372200a8bc981af8c9ecdc08dfdaef0bb6e09f88f3c616ef3d62093a8042610c8a9190611ab4565b604051610c979190611816565b60405180910390a2565b600560009054906101000a900473ffffffffffffffffffffffffffffffffffffffff1681565b600560159054906101000a900460ff1681565b60085481565b606060048054610cef90611a54565b80601f0160208091040260200160405190810160405280929190818152602001828054610d1b90611a54565b8015610d685780601f10610d3d57610100808354040283529160200191610d68565b820191906000526020600020905b815481529060010190602001808311610d4b57829003601f168201915b5050505050905090565b600080610d7d610ea7565b9050610d8a818585610f56565b600191505092915050565b6060806000806000806000610da8610425565b610db0610ce0565b610db8610513565b610dc06104da565b600560149054906101000a900460ff16600560009054906101000a900473ffffffffffffffffffffffffffffffffffffffff16600560159054906101000a900460ff16965096509650965096509650965090919293949596565b60075481565b6000600160008473ffffffffffffffffffffffffffffffffffffffff1673ffffffffffffffffffffffffffffffffffffffff16815260200190815260200160002060008373ffffffffffffffffffffffffffffffffffffffff1673ffffffffffffffffffffffffffffffffffffffff16815260200190815260200160002054905092915050565b600033905090565b610ebc8383836001611179565b505050565b6000610ecd8484610e20565b90507fffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffff811015610f505781811015610f40578281836040517ffb8f41b2000000000000000000000000000000000000000000000000000000008152600401610f3793929190611ae8565b60405180910390fd5b610f4f84848484036000611179565b5b50505050565b600073ffffffffffffffffffffffffffffffffffffffff168373ffffffffffffffffffffffffffffffffffffffff1603610fc85760006040517f96c6fd1e000000000000000000000000000000000000000000000000000000008152600401610fbf919061194d565b60405180910390fd5b600073ffffffffffffffffffffffffffffffffffffffff168273ffffffffffffffffffffffffffffffffffffffff160361103a5760006040517fec442f05000000000000000000000000000000000000000000000000000000008152600401611031919061194d565b60405180910390fd5b611045838383611350565b505050565b600560149054906101000a900460ff16801561106857506000600854115b8015611084575062093a806008546110809190611ab4565b4210155b156110f5576000600560146101000a81548160ff021916908315150217905550600073ffffffffffffffffffffffffffffffffffffffff167fcb4bb8bb1e41fbe4c7bffd024efe036fbb4b06b5d5bd06e2ec6a563735fcfeab60016040516110ec91906117ec565b60405180910390a25b565b600073ffffffffffffffffffffffffffffffffffffffff168273ffffffffffffffffffffffffffffffffffffffff16036111695760006040517f96c6fd1e000000000000000000000000000000000000000000000000000000008152600401611160919061194d565b60405180910390fd5b61117582600083611350565b5050565b600073ffffffffffffffffffffffffffffffffffffffff168473ffffffffffffffffffffffffffffffffffffffff16036111eb5760006040517fe602df050000000000000000000000000000000000000000000000000000000081526004016111e2919061194d565b60405180910390fd5b600073ffffffffffffffffffffffffffffffffffffffff168373ffffffffffffffffffffffffffffffffffffffff160361125d5760006040517f94280d62000000000000000000000000000000000000000000000000000000008152600401611254919061194d565b60405180910390fd5b81600160008673ffffffffffffffffffffffffffffffffffffffff1673ffffffffffffffffffffffffffffffffffffffff16815260200190815260200160002060008573ffffffffffffffffffffffffffffffffffffffff1673ffffffffffffffffffffffffffffffffffffffff16815260200190815260200160002081905550801561134a578273ffffffffffffffffffffffffffffffffffffffff168473ffffffffffffffffffffffffffffffffffffffff167f8c5be1e5ebec7d5bd14f71427d1e84f3dd0314c0f7b2291e5b200ac8c7c3b925846040516113419190611816565b60405180910390a35b50505050565b61135861104a565b600560149054906101000a900460ff1680156113a15750600073ffffffffffffffffffffffffffffffffffffffff168373ffffffffffffffffffffffffffffffffffffffff1614155b80156113da5750600073ffffffffffffffffffffffffffffffffffffffff168273ffffffffffffffffffffffffffffffffffffffff1614155b15611411576040517f1309a56300000000000000000000000000000000000000000000000000000000815260040160405180910390fd5b61141c838383611421565b505050565b600073ffffffffffffffffffffffffffffffffffffffff168373ffffffffffffffffffffffffffffffffffffffff16036114735780600260008282546114679190611ab4565b92505081905550611546565b60008060008573ffffffffffffffffffffffffffffffffffffffff1673ffffffffffffffffffffffffffffffffffffffff168152602001908152602001600020549050818110156114ff578381836040517fe450d38c0000000000000000000000000000000000000000000000000000000081526004016114f693929190611ae8565b60405180910390fd5b8181036000808673ffffffffffffffffffffffffffffffffffffffff1673ffffffffffffffffffffffffffffffffffffffff16815260200190815260200160002081905550505b600073ffffffffffffffffffffffffffffffffffffffff168273ffffffffffffffffffffffffffffffffffffffff160361158f57806002600082825403925050819055506115dc565b806000808473ffffffffffffffffffffffffffffffffffffffff1673ffffffffffffffffffffffffffffffffffffffff168152602001908152602001600020600082825401925050819055505b8173ffffffffffffffffffffffffffffffffffffffff168373ffffffffffffffffffffffffffffffffffffffff167fddf252ad1be2c89b69c2b068fc378daa952ba7f163c4a11628f55a4df523b3ef836040516116399190611816565b60405180910390a3505050565b600081519050919050565b600082825260208201905092915050565b60005b83811015611680578082015181840152602081019050611665565b60008484015250505050565b6000601f19601f8301169050919050565b60006116a882611646565b6116b28185611651565b93506116c2818560208601611662565b6116cb8161168c565b840191505092915050565b600060208201905081810360008301526116f0818461169d565b905092915050565b600080fd5b600073ffffffffffffffffffffffffffffffffffffffff82169050919050565b6000611728826116fd565b9050919050565b6117388161171d565b811461174357600080fd5b50565b6000813590506117558161172f565b92915050565b6000819050919050565b61176e8161175b565b811461177957600080fd5b50565b60008135905061178b81611765565b92915050565b600080604083850312156117a8576117a76116f8565b5b60006117b685828601611746565b92505060206117c78582860161177c565b9150509250929050565b60008115159050919050565b6117e6816117d1565b82525050565b600060208201905061180160008301846117dd565b92915050565b6118108161175b565b82525050565b600060208201905061182b6000830184611807565b92915050565b60008060006060848603121561184a576118496116f8565b5b600061185886828701611746565b935050602061186986828701611746565b925050604061187a8682870161177c565b9150509250925092565b600060ff82169050919050565b61189a81611884565b82525050565b60006020820190506118b56000830184611891565b92915050565b6000602082840312156118d1576118d06116f8565b5b60006118df8482850161177c565b91505092915050565b60006040820190506118fd60008301856117dd565b61190a6020830184611807565b9392505050565b600060208284031215611927576119266116f8565b5b600061193584828501611746565b91505092915050565b6119478161171d565b82525050565b6000602082019050611962600083018461193e565b92915050565b600060e0820190508181036000830152611982818a61169d565b90508181036020830152611996818961169d565b90506119a56040830188611891565b6119b26060830187611807565b6119bf60808301866117dd565b6119cc60a083018561193e565b6119d960c08301846117dd565b98975050505050505050565b600080604083850312156119fc576119fb6116f8565b5b6000611a0a85828601611746565b9250506020611a1b85828601611746565b9150509250929050565b7f4e487b7100000000000000000000000000000000000000000000000000000000600052602260045260246000fd5b60006002820490506001821680611a6c57607f821691505b602082108103611a7f57611a7e611a25565b5b50919050565b7f4e487b7100000000000000000000000000000000000000000000000000000000600052601160045260246000fd5b6000611abf8261175b565b9150611aca8361175b565b9250828201905080821115611ae257611ae1611a85565b5b92915050565b6000606082019050611afd600083018661193e565b611b0a6020830185611807565b611b176040830184611807565b94935050505056fea2646970667358221220629eef9782694f7dac426029464867cfe718c8d45df5f24a2c1d124c0a8b536964736f6c6343000819003300000000000000000000000000000000000000000000000000000000000000a000000000000000000000000000000000000000000000000000000000000000e0000000000000000000000000000000000000000000000000000000003b9aca00000000000000000000000000b5c3e1119e9a0720fd12f6b03721081cd7978e0a000000000000000000000000000000000000000000000000000000000000012000000000000000000000000000000000000000000000000000000000000000074d79546f6b656e0000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000034d544b0000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000002068747470733a2f2f706c616365686f6c6465722e636f6d2f6c6f676f2e706e67

Deployed Bytecode

0x608060405234801561001057600080fd5b506004361061014d5760003560e01c806370a08231116100c357806394d7eaa41161007c57806394d7eaa41461034757806395d89b4114610365578063a9059cbb14610383578063abb1dc44146103b3578063d89135cd146103d7578063dd62ed3e146103f55761014d565b806370a08231146102ab578063715018a6146102db57806379cc6790146102e55780638456cb59146103015780638da5cb5b1461030b5780639004a8bb146103295761014d565b80633f4ba83a116101155780633f4ba83a1461020c578063421f95151461021657806342966c681461023457806345282a92146102505780635c975abb1461026f5780636bb38b281461028d5761014d565b806306fdde0314610152578063095ea7b31461017057806318160ddd146101a057806323b872dd146101be578063313ce567146101ee575b600080fd5b61015a610425565b60405161016791906116d6565b60405180910390f35b61018a60048036038101906101859190611791565b6104b7565b60405161019791906117ec565b60405180910390f35b6101a86104da565b6040516101b59190611816565b60405180910390f35b6101d860048036038101906101d39190611831565b6104e4565b6040516101e591906117ec565b60405180910390f35b6101f6610513565b60405161020391906118a0565b60405180910390f35b61021461051c565b005b61021e610630565b60405161022b91906117ec565b60405180910390f35b61024e600480360381019061024991906118bb565b6106a0565b005b61025861079d565b6040516102669291906118e8565b60405180910390f35b6102776107ed565b60405161028491906117ec565b60405180910390f35b610295610800565b6040516102a291906116d6565b60405180910390f35b6102c560048036038101906102c09190611911565b61088e565b6040516102d29190611816565b60405180910390f35b6102e36108d6565b005b6102ff60048036038101906102fa9190611791565b610a40565b005b610309610b81565b005b610313610ca1565b604051610320919061194d565b60405180910390f35b610331610cc7565b60405161033e91906117ec565b60405180910390f35b61034f610cda565b60405161035c9190611816565b60405180910390f35b61036d610ce0565b60405161037a91906116d6565b60405180910390f35b61039d60048036038101906103989190611791565b610d72565b6040516103aa91906117ec565b60405180910390f35b6103bb610d95565b6040516103ce9796959493929190611968565b60405180910390f35b6103df610e1a565b6040516103ec9190611816565b60405180910390f35b61040f600480360381019061040a91906119e5565b610e20565b60405161041c9190611816565b60405180910390f35b60606003805461043490611a54565b80601f016020809104026020016040519081016040528092919081815260200182805461046090611a54565b80156104ad5780601f10610482576101008083540402835291602001916104ad565b820191906000526020600020905b81548152906001019060200180831161049057829003601f168201915b5050505050905090565b6000806104c2610ea7565b90506104cf818585610eaf565b600191505092915050565b6000600254905090565b6000806104ef610ea7565b90506104fc858285610ec1565b610507858585610f56565b60019150509392505050565b60006012905090565b600560009054906101000a900473ffffffffffffffffffffffffffffffffffffffff1673ffffffffffffffffffffffffffffffffffffffff163373ffffffffffffffffffffffffffffffffffffffff161415806105855750600560159054906101000a900460ff165b156105bc576040517f82b4290000000000000000000000000000000000000000000000000000000000815260040160405180910390fd5b6000600560146101000a81548160ff02191690831515021790555060006008819055503373ffffffffffffffffffffffffffffffffffffffff167fcb4bb8bb1e41fbe4c7bffd024efe036fbb4b06b5d5bd06e2ec6a563735fcfeab600060405161062691906117ec565b60405180910390a2565b6000600560159054906101000a900460ff168061069b5750600073ffffffffffffffffffffffffffffffffffffffff16600560009054906101000a900473ffffffffffffffffffffffffffffffffffffffff1673ffffffffffffffffffffffffffffffffffffffff16145b905090565b6106a861104a565b600560149054906101000a900460ff16156106ef576040517f1309a56300000000000000000000000000000000000000000000000000000000815260040160405180910390fd5b60008103610729576040517fb4fa3fb300000000000000000000000000000000000000000000000000000000815260040160405180910390fd5b61073333826110f7565b80600760008282546107459190611ab4565b925050819055503373ffffffffffffffffffffffffffffffffffffffff167f696de425f79f4a40bc6d2122ca50507f0efbeabbff86a84871b7196ab8ea8df7826040516107929190611816565b60405180910390a250565b600080600560149054906101000a900460ff169150600560149054906101000a900460ff1680156107d057506000600854115b156107e95762093a806008546107e69190611ab4565b90505b9091565b600560149054906101000a900460ff1681565b6006805461080d90611a54565b80601f016020809104026020016040519081016040528092919081815260200182805461083990611a54565b80156108865780601f1061085b57610100808354040283529160200191610886565b820191906000526020600020905b81548152906001019060200180831161086957829003601f168201915b505050505081565b60008060008373ffffffffffffffffffffffffffffffffffffffff1673ffffffffffffffffffffffffffffffffffffffff168152602001908152602001600020549050919050565b600560009054906101000a900473ffffffffffffffffffffffffffffffffffffffff1673ffffffffffffffffffffffffffffffffffffffff163373ffffffffffffffffffffffffffffffffffffffff1614158061093f5750600560159054906101000a900460ff165b15610976576040517f82b4290000000000000000000000000000000000000000000000000000000000815260040160405180910390fd5b6000600560009054906101000a900473ffffffffffffffffffffffffffffffffffffffff1690506000600560006101000a81548173ffffffffffffffffffffffffffffffffffffffff021916908373ffffffffffffffffffffffffffffffffffffffff1602179055506001600560156101000a81548160ff0219169083151502179055508073ffffffffffffffffffffffffffffffffffffffff167ff8df31144d9c2f0f6b59d69b8b98abd5459d07f2742c4df920b25aae33c6482060405160405180910390a250565b610a4861104a565b600560149054906101000a900460ff1615610a8f576040517f1309a56300000000000000000000000000000000000000000000000000000000815260040160405180910390fd5b6000811480610aca5750600073ffffffffffffffffffffffffffffffffffffffff168273ffffffffffffffffffffffffffffffffffffffff16145b15610b01576040517fb4fa3fb300000000000000000000000000000000000000000000000000000000815260040160405180910390fd5b610b0c823383610ec1565b610b1682826110f7565b8060076000828254610b289190611ab4565b925050819055508173ffffffffffffffffffffffffffffffffffffffff167f696de425f79f4a40bc6d2122ca50507f0efbeabbff86a84871b7196ab8ea8df782604051610b759190611816565b60405180910390a25050565b600560009054906101000a900473ffffffffffffffffffffffffffffffffffffffff1673ffffffffffffffffffffffffffffffffffffffff163373ffffffffffffffffffffffffffffffffffffffff16141580610bea5750600560159054906101000a900460ff165b15610c21576040517f82b4290000000000000000000000000000000000000000000000000000000000815260040160405180910390fd5b6001600560146101000a81548160ff021916908315150217905550426008819055503373ffffffffffffffffffffffffffffffffffffffff167fab40a374bc51de372200a8bc981af8c9ecdc08dfdaef0bb6e09f88f3c616ef3d62093a8042610c8a9190611ab4565b604051610c979190611816565b60405180910390a2565b600560009054906101000a900473ffffffffffffffffffffffffffffffffffffffff1681565b600560159054906101000a900460ff1681565b60085481565b606060048054610cef90611a54565b80601f0160208091040260200160405190810160405280929190818152602001828054610d1b90611a54565b8015610d685780601f10610d3d57610100808354040283529160200191610d68565b820191906000526020600020905b815481529060010190602001808311610d4b57829003601f168201915b5050505050905090565b600080610d7d610ea7565b9050610d8a818585610f56565b600191505092915050565b6060806000806000806000610da8610425565b610db0610ce0565b610db8610513565b610dc06104da565b600560149054906101000a900460ff16600560009054906101000a900473ffffffffffffffffffffffffffffffffffffffff16600560159054906101000a900460ff16965096509650965096509650965090919293949596565b60075481565b6000600160008473ffffffffffffffffffffffffffffffffffffffff1673ffffffffffffffffffffffffffffffffffffffff16815260200190815260200160002060008373ffffffffffffffffffffffffffffffffffffffff1673ffffffffffffffffffffffffffffffffffffffff16815260200190815260200160002054905092915050565b600033905090565b610ebc8383836001611179565b505050565b6000610ecd8484610e20565b90507fffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffff811015610f505781811015610f40578281836040517ffb8f41b2000000000000000000000000000000000000000000000000000000008152600401610f3793929190611ae8565b60405180910390fd5b610f4f84848484036000611179565b5b50505050565b600073ffffffffffffffffffffffffffffffffffffffff168373ffffffffffffffffffffffffffffffffffffffff1603610fc85760006040517f96c6fd1e000000000000000000000000000000000000000000000000000000008152600401610fbf919061194d565b60405180910390fd5b600073ffffffffffffffffffffffffffffffffffffffff168273ffffffffffffffffffffffffffffffffffffffff160361103a5760006040517fec442f05000000000000000000000000000000000000000000000000000000008152600401611031919061194d565b60405180910390fd5b611045838383611350565b505050565b600560149054906101000a900460ff16801561106857506000600854115b8015611084575062093a806008546110809190611ab4565b4210155b156110f5576000600560146101000a81548160ff021916908315150217905550600073ffffffffffffffffffffffffffffffffffffffff167fcb4bb8bb1e41fbe4c7bffd024efe036fbb4b06b5d5bd06e2ec6a563735fcfeab60016040516110ec91906117ec565b60405180910390a25b565b600073ffffffffffffffffffffffffffffffffffffffff168273ffffffffffffffffffffffffffffffffffffffff16036111695760006040517f96c6fd1e000000000000000000000000000000000000000000000000000000008152600401611160919061194d565b60405180910390fd5b61117582600083611350565b5050565b600073ffffffffffffffffffffffffffffffffffffffff168473ffffffffffffffffffffffffffffffffffffffff16036111eb5760006040517fe602df050000000000000000000000000000000000000000000000000000000081526004016111e2919061194d565b60405180910390fd5b600073ffffffffffffffffffffffffffffffffffffffff168373ffffffffffffffffffffffffffffffffffffffff160361125d5760006040517f94280d62000000000000000000000000000000000000000000000000000000008152600401611254919061194d565b60405180910390fd5b81600160008673ffffffffffffffffffffffffffffffffffffffff1673ffffffffffffffffffffffffffffffffffffffff16815260200190815260200160002060008573ffffffffffffffffffffffffffffffffffffffff1673ffffffffffffffffffffffffffffffffffffffff16815260200190815260200160002081905550801561134a578273ffffffffffffffffffffffffffffffffffffffff168473ffffffffffffffffffffffffffffffffffffffff167f8c5be1e5ebec7d5bd14f71427d1e84f3dd0314c0f7b2291e5b200ac8c7c3b925846040516113419190611816565b60405180910390a35b50505050565b61135861104a565b600560149054906101000a900460ff1680156113a15750600073ffffffffffffffffffffffffffffffffffffffff168373ffffffffffffffffffffffffffffffffffffffff1614155b80156113da5750600073ffffffffffffffffffffffffffffffffffffffff168273ffffffffffffffffffffffffffffffffffffffff1614155b15611411576040517f1309a56300000000000000000000000000000000000000000000000000000000815260040160405180910390fd5b61141c838383611421565b505050565b600073ffffffffffffffffffffffffffffffffffffffff168373ffffffffffffffffffffffffffffffffffffffff16036114735780600260008282546114679190611ab4565b92505081905550611546565b60008060008573ffffffffffffffffffffffffffffffffffffffff1673ffffffffffffffffffffffffffffffffffffffff168152602001908152602001600020549050818110156114ff578381836040517fe450d38c0000000000000000000000000000000000000000000000000000000081526004016114f693929190611ae8565b60405180910390fd5b8181036000808673ffffffffffffffffffffffffffffffffffffffff1673ffffffffffffffffffffffffffffffffffffffff16815260200190815260200160002081905550505b600073ffffffffffffffffffffffffffffffffffffffff168273ffffffffffffffffffffffffffffffffffffffff160361158f57806002600082825403925050819055506115dc565b806000808473ffffffffffffffffffffffffffffffffffffffff1673ffffffffffffffffffffffffffffffffffffffff168152602001908152602001600020600082825401925050819055505b8173ffffffffffffffffffffffffffffffffffffffff168373ffffffffffffffffffffffffffffffffffffffff167fddf252ad1be2c89b69c2b068fc378daa952ba7f163c4a11628f55a4df523b3ef836040516116399190611816565b60405180910390a3505050565b600081519050919050565b600082825260208201905092915050565b60005b83811015611680578082015181840152602081019050611665565b60008484015250505050565b6000601f19601f8301169050919050565b60006116a882611646565b6116b28185611651565b93506116c2818560208601611662565b6116cb8161168c565b840191505092915050565b600060208201905081810360008301526116f0818461169d565b905092915050565b600080fd5b600073ffffffffffffffffffffffffffffffffffffffff82169050919050565b6000611728826116fd565b9050919050565b6117388161171d565b811461174357600080fd5b50565b6000813590506117558161172f565b92915050565b6000819050919050565b61176e8161175b565b811461177957600080fd5b50565b60008135905061178b81611765565b92915050565b600080604083850312156117a8576117a76116f8565b5b60006117b685828601611746565b92505060206117c78582860161177c565b9150509250929050565b60008115159050919050565b6117e6816117d1565b82525050565b600060208201905061180160008301846117dd565b92915050565b6118108161175b565b82525050565b600060208201905061182b6000830184611807565b92915050565b60008060006060848603121561184a576118496116f8565b5b600061185886828701611746565b935050602061186986828701611746565b925050604061187a8682870161177c565b9150509250925092565b600060ff82169050919050565b61189a81611884565b82525050565b60006020820190506118b56000830184611891565b92915050565b6000602082840312156118d1576118d06116f8565b5b60006118df8482850161177c565b91505092915050565b60006040820190506118fd60008301856117dd565b61190a6020830184611807565b9392505050565b600060208284031215611927576119266116f8565b5b600061193584828501611746565b91505092915050565b6119478161171d565b82525050565b6000602082019050611962600083018461193e565b92915050565b600060e0820190508181036000830152611982818a61169d565b90508181036020830152611996818961169d565b90506119a56040830188611891565b6119b26060830187611807565b6119bf60808301866117dd565b6119cc60a083018561193e565b6119d960c08301846117dd565b98975050505050505050565b600080604083850312156119fc576119fb6116f8565b5b6000611a0a85828601611746565b9250506020611a1b85828601611746565b9150509250929050565b7f4e487b7100000000000000000000000000000000000000000000000000000000600052602260045260246000fd5b60006002820490506001821680611a6c57607f821691505b602082108103611a7f57611a7e611a25565b5b50919050565b7f4e487b7100000000000000000000000000000000000000000000000000000000600052601160045260246000fd5b6000611abf8261175b565b9150611aca8361175b565b9250828201905080821115611ae257611ae1611a85565b5b92915050565b6000606082019050611afd600083018661193e565b611b0a6020830185611807565b611b176040830184611807565b94935050505056fea2646970667358221220629eef9782694f7dac426029464867cfe718c8d45df5f24a2c1d124c0a8b536964736f6c63430008190033

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

00000000000000000000000000000000000000000000000000000000000000a000000000000000000000000000000000000000000000000000000000000000e0000000000000000000000000000000000000000000000000000000003b9aca00000000000000000000000000b5c3e1119e9a0720fd12f6b03721081cd7978e0a000000000000000000000000000000000000000000000000000000000000012000000000000000000000000000000000000000000000000000000000000000074d79546f6b656e0000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000034d544b0000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000002068747470733a2f2f706c616365686f6c6465722e636f6d2f6c6f676f2e706e67

-----Decoded View---------------
Arg [0] : name_ (string): MyToken
Arg [1] : symbol_ (string): MTK
Arg [2] : supply_ (uint256): 1000000000
Arg [3] : recipient_ (address): 0xb5C3e1119E9A0720fD12F6B03721081CD7978e0a
Arg [4] : logoURI_ (string): https://placeholder.com/logo.png

-----Encoded View---------------
11 Constructor Arguments found :
Arg [0] : 00000000000000000000000000000000000000000000000000000000000000a0
Arg [1] : 00000000000000000000000000000000000000000000000000000000000000e0
Arg [2] : 000000000000000000000000000000000000000000000000000000003b9aca00
Arg [3] : 000000000000000000000000b5c3e1119e9a0720fd12f6b03721081cd7978e0a
Arg [4] : 0000000000000000000000000000000000000000000000000000000000000120
Arg [5] : 0000000000000000000000000000000000000000000000000000000000000007
Arg [6] : 4d79546f6b656e00000000000000000000000000000000000000000000000000
Arg [7] : 0000000000000000000000000000000000000000000000000000000000000003
Arg [8] : 4d544b0000000000000000000000000000000000000000000000000000000000
Arg [9] : 0000000000000000000000000000000000000000000000000000000000000020
Arg [10] : 68747470733a2f2f706c616365686f6c6465722e636f6d2f6c6f676f2e706e67


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.