ETH Price: $1,589.79 (-0.23%)

Token

Bozon (BZN)

Overview

Max Total Supply

5,459 BZN

Holders

46

Market

Price

$0.00 @ 0.000000 ETH

Onchain Market Cap

$0.00

Circulating Supply Market Cap

-

Other Info

Token Contract (WITH 18 Decimals)

Balance
50 BZN

Value
$0.00
0x2fdd4ada9675b8424205ba14ef92577f9458d386
Loading...
Loading
Loading...
Loading
Loading...
Loading

Click here to update the token information / general information
This contract may be a proxy contract. Click on More Options and select Is this a proxy? to confirm and enable the "Read as Proxy" & "Write as Proxy" tabs.

Similar Match Source Code
This contract matches the deployed Bytecode of the Source Code for Contract 0xA8a70DBC...c607d9759
The constructor portion of the code might be different and could alter the actual behaviour of the contract

Contract Name:
Bozon

Compiler Version
v0.8.26+commit.8a97fa7a

ZkSolc Version
v1.5.7

Optimization Enabled:
Yes with Mode 3

Other Settings:
paris EvmVersion
File 1 of 4 : Bozon.sol
// File path: contracts/Bozon.sol
// SPDX-License-Identifier: MIT
pragma solidity ^0.8.4;

import "solady/src/tokens/ERC20.sol";
import "solady/src/auth/Ownable.sol";
import "solady/src/utils/ReentrancyGuard.sol";

/**
 * @title Bozon
 * @notice ERC20 token with transfer lock, claim function, optional max supply, and minter roles.
 */
contract Bozon is ERC20, Ownable, ReentrancyGuard {
    // -------------------------------------------------------------------------
    // Events
    // -------------------------------------------------------------------------

    /**
     * @dev Emitted when transfers get unlocked permanently.
     */
    event TransfersUnlocked();

    /**
     * @dev Emitted when the max supply is finalized.
     *      Includes the final max supply value.
     */
    event MaxSupplyFinalized(uint256 maxSupply);

    /**
     * @dev Emitted when an address is granted or revoked minter status.
     */
    event MinterStatusUpdated(address indexed minter, bool enabled);

    /**
     * @dev Emitted when a user claims tokens.
     */
    event Claimed(address indexed user, uint256 amount);

    /**
     * @dev Emitted when a user burns tokens.
     */
    event Burned(address indexed user, uint256 amount);

    /**
     * @dev Emitted when claim parameters are updated.
     */
    event ClaimParametersUpdated(uint256 newClaimAmount, uint256 newClaimInterval);

    /**
     * @dev Emitted when claim status (enabled/disabled) is updated.
     */
    event ClaimStatusUpdated(bool newStatus);

    // -------------------------------------------------------------------------
    // Errors
    // -------------------------------------------------------------------------

    error TransfersLocked();
    error ExceedsMaxSupply();
    error MaxSupplyAlreadyFinalized();
    error ClaimNotReady();
    error NotAMinter();
    error ClaimInactive();

    // -------------------------------------------------------------------------
    // Storage
    // -------------------------------------------------------------------------

    // ERC20 token details
    string private constant _NAME = "Bozon";
    string private constant _SYMBOL = "BZN";

    /**
     * @dev Transfer lock: initially true, owner can unlock once, cannot be re-locked.
     */
    bool public transfersLocked = true;

    /**
     * @dev Per-interval claim configuration.
     */
    uint256 public claimAmount;
    uint256 public claimInterval;

    /**
     * @dev Boolean indicating whether claiming is currently enabled.
     */
    bool public claimEnabled;

    /**
     * @dev Max supply: 0 => unlimited. If set, totalSupply cannot exceed this.
     */
    uint256 public maxSupply;
    bool public maxSupplyLocked;

    /**
     * @dev Minter role mapping.
     */
    mapping(address => bool) public isMinter;

    /**
     * @dev Tracks the last successful claim time (per address).
     */
    mapping(address => uint256) public lastClaimTime;

    // -------------------------------------------------------------------------
    // Constructor
    // -------------------------------------------------------------------------

    /**
     * @notice Initializes the contract with default ownership and claim parameters.
     *         Transfers are locked initially.
     */
    constructor() {
        _initializeOwner(msg.sender);

        // Default claim settings
        claimAmount = 30e18;     // 30 tokens per claim
        claimInterval = 2 hours; // once every 2 hours
        claimEnabled = false;     // claims are disabled by default
    }

    // -------------------------------------------------------------------------
    // ERC20 Overrides
    // -------------------------------------------------------------------------

    function name() public pure override returns (string memory) {
        return _NAME;
    }

    function symbol() public pure override returns (string memory) {
        return _SYMBOL;
    }

    /**
     * @dev Enforces transfer locking unless owner is the sender or it's mint/burn.
     */
    function _beforeTokenTransfer(address from, address to, uint256 amount) internal override {
        super._beforeTokenTransfer(from, to, amount);

        if (transfersLocked && from != address(0) && to != address(0) && from != owner()) {
            revert TransfersLocked();
        }
    }

    /**
     * @dev Enforces maxSupply if it's non-zero.
     */
    function _mint(address to, uint256 amount) internal override {
        if (maxSupply != 0) {
            unchecked {
                if (totalSupply() + amount > maxSupply) revert ExceedsMaxSupply();
            }
        }
        super._mint(to, amount);
    }

    // -------------------------------------------------------------------------
    // Transfer Lock
    // -------------------------------------------------------------------------

    /**
     * @notice Permanently unlocks transfers. Only callable by the owner, once.
     */
    function enableTransfers() external onlyOwner {
        if (!transfersLocked) revert();
        transfersLocked = false;
        emit TransfersUnlocked();
    }

    // -------------------------------------------------------------------------
    // Max Supply (finalizable)
    // -------------------------------------------------------------------------

    /**
     * @notice Finalizes maxSupply exactly once.
     * @param newMaxSupply The new max supply (must be >= current totalSupply).
     */
    function finalizeMaxSupply(uint256 newMaxSupply) external onlyOwner {
        if (maxSupplyLocked) revert MaxSupplyAlreadyFinalized();
        if (newMaxSupply < totalSupply()) revert ExceedsMaxSupply();
        maxSupply = newMaxSupply;
        maxSupplyLocked = true;
        emit MaxSupplyFinalized(newMaxSupply);
    }

    // -------------------------------------------------------------------------
    // Minter Role
    // -------------------------------------------------------------------------

    /**
     * @notice Grants or revokes minter status.
     * @param minter  Target address.
     * @param enabled True to enable, false to disable.
     */
    function setMinter(address minter, bool enabled) external onlyOwner {
        isMinter[minter] = enabled;
        emit MinterStatusUpdated(minter, enabled);
    }

    /**
     * @notice Mints tokens via minter role.
     * @param to     Recipient address.
     * @param amount Amount to mint.
     */
    function minterMint(address to, uint256 amount) external {
        if (!isMinter[msg.sender]) revert NotAMinter();
        _mint(to, amount);
    }

    // -------------------------------------------------------------------------
    // Owner Mint / Burn
    // -------------------------------------------------------------------------

    /**
     * @notice Owner can mint tokens (respects maxSupply if set).
     * @param to     Recipient address.
     * @param amount Amount to mint.
     */
    function ownerMint(address to, uint256 amount) external onlyOwner {
        _mint(to, amount);
    }

    /**
     * @notice Burns tokens from caller's balance.
     * @param amount Number of tokens to burn.
     */
    function burn(uint256 amount) external {
        _burn(msg.sender, amount);
        emit Burned(msg.sender, amount);
    }

    // -------------------------------------------------------------------------
    // Claim Logic
    // -------------------------------------------------------------------------

    /**
     * @notice Claim free tokens if enough time has passed since last claim and claims are enabled.
     */
    function claim() external nonReentrant {
        if (!claimEnabled) revert ClaimInactive();

        uint256 lastClaim = lastClaimTime[msg.sender];
        if (block.timestamp < lastClaim + claimInterval) revert ClaimNotReady();

        lastClaimTime[msg.sender] = block.timestamp;
        _mint(msg.sender, claimAmount);
        emit Claimed(msg.sender, claimAmount);
    }

    /**
     * @notice Sets the claim parameters.
     * @dev Ensures a zero value cannot be mistakenly set.
     * @param newClaimAmount   New amount of tokens to claim.
     * @param newClaimInterval New interval (in seconds) required between claims.
     */
    function setClaimParameters(uint256 newClaimAmount, uint256 newClaimInterval) external onlyOwner {
        // Double checks
        require(newClaimAmount > 0, "Invalid claim amount");
        require(newClaimInterval > 0, "Invalid claim interval");

        claimAmount = newClaimAmount;
        claimInterval = newClaimInterval;
        emit ClaimParametersUpdated(newClaimAmount, newClaimInterval);
    }

    /**
     * @notice Enables or disables the claim feature.
     * @param enabled True to enable claims, false to disable.
     */
    function setClaimEnabled(bool enabled) external onlyOwner {
        claimEnabled = enabled;
        emit ClaimStatusUpdated(enabled);
    }
}

File 2 of 4 : ERC20.sol
// SPDX-License-Identifier: MIT
pragma solidity ^0.8.4;

/// @notice Simple ERC20 + EIP-2612 implementation.
/// @author Solady (https://github.com/vectorized/solady/blob/main/src/tokens/ERC20.sol)
/// @author Modified from Solmate (https://github.com/transmissions11/solmate/blob/main/src/tokens/ERC20.sol)
/// @author Modified from OpenZeppelin (https://github.com/OpenZeppelin/openzeppelin-contracts/blob/master/contracts/token/ERC20/ERC20.sol)
///
/// @dev Note:
/// - The ERC20 standard allows minting and transferring to and from the zero address,
///   minting and transferring zero tokens, as well as self-approvals.
///   For performance, this implementation WILL NOT revert for such actions.
///   Please add any checks with overrides if desired.
/// - The `permit` function uses the ecrecover precompile (0x1).
///
/// If you are overriding:
/// - NEVER violate the ERC20 invariant:
///   the total sum of all balances must be equal to `totalSupply()`.
/// - Check that the overridden function is actually used in the function you want to
///   change the behavior of. Much of the code has been manually inlined for performance.
abstract contract ERC20 {
    /*´:°•.°+.*•´.*:˚.°*.˚•´.°:°•.°•.*•´.*:˚.°*.˚•´.°:°•.°+.*•´.*:*/
    /*                       CUSTOM ERRORS                        */
    /*.•°:°.´+˚.*°.˚:*.´•*.+°.•°:´*.´•*.•°.•°:°.´:•˚°.*°.˚:*.´+°.•*/

    /// @dev The total supply has overflowed.
    error TotalSupplyOverflow();

    /// @dev The allowance has overflowed.
    error AllowanceOverflow();

    /// @dev The allowance has underflowed.
    error AllowanceUnderflow();

    /// @dev Insufficient balance.
    error InsufficientBalance();

    /// @dev Insufficient allowance.
    error InsufficientAllowance();

    /// @dev The permit is invalid.
    error InvalidPermit();

    /// @dev The permit has expired.
    error PermitExpired();

    /// @dev The allowance of Permit2 is fixed at infinity.
    error Permit2AllowanceIsFixedAtInfinity();

    /*´:°•.°+.*•´.*:˚.°*.˚•´.°:°•.°•.*•´.*:˚.°*.˚•´.°:°•.°+.*•´.*:*/
    /*                           EVENTS                           */
    /*.•°:°.´+˚.*°.˚:*.´•*.+°.•°:´*.´•*.•°.•°:°.´:•˚°.*°.˚:*.´+°.•*/

    /// @dev Emitted when `amount` tokens is transferred from `from` to `to`.
    event Transfer(address indexed from, address indexed to, uint256 amount);

    /// @dev Emitted when `amount` tokens is approved by `owner` to be used by `spender`.
    event Approval(address indexed owner, address indexed spender, uint256 amount);

    /// @dev `keccak256(bytes("Transfer(address,address,uint256)"))`.
    uint256 private constant _TRANSFER_EVENT_SIGNATURE =
        0xddf252ad1be2c89b69c2b068fc378daa952ba7f163c4a11628f55a4df523b3ef;

    /// @dev `keccak256(bytes("Approval(address,address,uint256)"))`.
    uint256 private constant _APPROVAL_EVENT_SIGNATURE =
        0x8c5be1e5ebec7d5bd14f71427d1e84f3dd0314c0f7b2291e5b200ac8c7c3b925;

    /*´:°•.°+.*•´.*:˚.°*.˚•´.°:°•.°•.*•´.*:˚.°*.˚•´.°:°•.°+.*•´.*:*/
    /*                          STORAGE                           */
    /*.•°:°.´+˚.*°.˚:*.´•*.+°.•°:´*.´•*.•°.•°:°.´:•˚°.*°.˚:*.´+°.•*/

    /// @dev The storage slot for the total supply.
    uint256 private constant _TOTAL_SUPPLY_SLOT = 0x05345cdf77eb68f44c;

    /// @dev The balance slot of `owner` is given by:
    /// ```
    ///     mstore(0x0c, _BALANCE_SLOT_SEED)
    ///     mstore(0x00, owner)
    ///     let balanceSlot := keccak256(0x0c, 0x20)
    /// ```
    uint256 private constant _BALANCE_SLOT_SEED = 0x87a211a2;

    /// @dev The allowance slot of (`owner`, `spender`) is given by:
    /// ```
    ///     mstore(0x20, spender)
    ///     mstore(0x0c, _ALLOWANCE_SLOT_SEED)
    ///     mstore(0x00, owner)
    ///     let allowanceSlot := keccak256(0x0c, 0x34)
    /// ```
    uint256 private constant _ALLOWANCE_SLOT_SEED = 0x7f5e9f20;

    /// @dev The nonce slot of `owner` is given by:
    /// ```
    ///     mstore(0x0c, _NONCES_SLOT_SEED)
    ///     mstore(0x00, owner)
    ///     let nonceSlot := keccak256(0x0c, 0x20)
    /// ```
    uint256 private constant _NONCES_SLOT_SEED = 0x38377508;

    /*´:°•.°+.*•´.*:˚.°*.˚•´.°:°•.°•.*•´.*:˚.°*.˚•´.°:°•.°+.*•´.*:*/
    /*                         CONSTANTS                          */
    /*.•°:°.´+˚.*°.˚:*.´•*.+°.•°:´*.´•*.•°.•°:°.´:•˚°.*°.˚:*.´+°.•*/

    /// @dev `(_NONCES_SLOT_SEED << 16) | 0x1901`.
    uint256 private constant _NONCES_SLOT_SEED_WITH_SIGNATURE_PREFIX = 0x383775081901;

    /// @dev `keccak256("EIP712Domain(string name,string version,uint256 chainId,address verifyingContract)")`.
    bytes32 private constant _DOMAIN_TYPEHASH =
        0x8b73c3c69bb8fe3d512ecc4cf759cc79239f7b179b0ffacaa9a75d522b39400f;

    /// @dev `keccak256("1")`.
    /// If you need to use a different version, override `_versionHash`.
    bytes32 private constant _DEFAULT_VERSION_HASH =
        0xc89efdaa54c0f20c7adf612882df0950f5a951637e0307cdcb4c672f298b8bc6;

    /// @dev `keccak256("Permit(address owner,address spender,uint256 value,uint256 nonce,uint256 deadline)")`.
    bytes32 private constant _PERMIT_TYPEHASH =
        0x6e71edae12b1b97f4d1f60370fef10105fa2faae0126114a169c64845d6126c9;

    /// @dev The canonical Permit2 address.
    /// For signature-based allowance granting for single transaction ERC20 `transferFrom`.
    /// To enable, override `_givePermit2InfiniteAllowance()`.
    /// [Github](https://github.com/Uniswap/permit2)
    /// [Etherscan](https://etherscan.io/address/0x000000000022D473030F116dDEE9F6B43aC78BA3)
    address internal constant _PERMIT2 = 0x000000000022D473030F116dDEE9F6B43aC78BA3;

    /*´:°•.°+.*•´.*:˚.°*.˚•´.°:°•.°•.*•´.*:˚.°*.˚•´.°:°•.°+.*•´.*:*/
    /*                       ERC20 METADATA                       */
    /*.•°:°.´+˚.*°.˚:*.´•*.+°.•°:´*.´•*.•°.•°:°.´:•˚°.*°.˚:*.´+°.•*/

    /// @dev Returns the name of the token.
    function name() public view virtual returns (string memory);

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

    /// @dev Returns the decimals places of the token.
    function decimals() public view virtual returns (uint8) {
        return 18;
    }

    /*´:°•.°+.*•´.*:˚.°*.˚•´.°:°•.°•.*•´.*:˚.°*.˚•´.°:°•.°+.*•´.*:*/
    /*                           ERC20                            */
    /*.•°:°.´+˚.*°.˚:*.´•*.+°.•°:´*.´•*.•°.•°:°.´:•˚°.*°.˚:*.´+°.•*/

    /// @dev Returns the amount of tokens in existence.
    function totalSupply() public view virtual returns (uint256 result) {
        /// @solidity memory-safe-assembly
        assembly {
            result := sload(_TOTAL_SUPPLY_SLOT)
        }
    }

    /// @dev Returns the amount of tokens owned by `owner`.
    function balanceOf(address owner) public view virtual returns (uint256 result) {
        /// @solidity memory-safe-assembly
        assembly {
            mstore(0x0c, _BALANCE_SLOT_SEED)
            mstore(0x00, owner)
            result := sload(keccak256(0x0c, 0x20))
        }
    }

    /// @dev Returns the amount of tokens that `spender` can spend on behalf of `owner`.
    function allowance(address owner, address spender)
        public
        view
        virtual
        returns (uint256 result)
    {
        if (_givePermit2InfiniteAllowance()) {
            if (spender == _PERMIT2) return type(uint256).max;
        }
        /// @solidity memory-safe-assembly
        assembly {
            mstore(0x20, spender)
            mstore(0x0c, _ALLOWANCE_SLOT_SEED)
            mstore(0x00, owner)
            result := sload(keccak256(0x0c, 0x34))
        }
    }

    /// @dev Sets `amount` as the allowance of `spender` over the caller's tokens.
    ///
    /// Emits a {Approval} event.
    function approve(address spender, uint256 amount) public virtual returns (bool) {
        if (_givePermit2InfiniteAllowance()) {
            /// @solidity memory-safe-assembly
            assembly {
                // If `spender == _PERMIT2 && amount != type(uint256).max`.
                if iszero(or(xor(shr(96, shl(96, spender)), _PERMIT2), iszero(not(amount)))) {
                    mstore(0x00, 0x3f68539a) // `Permit2AllowanceIsFixedAtInfinity()`.
                    revert(0x1c, 0x04)
                }
            }
        }
        /// @solidity memory-safe-assembly
        assembly {
            // Compute the allowance slot and store the amount.
            mstore(0x20, spender)
            mstore(0x0c, _ALLOWANCE_SLOT_SEED)
            mstore(0x00, caller())
            sstore(keccak256(0x0c, 0x34), amount)
            // Emit the {Approval} event.
            mstore(0x00, amount)
            log3(0x00, 0x20, _APPROVAL_EVENT_SIGNATURE, caller(), shr(96, mload(0x2c)))
        }
        return true;
    }

    /// @dev Transfer `amount` tokens from the caller to `to`.
    ///
    /// Requirements:
    /// - `from` must at least have `amount`.
    ///
    /// Emits a {Transfer} event.
    function transfer(address to, uint256 amount) public virtual returns (bool) {
        _beforeTokenTransfer(msg.sender, to, amount);
        /// @solidity memory-safe-assembly
        assembly {
            // Compute the balance slot and load its value.
            mstore(0x0c, _BALANCE_SLOT_SEED)
            mstore(0x00, caller())
            let fromBalanceSlot := keccak256(0x0c, 0x20)
            let fromBalance := sload(fromBalanceSlot)
            // Revert if insufficient balance.
            if gt(amount, fromBalance) {
                mstore(0x00, 0xf4d678b8) // `InsufficientBalance()`.
                revert(0x1c, 0x04)
            }
            // Subtract and store the updated balance.
            sstore(fromBalanceSlot, sub(fromBalance, amount))
            // Compute the balance slot of `to`.
            mstore(0x00, to)
            let toBalanceSlot := keccak256(0x0c, 0x20)
            // Add and store the updated balance of `to`.
            // Will not overflow because the sum of all user balances
            // cannot exceed the maximum uint256 value.
            sstore(toBalanceSlot, add(sload(toBalanceSlot), amount))
            // Emit the {Transfer} event.
            mstore(0x20, amount)
            log3(0x20, 0x20, _TRANSFER_EVENT_SIGNATURE, caller(), shr(96, mload(0x0c)))
        }
        _afterTokenTransfer(msg.sender, to, amount);
        return true;
    }

    /// @dev Transfers `amount` tokens from `from` to `to`.
    ///
    /// Note: Does not update the allowance if it is the maximum uint256 value.
    ///
    /// Requirements:
    /// - `from` must at least have `amount`.
    /// - The caller must have at least `amount` of allowance to transfer the tokens of `from`.
    ///
    /// Emits a {Transfer} event.
    function transferFrom(address from, address to, uint256 amount) public virtual returns (bool) {
        _beforeTokenTransfer(from, to, amount);
        // Code duplication is for zero-cost abstraction if possible.
        if (_givePermit2InfiniteAllowance()) {
            /// @solidity memory-safe-assembly
            assembly {
                let from_ := shl(96, from)
                if iszero(eq(caller(), _PERMIT2)) {
                    // Compute the allowance slot and load its value.
                    mstore(0x20, caller())
                    mstore(0x0c, or(from_, _ALLOWANCE_SLOT_SEED))
                    let allowanceSlot := keccak256(0x0c, 0x34)
                    let allowance_ := sload(allowanceSlot)
                    // If the allowance is not the maximum uint256 value.
                    if not(allowance_) {
                        // Revert if the amount to be transferred exceeds the allowance.
                        if gt(amount, allowance_) {
                            mstore(0x00, 0x13be252b) // `InsufficientAllowance()`.
                            revert(0x1c, 0x04)
                        }
                        // Subtract and store the updated allowance.
                        sstore(allowanceSlot, sub(allowance_, amount))
                    }
                }
                // Compute the balance slot and load its value.
                mstore(0x0c, or(from_, _BALANCE_SLOT_SEED))
                let fromBalanceSlot := keccak256(0x0c, 0x20)
                let fromBalance := sload(fromBalanceSlot)
                // Revert if insufficient balance.
                if gt(amount, fromBalance) {
                    mstore(0x00, 0xf4d678b8) // `InsufficientBalance()`.
                    revert(0x1c, 0x04)
                }
                // Subtract and store the updated balance.
                sstore(fromBalanceSlot, sub(fromBalance, amount))
                // Compute the balance slot of `to`.
                mstore(0x00, to)
                let toBalanceSlot := keccak256(0x0c, 0x20)
                // Add and store the updated balance of `to`.
                // Will not overflow because the sum of all user balances
                // cannot exceed the maximum uint256 value.
                sstore(toBalanceSlot, add(sload(toBalanceSlot), amount))
                // Emit the {Transfer} event.
                mstore(0x20, amount)
                log3(0x20, 0x20, _TRANSFER_EVENT_SIGNATURE, shr(96, from_), shr(96, mload(0x0c)))
            }
        } else {
            /// @solidity memory-safe-assembly
            assembly {
                let from_ := shl(96, from)
                // Compute the allowance slot and load its value.
                mstore(0x20, caller())
                mstore(0x0c, or(from_, _ALLOWANCE_SLOT_SEED))
                let allowanceSlot := keccak256(0x0c, 0x34)
                let allowance_ := sload(allowanceSlot)
                // If the allowance is not the maximum uint256 value.
                if not(allowance_) {
                    // Revert if the amount to be transferred exceeds the allowance.
                    if gt(amount, allowance_) {
                        mstore(0x00, 0x13be252b) // `InsufficientAllowance()`.
                        revert(0x1c, 0x04)
                    }
                    // Subtract and store the updated allowance.
                    sstore(allowanceSlot, sub(allowance_, amount))
                }
                // Compute the balance slot and load its value.
                mstore(0x0c, or(from_, _BALANCE_SLOT_SEED))
                let fromBalanceSlot := keccak256(0x0c, 0x20)
                let fromBalance := sload(fromBalanceSlot)
                // Revert if insufficient balance.
                if gt(amount, fromBalance) {
                    mstore(0x00, 0xf4d678b8) // `InsufficientBalance()`.
                    revert(0x1c, 0x04)
                }
                // Subtract and store the updated balance.
                sstore(fromBalanceSlot, sub(fromBalance, amount))
                // Compute the balance slot of `to`.
                mstore(0x00, to)
                let toBalanceSlot := keccak256(0x0c, 0x20)
                // Add and store the updated balance of `to`.
                // Will not overflow because the sum of all user balances
                // cannot exceed the maximum uint256 value.
                sstore(toBalanceSlot, add(sload(toBalanceSlot), amount))
                // Emit the {Transfer} event.
                mstore(0x20, amount)
                log3(0x20, 0x20, _TRANSFER_EVENT_SIGNATURE, shr(96, from_), shr(96, mload(0x0c)))
            }
        }
        _afterTokenTransfer(from, to, amount);
        return true;
    }

    /*´:°•.°+.*•´.*:˚.°*.˚•´.°:°•.°•.*•´.*:˚.°*.˚•´.°:°•.°+.*•´.*:*/
    /*                          EIP-2612                          */
    /*.•°:°.´+˚.*°.˚:*.´•*.+°.•°:´*.´•*.•°.•°:°.´:•˚°.*°.˚:*.´+°.•*/

    /// @dev For more performance, override to return the constant value
    /// of `keccak256(bytes(name()))` if `name()` will never change.
    function _constantNameHash() internal view virtual returns (bytes32 result) {}

    /// @dev If you need a different value, override this function.
    function _versionHash() internal view virtual returns (bytes32 result) {
        result = _DEFAULT_VERSION_HASH;
    }

    /// @dev For inheriting contracts to increment the nonce.
    function _incrementNonce(address owner) internal virtual {
        /// @solidity memory-safe-assembly
        assembly {
            mstore(0x0c, _NONCES_SLOT_SEED)
            mstore(0x00, owner)
            let nonceSlot := keccak256(0x0c, 0x20)
            sstore(nonceSlot, add(1, sload(nonceSlot)))
        }
    }

    /// @dev Returns the current nonce for `owner`.
    /// This value is used to compute the signature for EIP-2612 permit.
    function nonces(address owner) public view virtual returns (uint256 result) {
        /// @solidity memory-safe-assembly
        assembly {
            // Compute the nonce slot and load its value.
            mstore(0x0c, _NONCES_SLOT_SEED)
            mstore(0x00, owner)
            result := sload(keccak256(0x0c, 0x20))
        }
    }

    /// @dev Sets `value` as the allowance of `spender` over the tokens of `owner`,
    /// authorized by a signed approval by `owner`.
    ///
    /// Emits a {Approval} event.
    function permit(
        address owner,
        address spender,
        uint256 value,
        uint256 deadline,
        uint8 v,
        bytes32 r,
        bytes32 s
    ) public virtual {
        if (_givePermit2InfiniteAllowance()) {
            /// @solidity memory-safe-assembly
            assembly {
                // If `spender == _PERMIT2 && value != type(uint256).max`.
                if iszero(or(xor(shr(96, shl(96, spender)), _PERMIT2), iszero(not(value)))) {
                    mstore(0x00, 0x3f68539a) // `Permit2AllowanceIsFixedAtInfinity()`.
                    revert(0x1c, 0x04)
                }
            }
        }
        bytes32 nameHash = _constantNameHash();
        //  We simply calculate it on-the-fly to allow for cases where the `name` may change.
        if (nameHash == bytes32(0)) nameHash = keccak256(bytes(name()));
        bytes32 versionHash = _versionHash();
        /// @solidity memory-safe-assembly
        assembly {
            // Revert if the block timestamp is greater than `deadline`.
            if gt(timestamp(), deadline) {
                mstore(0x00, 0x1a15a3cc) // `PermitExpired()`.
                revert(0x1c, 0x04)
            }
            let m := mload(0x40) // Grab the free memory pointer.
            // Clean the upper 96 bits.
            owner := shr(96, shl(96, owner))
            spender := shr(96, shl(96, spender))
            // Compute the nonce slot and load its value.
            mstore(0x0e, _NONCES_SLOT_SEED_WITH_SIGNATURE_PREFIX)
            mstore(0x00, owner)
            let nonceSlot := keccak256(0x0c, 0x20)
            let nonceValue := sload(nonceSlot)
            // Prepare the domain separator.
            mstore(m, _DOMAIN_TYPEHASH)
            mstore(add(m, 0x20), nameHash)
            mstore(add(m, 0x40), versionHash)
            mstore(add(m, 0x60), chainid())
            mstore(add(m, 0x80), address())
            mstore(0x2e, keccak256(m, 0xa0))
            // Prepare the struct hash.
            mstore(m, _PERMIT_TYPEHASH)
            mstore(add(m, 0x20), owner)
            mstore(add(m, 0x40), spender)
            mstore(add(m, 0x60), value)
            mstore(add(m, 0x80), nonceValue)
            mstore(add(m, 0xa0), deadline)
            mstore(0x4e, keccak256(m, 0xc0))
            // Prepare the ecrecover calldata.
            mstore(0x00, keccak256(0x2c, 0x42))
            mstore(0x20, and(0xff, v))
            mstore(0x40, r)
            mstore(0x60, s)
            let t := staticcall(gas(), 1, 0x00, 0x80, 0x20, 0x20)
            // If the ecrecover fails, the returndatasize will be 0x00,
            // `owner` will be checked if it equals the hash at 0x00,
            // which evaluates to false (i.e. 0), and we will revert.
            // If the ecrecover succeeds, the returndatasize will be 0x20,
            // `owner` will be compared against the returned address at 0x20.
            if iszero(eq(mload(returndatasize()), owner)) {
                mstore(0x00, 0xddafbaef) // `InvalidPermit()`.
                revert(0x1c, 0x04)
            }
            // Increment and store the updated nonce.
            sstore(nonceSlot, add(nonceValue, t)) // `t` is 1 if ecrecover succeeds.
            // Compute the allowance slot and store the value.
            // The `owner` is already at slot 0x20.
            mstore(0x40, or(shl(160, _ALLOWANCE_SLOT_SEED), spender))
            sstore(keccak256(0x2c, 0x34), value)
            // Emit the {Approval} event.
            log3(add(m, 0x60), 0x20, _APPROVAL_EVENT_SIGNATURE, owner, spender)
            mstore(0x40, m) // Restore the free memory pointer.
            mstore(0x60, 0) // Restore the zero pointer.
        }
    }

    /// @dev Returns the EIP-712 domain separator for the EIP-2612 permit.
    function DOMAIN_SEPARATOR() public view virtual returns (bytes32 result) {
        bytes32 nameHash = _constantNameHash();
        //  We simply calculate it on-the-fly to allow for cases where the `name` may change.
        if (nameHash == bytes32(0)) nameHash = keccak256(bytes(name()));
        bytes32 versionHash = _versionHash();
        /// @solidity memory-safe-assembly
        assembly {
            let m := mload(0x40) // Grab the free memory pointer.
            mstore(m, _DOMAIN_TYPEHASH)
            mstore(add(m, 0x20), nameHash)
            mstore(add(m, 0x40), versionHash)
            mstore(add(m, 0x60), chainid())
            mstore(add(m, 0x80), address())
            result := keccak256(m, 0xa0)
        }
    }

    /*´:°•.°+.*•´.*:˚.°*.˚•´.°:°•.°•.*•´.*:˚.°*.˚•´.°:°•.°+.*•´.*:*/
    /*                  INTERNAL MINT FUNCTIONS                   */
    /*.•°:°.´+˚.*°.˚:*.´•*.+°.•°:´*.´•*.•°.•°:°.´:•˚°.*°.˚:*.´+°.•*/

    /// @dev Mints `amount` tokens to `to`, increasing the total supply.
    ///
    /// Emits a {Transfer} event.
    function _mint(address to, uint256 amount) internal virtual {
        _beforeTokenTransfer(address(0), to, amount);
        /// @solidity memory-safe-assembly
        assembly {
            let totalSupplyBefore := sload(_TOTAL_SUPPLY_SLOT)
            let totalSupplyAfter := add(totalSupplyBefore, amount)
            // Revert if the total supply overflows.
            if lt(totalSupplyAfter, totalSupplyBefore) {
                mstore(0x00, 0xe5cfe957) // `TotalSupplyOverflow()`.
                revert(0x1c, 0x04)
            }
            // Store the updated total supply.
            sstore(_TOTAL_SUPPLY_SLOT, totalSupplyAfter)
            // Compute the balance slot and load its value.
            mstore(0x0c, _BALANCE_SLOT_SEED)
            mstore(0x00, to)
            let toBalanceSlot := keccak256(0x0c, 0x20)
            // Add and store the updated balance.
            sstore(toBalanceSlot, add(sload(toBalanceSlot), amount))
            // Emit the {Transfer} event.
            mstore(0x20, amount)
            log3(0x20, 0x20, _TRANSFER_EVENT_SIGNATURE, 0, shr(96, mload(0x0c)))
        }
        _afterTokenTransfer(address(0), to, amount);
    }

    /*´:°•.°+.*•´.*:˚.°*.˚•´.°:°•.°•.*•´.*:˚.°*.˚•´.°:°•.°+.*•´.*:*/
    /*                  INTERNAL BURN FUNCTIONS                   */
    /*.•°:°.´+˚.*°.˚:*.´•*.+°.•°:´*.´•*.•°.•°:°.´:•˚°.*°.˚:*.´+°.•*/

    /// @dev Burns `amount` tokens from `from`, reducing the total supply.
    ///
    /// Emits a {Transfer} event.
    function _burn(address from, uint256 amount) internal virtual {
        _beforeTokenTransfer(from, address(0), amount);
        /// @solidity memory-safe-assembly
        assembly {
            // Compute the balance slot and load its value.
            mstore(0x0c, _BALANCE_SLOT_SEED)
            mstore(0x00, from)
            let fromBalanceSlot := keccak256(0x0c, 0x20)
            let fromBalance := sload(fromBalanceSlot)
            // Revert if insufficient balance.
            if gt(amount, fromBalance) {
                mstore(0x00, 0xf4d678b8) // `InsufficientBalance()`.
                revert(0x1c, 0x04)
            }
            // Subtract and store the updated balance.
            sstore(fromBalanceSlot, sub(fromBalance, amount))
            // Subtract and store the updated total supply.
            sstore(_TOTAL_SUPPLY_SLOT, sub(sload(_TOTAL_SUPPLY_SLOT), amount))
            // Emit the {Transfer} event.
            mstore(0x00, amount)
            log3(0x00, 0x20, _TRANSFER_EVENT_SIGNATURE, shr(96, shl(96, from)), 0)
        }
        _afterTokenTransfer(from, address(0), amount);
    }

    /*´:°•.°+.*•´.*:˚.°*.˚•´.°:°•.°•.*•´.*:˚.°*.˚•´.°:°•.°+.*•´.*:*/
    /*                INTERNAL TRANSFER FUNCTIONS                 */
    /*.•°:°.´+˚.*°.˚:*.´•*.+°.•°:´*.´•*.•°.•°:°.´:•˚°.*°.˚:*.´+°.•*/

    /// @dev Moves `amount` of tokens from `from` to `to`.
    function _transfer(address from, address to, uint256 amount) internal virtual {
        _beforeTokenTransfer(from, to, amount);
        /// @solidity memory-safe-assembly
        assembly {
            let from_ := shl(96, from)
            // Compute the balance slot and load its value.
            mstore(0x0c, or(from_, _BALANCE_SLOT_SEED))
            let fromBalanceSlot := keccak256(0x0c, 0x20)
            let fromBalance := sload(fromBalanceSlot)
            // Revert if insufficient balance.
            if gt(amount, fromBalance) {
                mstore(0x00, 0xf4d678b8) // `InsufficientBalance()`.
                revert(0x1c, 0x04)
            }
            // Subtract and store the updated balance.
            sstore(fromBalanceSlot, sub(fromBalance, amount))
            // Compute the balance slot of `to`.
            mstore(0x00, to)
            let toBalanceSlot := keccak256(0x0c, 0x20)
            // Add and store the updated balance of `to`.
            // Will not overflow because the sum of all user balances
            // cannot exceed the maximum uint256 value.
            sstore(toBalanceSlot, add(sload(toBalanceSlot), amount))
            // Emit the {Transfer} event.
            mstore(0x20, amount)
            log3(0x20, 0x20, _TRANSFER_EVENT_SIGNATURE, shr(96, from_), shr(96, mload(0x0c)))
        }
        _afterTokenTransfer(from, to, amount);
    }

    /*´:°•.°+.*•´.*:˚.°*.˚•´.°:°•.°•.*•´.*:˚.°*.˚•´.°:°•.°+.*•´.*:*/
    /*                INTERNAL ALLOWANCE FUNCTIONS                */
    /*.•°:°.´+˚.*°.˚:*.´•*.+°.•°:´*.´•*.•°.•°:°.´:•˚°.*°.˚:*.´+°.•*/

    /// @dev Updates the allowance of `owner` for `spender` based on spent `amount`.
    function _spendAllowance(address owner, address spender, uint256 amount) internal virtual {
        if (_givePermit2InfiniteAllowance()) {
            if (spender == _PERMIT2) return; // Do nothing, as allowance is infinite.
        }
        /// @solidity memory-safe-assembly
        assembly {
            // Compute the allowance slot and load its value.
            mstore(0x20, spender)
            mstore(0x0c, _ALLOWANCE_SLOT_SEED)
            mstore(0x00, owner)
            let allowanceSlot := keccak256(0x0c, 0x34)
            let allowance_ := sload(allowanceSlot)
            // If the allowance is not the maximum uint256 value.
            if not(allowance_) {
                // Revert if the amount to be transferred exceeds the allowance.
                if gt(amount, allowance_) {
                    mstore(0x00, 0x13be252b) // `InsufficientAllowance()`.
                    revert(0x1c, 0x04)
                }
                // Subtract and store the updated allowance.
                sstore(allowanceSlot, sub(allowance_, amount))
            }
        }
    }

    /// @dev Sets `amount` as the allowance of `spender` over the tokens of `owner`.
    ///
    /// Emits a {Approval} event.
    function _approve(address owner, address spender, uint256 amount) internal virtual {
        if (_givePermit2InfiniteAllowance()) {
            /// @solidity memory-safe-assembly
            assembly {
                // If `spender == _PERMIT2 && amount != type(uint256).max`.
                if iszero(or(xor(shr(96, shl(96, spender)), _PERMIT2), iszero(not(amount)))) {
                    mstore(0x00, 0x3f68539a) // `Permit2AllowanceIsFixedAtInfinity()`.
                    revert(0x1c, 0x04)
                }
            }
        }
        /// @solidity memory-safe-assembly
        assembly {
            let owner_ := shl(96, owner)
            // Compute the allowance slot and store the amount.
            mstore(0x20, spender)
            mstore(0x0c, or(owner_, _ALLOWANCE_SLOT_SEED))
            sstore(keccak256(0x0c, 0x34), amount)
            // Emit the {Approval} event.
            mstore(0x00, amount)
            log3(0x00, 0x20, _APPROVAL_EVENT_SIGNATURE, shr(96, owner_), shr(96, mload(0x2c)))
        }
    }

    /*´:°•.°+.*•´.*:˚.°*.˚•´.°:°•.°•.*•´.*:˚.°*.˚•´.°:°•.°+.*•´.*:*/
    /*                     HOOKS TO OVERRIDE                      */
    /*.•°:°.´+˚.*°.˚:*.´•*.+°.•°:´*.´•*.•°.•°:°.´:•˚°.*°.˚:*.´+°.•*/

    /// @dev Hook that is called before any transfer of tokens.
    /// This includes minting and burning.
    function _beforeTokenTransfer(address from, address to, uint256 amount) internal virtual {}

    /// @dev Hook that is called after any transfer of tokens.
    /// This includes minting and burning.
    function _afterTokenTransfer(address from, address to, uint256 amount) internal virtual {}

    /*´:°•.°+.*•´.*:˚.°*.˚•´.°:°•.°•.*•´.*:˚.°*.˚•´.°:°•.°+.*•´.*:*/
    /*                          PERMIT2                           */
    /*.•°:°.´+˚.*°.˚:*.´•*.+°.•°:´*.´•*.•°.•°:°.´:•˚°.*°.˚:*.´+°.•*/

    /// @dev Returns whether to fix the Permit2 contract's allowance at infinity.
    ///
    /// This value should be kept constant after contract initialization,
    /// or else the actual allowance values may not match with the {Approval} events.
    /// For best performance, return a compile-time constant for zero-cost abstraction.
    function _givePermit2InfiniteAllowance() internal view virtual returns (bool) {
        return true;
    }
}

File 3 of 4 : Ownable.sol
// SPDX-License-Identifier: MIT
pragma solidity ^0.8.4;

/// @notice Simple single owner authorization mixin.
/// @author Solady (https://github.com/vectorized/solady/blob/main/src/auth/Ownable.sol)
///
/// @dev Note:
/// This implementation does NOT auto-initialize the owner to `msg.sender`.
/// You MUST call the `_initializeOwner` in the constructor / initializer.
///
/// While the ownable portion follows
/// [EIP-173](https://eips.ethereum.org/EIPS/eip-173) for compatibility,
/// the nomenclature for the 2-step ownership handover may be unique to this codebase.
abstract contract Ownable {
    /*´:°•.°+.*•´.*:˚.°*.˚•´.°:°•.°•.*•´.*:˚.°*.˚•´.°:°•.°+.*•´.*:*/
    /*                       CUSTOM ERRORS                        */
    /*.•°:°.´+˚.*°.˚:*.´•*.+°.•°:´*.´•*.•°.•°:°.´:•˚°.*°.˚:*.´+°.•*/

    /// @dev The caller is not authorized to call the function.
    error Unauthorized();

    /// @dev The `newOwner` cannot be the zero address.
    error NewOwnerIsZeroAddress();

    /// @dev The `pendingOwner` does not have a valid handover request.
    error NoHandoverRequest();

    /// @dev Cannot double-initialize.
    error AlreadyInitialized();

    /*´:°•.°+.*•´.*:˚.°*.˚•´.°:°•.°•.*•´.*:˚.°*.˚•´.°:°•.°+.*•´.*:*/
    /*                           EVENTS                           */
    /*.•°:°.´+˚.*°.˚:*.´•*.+°.•°:´*.´•*.•°.•°:°.´:•˚°.*°.˚:*.´+°.•*/

    /// @dev The ownership is transferred from `oldOwner` to `newOwner`.
    /// This event is intentionally kept the same as OpenZeppelin's Ownable to be
    /// compatible with indexers and [EIP-173](https://eips.ethereum.org/EIPS/eip-173),
    /// despite it not being as lightweight as a single argument event.
    event OwnershipTransferred(address indexed oldOwner, address indexed newOwner);

    /// @dev An ownership handover to `pendingOwner` has been requested.
    event OwnershipHandoverRequested(address indexed pendingOwner);

    /// @dev The ownership handover to `pendingOwner` has been canceled.
    event OwnershipHandoverCanceled(address indexed pendingOwner);

    /// @dev `keccak256(bytes("OwnershipTransferred(address,address)"))`.
    uint256 private constant _OWNERSHIP_TRANSFERRED_EVENT_SIGNATURE =
        0x8be0079c531659141344cd1fd0a4f28419497f9722a3daafe3b4186f6b6457e0;

    /// @dev `keccak256(bytes("OwnershipHandoverRequested(address)"))`.
    uint256 private constant _OWNERSHIP_HANDOVER_REQUESTED_EVENT_SIGNATURE =
        0xdbf36a107da19e49527a7176a1babf963b4b0ff8cde35ee35d6cd8f1f9ac7e1d;

    /// @dev `keccak256(bytes("OwnershipHandoverCanceled(address)"))`.
    uint256 private constant _OWNERSHIP_HANDOVER_CANCELED_EVENT_SIGNATURE =
        0xfa7b8eab7da67f412cc9575ed43464468f9bfbae89d1675917346ca6d8fe3c92;

    /*´:°•.°+.*•´.*:˚.°*.˚•´.°:°•.°•.*•´.*:˚.°*.˚•´.°:°•.°+.*•´.*:*/
    /*                          STORAGE                           */
    /*.•°:°.´+˚.*°.˚:*.´•*.+°.•°:´*.´•*.•°.•°:°.´:•˚°.*°.˚:*.´+°.•*/

    /// @dev The owner slot is given by:
    /// `bytes32(~uint256(uint32(bytes4(keccak256("_OWNER_SLOT_NOT")))))`.
    /// It is intentionally chosen to be a high value
    /// to avoid collision with lower slots.
    /// The choice of manual storage layout is to enable compatibility
    /// with both regular and upgradeable contracts.
    bytes32 internal constant _OWNER_SLOT =
        0xffffffffffffffffffffffffffffffffffffffffffffffffffffffff74873927;

    /// The ownership handover slot of `newOwner` is given by:
    /// ```
    ///     mstore(0x00, or(shl(96, user), _HANDOVER_SLOT_SEED))
    ///     let handoverSlot := keccak256(0x00, 0x20)
    /// ```
    /// It stores the expiry timestamp of the two-step ownership handover.
    uint256 private constant _HANDOVER_SLOT_SEED = 0x389a75e1;

    /*´:°•.°+.*•´.*:˚.°*.˚•´.°:°•.°•.*•´.*:˚.°*.˚•´.°:°•.°+.*•´.*:*/
    /*                     INTERNAL FUNCTIONS                     */
    /*.•°:°.´+˚.*°.˚:*.´•*.+°.•°:´*.´•*.•°.•°:°.´:•˚°.*°.˚:*.´+°.•*/

    /// @dev Override to return true to make `_initializeOwner` prevent double-initialization.
    function _guardInitializeOwner() internal pure virtual returns (bool guard) {}

    /// @dev Initializes the owner directly without authorization guard.
    /// This function must be called upon initialization,
    /// regardless of whether the contract is upgradeable or not.
    /// This is to enable generalization to both regular and upgradeable contracts,
    /// and to save gas in case the initial owner is not the caller.
    /// For performance reasons, this function will not check if there
    /// is an existing owner.
    function _initializeOwner(address newOwner) internal virtual {
        if (_guardInitializeOwner()) {
            /// @solidity memory-safe-assembly
            assembly {
                let ownerSlot := _OWNER_SLOT
                if sload(ownerSlot) {
                    mstore(0x00, 0x0dc149f0) // `AlreadyInitialized()`.
                    revert(0x1c, 0x04)
                }
                // Clean the upper 96 bits.
                newOwner := shr(96, shl(96, newOwner))
                // Store the new value.
                sstore(ownerSlot, or(newOwner, shl(255, iszero(newOwner))))
                // Emit the {OwnershipTransferred} event.
                log3(0, 0, _OWNERSHIP_TRANSFERRED_EVENT_SIGNATURE, 0, newOwner)
            }
        } else {
            /// @solidity memory-safe-assembly
            assembly {
                // Clean the upper 96 bits.
                newOwner := shr(96, shl(96, newOwner))
                // Store the new value.
                sstore(_OWNER_SLOT, newOwner)
                // Emit the {OwnershipTransferred} event.
                log3(0, 0, _OWNERSHIP_TRANSFERRED_EVENT_SIGNATURE, 0, newOwner)
            }
        }
    }

    /// @dev Sets the owner directly without authorization guard.
    function _setOwner(address newOwner) internal virtual {
        if (_guardInitializeOwner()) {
            /// @solidity memory-safe-assembly
            assembly {
                let ownerSlot := _OWNER_SLOT
                // Clean the upper 96 bits.
                newOwner := shr(96, shl(96, newOwner))
                // Emit the {OwnershipTransferred} event.
                log3(0, 0, _OWNERSHIP_TRANSFERRED_EVENT_SIGNATURE, sload(ownerSlot), newOwner)
                // Store the new value.
                sstore(ownerSlot, or(newOwner, shl(255, iszero(newOwner))))
            }
        } else {
            /// @solidity memory-safe-assembly
            assembly {
                let ownerSlot := _OWNER_SLOT
                // Clean the upper 96 bits.
                newOwner := shr(96, shl(96, newOwner))
                // Emit the {OwnershipTransferred} event.
                log3(0, 0, _OWNERSHIP_TRANSFERRED_EVENT_SIGNATURE, sload(ownerSlot), newOwner)
                // Store the new value.
                sstore(ownerSlot, newOwner)
            }
        }
    }

    /// @dev Throws if the sender is not the owner.
    function _checkOwner() internal view virtual {
        /// @solidity memory-safe-assembly
        assembly {
            // If the caller is not the stored owner, revert.
            if iszero(eq(caller(), sload(_OWNER_SLOT))) {
                mstore(0x00, 0x82b42900) // `Unauthorized()`.
                revert(0x1c, 0x04)
            }
        }
    }

    /// @dev Returns how long a two-step ownership handover is valid for in seconds.
    /// Override to return a different value if needed.
    /// Made internal to conserve bytecode. Wrap it in a public function if needed.
    function _ownershipHandoverValidFor() internal view virtual returns (uint64) {
        return 48 * 3600;
    }

    /*´:°•.°+.*•´.*:˚.°*.˚•´.°:°•.°•.*•´.*:˚.°*.˚•´.°:°•.°+.*•´.*:*/
    /*                  PUBLIC UPDATE FUNCTIONS                   */
    /*.•°:°.´+˚.*°.˚:*.´•*.+°.•°:´*.´•*.•°.•°:°.´:•˚°.*°.˚:*.´+°.•*/

    /// @dev Allows the owner to transfer the ownership to `newOwner`.
    function transferOwnership(address newOwner) public payable virtual onlyOwner {
        /// @solidity memory-safe-assembly
        assembly {
            if iszero(shl(96, newOwner)) {
                mstore(0x00, 0x7448fbae) // `NewOwnerIsZeroAddress()`.
                revert(0x1c, 0x04)
            }
        }
        _setOwner(newOwner);
    }

    /// @dev Allows the owner to renounce their ownership.
    function renounceOwnership() public payable virtual onlyOwner {
        _setOwner(address(0));
    }

    /// @dev Request a two-step ownership handover to the caller.
    /// The request will automatically expire in 48 hours (172800 seconds) by default.
    function requestOwnershipHandover() public payable virtual {
        unchecked {
            uint256 expires = block.timestamp + _ownershipHandoverValidFor();
            /// @solidity memory-safe-assembly
            assembly {
                // Compute and set the handover slot to `expires`.
                mstore(0x0c, _HANDOVER_SLOT_SEED)
                mstore(0x00, caller())
                sstore(keccak256(0x0c, 0x20), expires)
                // Emit the {OwnershipHandoverRequested} event.
                log2(0, 0, _OWNERSHIP_HANDOVER_REQUESTED_EVENT_SIGNATURE, caller())
            }
        }
    }

    /// @dev Cancels the two-step ownership handover to the caller, if any.
    function cancelOwnershipHandover() public payable virtual {
        /// @solidity memory-safe-assembly
        assembly {
            // Compute and set the handover slot to 0.
            mstore(0x0c, _HANDOVER_SLOT_SEED)
            mstore(0x00, caller())
            sstore(keccak256(0x0c, 0x20), 0)
            // Emit the {OwnershipHandoverCanceled} event.
            log2(0, 0, _OWNERSHIP_HANDOVER_CANCELED_EVENT_SIGNATURE, caller())
        }
    }

    /// @dev Allows the owner to complete the two-step ownership handover to `pendingOwner`.
    /// Reverts if there is no existing ownership handover requested by `pendingOwner`.
    function completeOwnershipHandover(address pendingOwner) public payable virtual onlyOwner {
        /// @solidity memory-safe-assembly
        assembly {
            // Compute and set the handover slot to 0.
            mstore(0x0c, _HANDOVER_SLOT_SEED)
            mstore(0x00, pendingOwner)
            let handoverSlot := keccak256(0x0c, 0x20)
            // If the handover does not exist, or has expired.
            if gt(timestamp(), sload(handoverSlot)) {
                mstore(0x00, 0x6f5e8818) // `NoHandoverRequest()`.
                revert(0x1c, 0x04)
            }
            // Set the handover slot to 0.
            sstore(handoverSlot, 0)
        }
        _setOwner(pendingOwner);
    }

    /*´:°•.°+.*•´.*:˚.°*.˚•´.°:°•.°•.*•´.*:˚.°*.˚•´.°:°•.°+.*•´.*:*/
    /*                   PUBLIC READ FUNCTIONS                    */
    /*.•°:°.´+˚.*°.˚:*.´•*.+°.•°:´*.´•*.•°.•°:°.´:•˚°.*°.˚:*.´+°.•*/

    /// @dev Returns the owner of the contract.
    function owner() public view virtual returns (address result) {
        /// @solidity memory-safe-assembly
        assembly {
            result := sload(_OWNER_SLOT)
        }
    }

    /// @dev Returns the expiry timestamp for the two-step ownership handover to `pendingOwner`.
    function ownershipHandoverExpiresAt(address pendingOwner)
        public
        view
        virtual
        returns (uint256 result)
    {
        /// @solidity memory-safe-assembly
        assembly {
            // Compute the handover slot.
            mstore(0x0c, _HANDOVER_SLOT_SEED)
            mstore(0x00, pendingOwner)
            // Load the handover slot.
            result := sload(keccak256(0x0c, 0x20))
        }
    }

    /*´:°•.°+.*•´.*:˚.°*.˚•´.°:°•.°•.*•´.*:˚.°*.˚•´.°:°•.°+.*•´.*:*/
    /*                         MODIFIERS                          */
    /*.•°:°.´+˚.*°.˚:*.´•*.+°.•°:´*.´•*.•°.•°:°.´:•˚°.*°.˚:*.´+°.•*/

    /// @dev Marks a function as only callable by the owner.
    modifier onlyOwner() virtual {
        _checkOwner();
        _;
    }
}

File 4 of 4 : ReentrancyGuard.sol
// SPDX-License-Identifier: MIT
pragma solidity ^0.8.4;

/// @notice Reentrancy guard mixin.
/// @author Solady (https://github.com/vectorized/solady/blob/main/src/utils/ReentrancyGuard.sol)
abstract contract ReentrancyGuard {
    /*´:°•.°+.*•´.*:˚.°*.˚•´.°:°•.°•.*•´.*:˚.°*.˚•´.°:°•.°+.*•´.*:*/
    /*                       CUSTOM ERRORS                        */
    /*.•°:°.´+˚.*°.˚:*.´•*.+°.•°:´*.´•*.•°.•°:°.´:•˚°.*°.˚:*.´+°.•*/

    /// @dev Unauthorized reentrant call.
    error Reentrancy();

    /*´:°•.°+.*•´.*:˚.°*.˚•´.°:°•.°•.*•´.*:˚.°*.˚•´.°:°•.°+.*•´.*:*/
    /*                          STORAGE                           */
    /*.•°:°.´+˚.*°.˚:*.´•*.+°.•°:´*.´•*.•°.•°:°.´:•˚°.*°.˚:*.´+°.•*/

    /// @dev Equivalent to: `uint72(bytes9(keccak256("_REENTRANCY_GUARD_SLOT")))`.
    /// 9 bytes is large enough to avoid collisions with lower slots,
    /// but not too large to result in excessive bytecode bloat.
    uint256 private constant _REENTRANCY_GUARD_SLOT = 0x929eee149b4bd21268;

    /*´:°•.°+.*•´.*:˚.°*.˚•´.°:°•.°•.*•´.*:˚.°*.˚•´.°:°•.°+.*•´.*:*/
    /*                      REENTRANCY GUARD                      */
    /*.•°:°.´+˚.*°.˚:*.´•*.+°.•°:´*.´•*.•°.•°:°.´:•˚°.*°.˚:*.´+°.•*/

    /// @dev Guards a function from reentrancy.
    modifier nonReentrant() virtual {
        /// @solidity memory-safe-assembly
        assembly {
            if eq(sload(_REENTRANCY_GUARD_SLOT), address()) {
                mstore(0x00, 0xab143c06) // `Reentrancy()`.
                revert(0x1c, 0x04)
            }
            sstore(_REENTRANCY_GUARD_SLOT, address())
        }
        _;
        /// @solidity memory-safe-assembly
        assembly {
            sstore(_REENTRANCY_GUARD_SLOT, codesize())
        }
    }

    /// @dev Guards a view function from read-only reentrancy.
    modifier nonReadReentrant() virtual {
        /// @solidity memory-safe-assembly
        assembly {
            if eq(sload(_REENTRANCY_GUARD_SLOT), address()) {
                mstore(0x00, 0xab143c06) // `Reentrancy()`.
                revert(0x1c, 0x04)
            }
        }
        _;
    }
}

Settings
{
  "evmVersion": "paris",
  "optimizer": {
    "enabled": true,
    "mode": "3"
  },
  "outputSelection": {
    "*": {
      "*": [
        "abi",
        "metadata"
      ],
      "": [
        "ast"
      ]
    }
  },
  "detectMissingLibraries": false,
  "forceEVMLA": false,
  "enableEraVMExtensions": true,
  "libraries": {}
}

Contract Security Audit

Contract ABI

API
[{"inputs":[],"stateMutability":"nonpayable","type":"constructor"},{"inputs":[],"name":"AllowanceOverflow","type":"error"},{"inputs":[],"name":"AllowanceUnderflow","type":"error"},{"inputs":[],"name":"AlreadyInitialized","type":"error"},{"inputs":[],"name":"ClaimInactive","type":"error"},{"inputs":[],"name":"ClaimNotReady","type":"error"},{"inputs":[],"name":"ExceedsMaxSupply","type":"error"},{"inputs":[],"name":"InsufficientAllowance","type":"error"},{"inputs":[],"name":"InsufficientBalance","type":"error"},{"inputs":[],"name":"InvalidPermit","type":"error"},{"inputs":[],"name":"MaxSupplyAlreadyFinalized","type":"error"},{"inputs":[],"name":"NewOwnerIsZeroAddress","type":"error"},{"inputs":[],"name":"NoHandoverRequest","type":"error"},{"inputs":[],"name":"NotAMinter","type":"error"},{"inputs":[],"name":"Permit2AllowanceIsFixedAtInfinity","type":"error"},{"inputs":[],"name":"PermitExpired","type":"error"},{"inputs":[],"name":"Reentrancy","type":"error"},{"inputs":[],"name":"TotalSupplyOverflow","type":"error"},{"inputs":[],"name":"TransfersLocked","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":"amount","type":"uint256"}],"name":"Approval","type":"event"},{"anonymous":false,"inputs":[{"indexed":true,"internalType":"address","name":"user","type":"address"},{"indexed":false,"internalType":"uint256","name":"amount","type":"uint256"}],"name":"Burned","type":"event"},{"anonymous":false,"inputs":[{"indexed":false,"internalType":"uint256","name":"newClaimAmount","type":"uint256"},{"indexed":false,"internalType":"uint256","name":"newClaimInterval","type":"uint256"}],"name":"ClaimParametersUpdated","type":"event"},{"anonymous":false,"inputs":[{"indexed":false,"internalType":"bool","name":"newStatus","type":"bool"}],"name":"ClaimStatusUpdated","type":"event"},{"anonymous":false,"inputs":[{"indexed":true,"internalType":"address","name":"user","type":"address"},{"indexed":false,"internalType":"uint256","name":"amount","type":"uint256"}],"name":"Claimed","type":"event"},{"anonymous":false,"inputs":[{"indexed":false,"internalType":"uint256","name":"maxSupply","type":"uint256"}],"name":"MaxSupplyFinalized","type":"event"},{"anonymous":false,"inputs":[{"indexed":true,"internalType":"address","name":"minter","type":"address"},{"indexed":false,"internalType":"bool","name":"enabled","type":"bool"}],"name":"MinterStatusUpdated","type":"event"},{"anonymous":false,"inputs":[{"indexed":true,"internalType":"address","name":"pendingOwner","type":"address"}],"name":"OwnershipHandoverCanceled","type":"event"},{"anonymous":false,"inputs":[{"indexed":true,"internalType":"address","name":"pendingOwner","type":"address"}],"name":"OwnershipHandoverRequested","type":"event"},{"anonymous":false,"inputs":[{"indexed":true,"internalType":"address","name":"oldOwner","type":"address"},{"indexed":true,"internalType":"address","name":"newOwner","type":"address"}],"name":"OwnershipTransferred","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":"amount","type":"uint256"}],"name":"Transfer","type":"event"},{"anonymous":false,"inputs":[],"name":"TransfersUnlocked","type":"event"},{"inputs":[],"name":"DOMAIN_SEPARATOR","outputs":[{"internalType":"bytes32","name":"result","type":"bytes32"}],"stateMutability":"view","type":"function"},{"inputs":[{"internalType":"address","name":"owner","type":"address"},{"internalType":"address","name":"spender","type":"address"}],"name":"allowance","outputs":[{"internalType":"uint256","name":"result","type":"uint256"}],"stateMutability":"view","type":"function"},{"inputs":[{"internalType":"address","name":"spender","type":"address"},{"internalType":"uint256","name":"amount","type":"uint256"}],"name":"approve","outputs":[{"internalType":"bool","name":"","type":"bool"}],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"address","name":"owner","type":"address"}],"name":"balanceOf","outputs":[{"internalType":"uint256","name":"result","type":"uint256"}],"stateMutability":"view","type":"function"},{"inputs":[{"internalType":"uint256","name":"amount","type":"uint256"}],"name":"burn","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[],"name":"cancelOwnershipHandover","outputs":[],"stateMutability":"payable","type":"function"},{"inputs":[],"name":"claim","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[],"name":"claimAmount","outputs":[{"internalType":"uint256","name":"","type":"uint256"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"claimEnabled","outputs":[{"internalType":"bool","name":"","type":"bool"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"claimInterval","outputs":[{"internalType":"uint256","name":"","type":"uint256"}],"stateMutability":"view","type":"function"},{"inputs":[{"internalType":"address","name":"pendingOwner","type":"address"}],"name":"completeOwnershipHandover","outputs":[],"stateMutability":"payable","type":"function"},{"inputs":[],"name":"decimals","outputs":[{"internalType":"uint8","name":"","type":"uint8"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"enableTransfers","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"uint256","name":"newMaxSupply","type":"uint256"}],"name":"finalizeMaxSupply","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"address","name":"","type":"address"}],"name":"isMinter","outputs":[{"internalType":"bool","name":"","type":"bool"}],"stateMutability":"view","type":"function"},{"inputs":[{"internalType":"address","name":"","type":"address"}],"name":"lastClaimTime","outputs":[{"internalType":"uint256","name":"","type":"uint256"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"maxSupply","outputs":[{"internalType":"uint256","name":"","type":"uint256"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"maxSupplyLocked","outputs":[{"internalType":"bool","name":"","type":"bool"}],"stateMutability":"view","type":"function"},{"inputs":[{"internalType":"address","name":"to","type":"address"},{"internalType":"uint256","name":"amount","type":"uint256"}],"name":"minterMint","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[],"name":"name","outputs":[{"internalType":"string","name":"","type":"string"}],"stateMutability":"pure","type":"function"},{"inputs":[{"internalType":"address","name":"owner","type":"address"}],"name":"nonces","outputs":[{"internalType":"uint256","name":"result","type":"uint256"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"owner","outputs":[{"internalType":"address","name":"result","type":"address"}],"stateMutability":"view","type":"function"},{"inputs":[{"internalType":"address","name":"to","type":"address"},{"internalType":"uint256","name":"amount","type":"uint256"}],"name":"ownerMint","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"address","name":"pendingOwner","type":"address"}],"name":"ownershipHandoverExpiresAt","outputs":[{"internalType":"uint256","name":"result","type":"uint256"}],"stateMutability":"view","type":"function"},{"inputs":[{"internalType":"address","name":"owner","type":"address"},{"internalType":"address","name":"spender","type":"address"},{"internalType":"uint256","name":"value","type":"uint256"},{"internalType":"uint256","name":"deadline","type":"uint256"},{"internalType":"uint8","name":"v","type":"uint8"},{"internalType":"bytes32","name":"r","type":"bytes32"},{"internalType":"bytes32","name":"s","type":"bytes32"}],"name":"permit","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[],"name":"renounceOwnership","outputs":[],"stateMutability":"payable","type":"function"},{"inputs":[],"name":"requestOwnershipHandover","outputs":[],"stateMutability":"payable","type":"function"},{"inputs":[{"internalType":"bool","name":"enabled","type":"bool"}],"name":"setClaimEnabled","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"uint256","name":"newClaimAmount","type":"uint256"},{"internalType":"uint256","name":"newClaimInterval","type":"uint256"}],"name":"setClaimParameters","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"address","name":"minter","type":"address"},{"internalType":"bool","name":"enabled","type":"bool"}],"name":"setMinter","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[],"name":"symbol","outputs":[{"internalType":"string","name":"","type":"string"}],"stateMutability":"pure","type":"function"},{"inputs":[],"name":"totalSupply","outputs":[{"internalType":"uint256","name":"result","type":"uint256"}],"stateMutability":"view","type":"function"},{"inputs":[{"internalType":"address","name":"to","type":"address"},{"internalType":"uint256","name":"amount","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":"amount","type":"uint256"}],"name":"transferFrom","outputs":[{"internalType":"bool","name":"","type":"bool"}],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"address","name":"newOwner","type":"address"}],"name":"transferOwnership","outputs":[],"stateMutability":"payable","type":"function"},{"inputs":[],"name":"transfersLocked","outputs":[{"internalType":"bool","name":"","type":"bool"}],"stateMutability":"view","type":"function"}]

9c4d535b00000000000000000000000000000000000000000000000000000000000000000100023d160086489f9d3fff44880bb8a6e922dc46b612578750cfaf211e5de900000000000000000000000000000000000000000000000000000000000000600000000000000000000000000000000000000000000000000000000000000000

Deployed Bytecode

0x0001000000000002000f000000000002000000000001035500000001002001900000008004000039000000200000c13d0000006002100270000001b702200197000000400040043f000000040020008c000003d60000413d000000000301043b000000e003300270000001bd0030009c000000460000213d000001d70030009c000000620000213d000001e40030009c0000008c0000a13d000001e50030009c0000017d0000a13d000001e60030009c0000037b0000613d000001e70030009c000002eb0000613d000001e80030009c000003d60000c13d0000000001000416000000000001004b000003d60000c13d0000000301000039000003b50000013d000000400040043f0000000001000416000000000001004b000003d60000c13d000000000100041a000002370110019700000001011001bf000000000010041b0000000006000411000001b801000041000000000061041b0000000001000414000001b70010009c000001b701008041000000c001100210000001b9011001c70000800d020000390000000303000039000001ba04000041000000000500001906d706cd0000040f0000000100200190000003d60000613d000001bb010000410000000102000039000000000012041b00001c20010000390000000202000039000000000012041b0000000303000039000000000103041a0000023701100197000000000013041b000000200100003900000100001004430000012000000443000001bc01000041000006d80001042e000001be0030009c000000770000213d000001cb0030009c000000a70000a13d000001cc0030009c000001a00000a13d000001cd0030009c000003b10000613d000001ce0030009c000003170000613d000001cf0030009c000003d60000c13d000000240020008c000003d60000413d0000000002000416000000000002004b000003d60000c13d0000000401100370000000000101043b000001f00010009c000003d60000213d000000000010043f0000000601000039000000200010043f0000004002000039000000000100001906d706a10000040f000003b50000013d000001d80030009c000000b20000a13d000001d90030009c000001b50000a13d000001da0030009c000003bc0000613d000001db0030009c000003550000613d000001dc0030009c000003d60000c13d000000240020008c000003d60000413d0000000002000416000000000002004b000003d60000c13d0000000401100370000000000101043b000001f00010009c000003d60000213d0000021e02000041000003c60000013d000001bf0030009c000000e20000a13d000001c00030009c000001d10000a13d000001c10030009c000003cf0000613d000001c20030009c0000036a0000613d000001c30030009c000003d60000c13d000000240020008c000003d60000413d0000000002000416000000000002004b000003d60000c13d0000000401100370000000000101043b000001f00010009c000003d60000213d000001f102000041000003c60000013d000001eb0030009c000000f70000213d000001ee0030009c000001e60000613d000001ef0030009c000003d60000c13d0000000001000416000000000001004b000003d60000c13d06d706380000040f00000000020100190000002001100039000001fd030000410000000000310435000000400100043d000d00000001001d06d706230000040f0000000d020000290000000001210049000001b70010009c000001b7010080410000006001100210000001b70020009c000001b7020080410000004002200210000000000121019f000006d80001042e000001d20030009c000001000000213d000001d50030009c000001fe0000613d000001d60030009c000003d60000c13d0000000001000416000000000001004b000003d60000c13d000000000100041a000003b60000013d000001df0030009c0000011e0000213d000001e20030009c000002030000613d000001e30030009c000003d60000c13d0000000001000416000000000001004b000003d60000c13d06d706380000040f0000002003100039000001fd0200004100000000002304350000000002010433000000000103001906d706a10000040f000000400300043d000d00000003001d00000020023000390000000000120435000002000100004100000040023000390000000000120435000002010100004100000000001304350000800b01000039000000040300003900000000040004150000000f0440008a0000000504400210000002020200004106d706b60000040f00000000020004100000000d040000290000008003400039000000000023043500000060024000390000000000120435000000a002000039000000000104001906d706a10000040f000000400200043d0000000000120435000001b70020009c000001b7020080410000004001200210000001fc011001c7000006d80001042e000001c60030009c000001340000213d000001c90030009c0000020a0000613d000001ca0030009c000003d60000c13d000000240020008c000003d60000413d0000000002000416000000000002004b000003d60000c13d0000000401100370000000000101043b000001f00010009c000003d60000213d000000000010043f0000000701000039000000200010043f00000040020000390000000001000019000003ca0000013d000001ec0030009c000002200000613d000001ed0030009c000003d60000c13d0000000001000416000000000001004b000003d60000c13d0000000201000039000003cb0000013d000001d30030009c000002350000613d000001d40030009c000003d60000c13d000000440020008c000003d60000413d0000000002000416000000000002004b000003d60000c13d0000002402100370000000000202043b0000000401100370000000000101043b000001b803000041000000000303041a0000000004000411000000000034004b000004090000c13d000000000001004b000004640000c13d0000021a01000041000000800010043f0000002001000039000000840010043f0000001401000039000000a40010043f0000021d01000041000000c40010043f0000021c01000041000006d900010430000001e00030009c0000023e0000613d000001e10030009c000003d60000c13d000000440020008c000003d60000413d0000000002000416000000000002004b000003d60000c13d0000000401100370000000000101043b000d00000001001d000001f00010009c000003d60000213d06d706460000040f00000024010000390000000001100367000000000201043b0000000d0100002906d706500000040f0000000001000019000006d80001042e000001c70030009c0000027b0000613d000001c80030009c000003d60000c13d000000e40020008c000003d60000413d0000000002000416000000000002004b000003d60000c13d0000000402100370000000000202043b000d00000002001d000001f00020009c000003d60000213d0000002402100370000000000202043b000c00000002001d000001f00020009c000003d60000213d0000006402100370000000000202043b000a00000002001d0000004402100370000000000202043b000b00000002001d0000008401100370000000000101043b000900000001001d000000ff0010008c000003d60000213d000000010100008a0000000b0010006b000000000100003900000001010060390000000c02000029000001f90220016700000000001201a0000002310000613d000000c001000039000000400010043f0000000501000039000000800010043f000001fd01000041000000a00010043f0000000001000414000001b70010009c000001b701008041000000c001100210000001fe011001c7000080100200003906d706d20000040f0000000100200190000003d60000613d000000000101043b000800000001001d000001f60100004100000000001004430000000001000414000001b70010009c000001b701008041000000c001100210000001f7011001c70000800b0200003906d706d20000040f0000000100200190000005d40000613d000000000101043b0000000a0010006c000005140000a13d0000020d01000041000000000010043f000001f401000041000006d900010430000001e90030009c000002b50000613d000001ea0030009c000003d60000c13d000000440020008c000003d60000413d0000000002000416000000000002004b000003d60000c13d0000000401100370000000000101043b000d00000001001d000001f00010009c000003d60000213d0000000001000411000000000010043f0000000601000039000000200010043f0000000001000414000001b70010009c000001b701008041000000c0011002100000020e011001c7000080100200003906d706d20000040f0000000100200190000003d60000613d000000000101043b000000000101041a000000ff001001900000012d0000c13d0000023101000041000000000010043f0000022601000041000006d900010430000001d00030009c000002ba0000613d000001d10030009c000003d60000c13d0000000001000416000000000001004b000003d60000c13d000000c001000039000000400010043f0000000302000039000000800020043f0000021402000041000000a00020043f000000800200003906d706230000040f000000c00110008a000001b70010009c000001b701008041000000600110021000000215011001c7000006d80001042e000001dd0030009c000002da0000613d000001de0030009c000003d60000c13d000001f1010000410000000c0010043f0000000001000411000000000010043f0000000001000414000001b70010009c000001b701008041000000c001100210000001f5011001c7000080100200003906d706d20000040f0000000100200190000003d60000613d000000000101043b000000000001041b0000000001000414000001b70010009c000001b701008041000000c001100210000001b9011001c70000800d0200003900000002030000390000021f04000041000003110000013d000001c40030009c000002e60000613d000001c50030009c000003d60000c13d000000440020008c000003d60000413d0000000002000416000000000002004b000003d60000c13d0000000402100370000000000202043b000001f00020009c000003d60000213d0000002401100370000000000101043b000001f00010009c000003d60000213d000001f90010009c0000049a0000c13d000000010100008a000004aa0000013d000000240020008c000003d60000413d0000000002000416000000000002004b000003d60000c13d0000000401100370000000000101043b000001b802000041000000000202041a0000000003000411000000000023004b000004090000c13d0000000502000039000000000302041a000000ff003001900000040d0000c13d0000022104000041000000000404041a000000000041004b0000047d0000813d0000023601000041000000000010043f0000022601000041000006d9000104300000000001000416000000000001004b000003d60000c13d0000000101000039000003cb0000013d0000000001000416000000000001004b000003d60000c13d0000001201000039000000800010043f000001f201000041000006d80001042e0000000001000416000000000001004b000003d60000c13d000001b801000041000000000101041a0000000002000411000000000012004b000004090000c13d000000000100041a000000ff00100190000003d60000613d0000023701100197000000000010041b0000000001000414000001b70010009c000001b701008041000000c001100210000001b9011001c70000800d0200003900000001030000390000021004000041000003120000013d000000440020008c000003d60000413d0000000002000416000000000002004b000003d60000c13d0000000402100370000000000202043b000001f00020009c000003d60000213d0000002401100370000000000401043b000002380040009c00000000010000390000000101006039000001f90320016700000000001301a0000004110000c13d0000023201000041000000000010043f000001f401000041000006d9000104300000000001000416000000000001004b000003d60000c13d000001b801000041000000000101041a000001f001100197000000800010043f000001f201000041000006d80001042e000000240020008c000003d60000413d0000000002000416000000000002004b000003d60000c13d0000000401100370000000000101043b000d00000001001d00000211010000410000000c0010043f0000000001000411000000000010043f0000000001000414000001b70010009c000001b701008041000000c001100210000001f5011001c7000080100200003906d706d20000040f0000000100200190000003d60000613d000000000101043b000000000201041a0000000d0220006c000003ad0000413d000000000021041b0000022101000041000000000201041a0000000d030000290000000002320049000000000021041b000000000030043f0000000001000414000001b70010009c000001b701008041000000c0011002100000020b011001c70000800d02000039000000030300003900000213040000410000000005000411000000000600001906d706cd0000040f0000000100200190000003d60000613d000000400100043d0000000d020000290000000000210435000001b70010009c000001b70100804100000040011002100000000002000414000001b70020009c000001b702008041000000c002200210000000000112019f0000020b011001c70000800d0200003900000002030000390000022b04000041000003110000013d000000440020008c000003d60000413d0000000002000416000000000002004b000003d60000c13d0000000402100370000000000202043b000d00000002001d000001f00020009c000003d60000213d0000002401100370000000000201043b000000000002004b0000000001000039000000010100c039000c00000002001d000000000012004b000003d60000c13d000001b801000041000000000101041a0000000002000411000000000012004b000004090000c13d0000000d01000029000000000010043f0000000601000039000000200010043f0000000001000414000001b70010009c000001b701008041000000c0011002100000020e011001c7000080100200003906d706d20000040f0000000100200190000003d60000613d000000000101043b000000000201041a00000237022001970000000c03000029000000000232019f000000000021041b000000400100043d0000000000310435000001b70010009c000001b70100804100000040011002100000000002000414000001b70020009c000001b702008041000000c002200210000000000112019f0000020b011001c70000800d0200003900000002030000390000020f040000410000000d05000029000003120000013d0000000001000416000000000001004b000003d60000c13d0000022101000041000003cb0000013d000000240020008c000003d60000413d0000000002000416000000000002004b000003d60000c13d0000000401100370000000000101043b000000000001004b0000000002000039000000010200c039000000000021004b000003d60000c13d000001b802000041000000000202041a0000000003000411000000000023004b000004090000c13d0000000302000039000000000302041a0000023703300197000000000313019f000000000032041b000000800010043f0000000001000414000001b70010009c000001b701008041000000c00110021000000216011001c70000800d0200003900000001030000390000021704000041000003120000013d0000000001000416000000000001004b000003d60000c13d0000022001000041000000000301041a0000000002000410000000000023004b000003d80000c13d0000022a01000041000000000010043f000001f401000041000006d9000104300000000001000416000000000001004b000003d60000c13d0000000401000039000003cb0000013d000001f1010000410000000c0010043f0000000001000411000000000010043f000001f60100004100000000001004430000000001000414000001b70010009c000001b701008041000000c001100210000001f7011001c70000800b0200003906d706d20000040f0000000100200190000005d40000613d000000000101043b000d00000001001d0000000001000414000001b70010009c000001b701008041000000c001100210000001f5011001c7000080100200003906d706d20000040f0000000100200190000003d60000613d000000000101043b0000000d020000290000022c0220009a000000000021041b0000000001000414000001b70010009c000001b701008041000000c001100210000001b9011001c70000800d0200003900000002030000390000022d04000041000000000500041106d706cd0000040f0000000100200190000003d60000613d0000000001000019000006d80001042e000000440020008c000003d60000413d0000000002000416000000000002004b000003d60000c13d0000000402100370000000000202043b000d00000002001d000001f00020009c000003d60000213d00000000020004110000002401100370000000000101043b000c00000001001d000000000100041a000000ff00100190000004700000c13d00000211010000410000000c0010043f000000000020043f0000000001000414000001b70010009c000001b701008041000000c001100210000001f5011001c7000080100200003906d706d20000040f0000000100200190000003d60000613d000000000101043b000000000201041a0000000c0220006c000003ad0000413d000000000021041b0000000d01000029000000000010043f0000000001000414000001b70010009c000001b701008041000000c001100210000001f5011001c7000080100200003906d706d20000040f0000000100200190000003d60000613d000000000101043b000000000201041a0000000c030000290000000002320019000000000021041b000000200030043f0000000c0100043d00000000020004140000006006100270000001b70020009c000001b702008041000000c00120021000000212011001c70000800d02000039000000030300003900000213040000410000042e0000013d000001b801000041000000000101041a0000000005000411000000000015004b000004090000c13d0000000001000414000001b70010009c000001b701008041000000c001100210000001b9011001c70000800d020000390000000303000039000001ba04000041000000000600001906d706cd0000040f0000000100200190000003d60000613d000001b801000041000000000001041b0000000001000019000006d80001042e000000240020008c000003d60000413d0000000401100370000000000101043b000001f00010009c000003d60000213d000001b802000041000000000202041a0000000003000411000000000023004b000004090000c13d000000000001004b0000050e0000c13d000001f301000041000000000010043f000001f401000041000006d900010430000000640020008c000003d60000413d0000000002000416000000000002004b000003d60000c13d0000000402100370000000000202043b000d00000002001d000001f00020009c000003d60000213d0000002402100370000000000202043b000c00000002001d000001f00020009c000003d60000213d000000000200041a0000004401100370000000000101043b000b00000001001d0000000c0000006b0000000d030000290000039a0000613d000000000003004b0000039a0000613d000000ff002001900000039a0000613d000001b801000041000000000101041a000000000131013f000001f000100198000004790000c13d00000060033002100000000001000411000001f90010009c000004b00000c13d00000211013001c70000000c0010043f0000000001000414000001b70010009c000001b701008041000000c001100210000001f5011001c7000080100200003906d706d20000040f0000000100200190000003d60000613d000000000101043b000000000201041a0000000b0220006c000004c80000813d0000023001000041000000000010043f000001f401000041000006d9000104300000000001000416000000000001004b000003d60000c13d0000000501000039000000000101041a000000ff001001900000000001000039000000010100c039000000800010043f000001f201000041000006d80001042e000000240020008c000003d60000413d0000000002000416000000000002004b000003d60000c13d0000000401100370000000000101043b000001f00010009c000003d60000213d00000211020000410000000c0020043f000000000010043f0000000c01000039000000200200003906d706a10000040f000000000101041a000000800010043f000001f201000041000006d80001042e000000240020008c000003d60000413d0000000401100370000000000101043b000d00000001001d000001f00010009c000003e10000a13d0000000001000019000006d900010430000000000021041b0000000301000039000000000101041a000000ff001001900000043a0000c13d0000022901000041000000000010043f0000022601000041000006d900010430000001b801000041000000000101041a0000000002000411000000000012004b000004090000c13d000001f1010000410000000c0010043f0000000d01000029000000000010043f0000000001000414000001b70010009c000001b701008041000000c001100210000001f5011001c7000080100200003906d706d20000040f0000000100200190000003d60000613d000000000101043b000b00000001001d000000000101041a000c00000001001d000001f60100004100000000001004430000000001000414000001b70010009c000001b701008041000000c001100210000001f7011001c70000800b0200003906d706d20000040f0000000100200190000005d40000613d000000000101043b0000000c0010006c0000050b0000a13d000001f801000041000000000010043f000001f401000041000006d9000104300000023301000041000000000010043f000001f401000041000006d9000104300000023401000041000000000010043f0000022601000041000006d900010430000d00000004001d000000200020043f000001fa010000410000000c0010043f0000000001000411000000000010043f0000000001000414000001b70010009c000001b701008041000000c001100210000001fb011001c7000080100200003906d706d20000040f0000000100200190000003d60000613d000000000101043b0000000d02000029000000000021041b000000000020043f0000002c0100043d00000000020004140000006006100270000001b70020009c000001b702008041000000c0012002100000020b011001c70000800d0200003900000003030000390000020c04000041000000000500041106d706cd0000040f0000000100200190000003d60000613d000000400100043d00000001020000390000000000210435000001b70010009c000001b7010080410000004001100210000001fc011001c7000006d80001042e0000000001000411000000000010043f0000000701000039000000200010043f0000000001000414000001b70010009c000001b701008041000000c0011002100000020e011001c7000080100200003906d706d20000040f0000000100200190000003d60000613d0000000202000039000000000202041a000000000101043b000000000101041a000d00000002001d000c00000001001d000000000012001a0000061d0000413d000001f60100004100000000001004430000000001000414000001b70010009c000001b701008041000000c001100210000001f7011001c70000800b0200003906d706d20000040f0000000100200190000005d40000613d0000000c030000290000000d02300029000000000101043b000d00000001001d000000000021004b000004e90000813d0000022501000041000000000010043f0000022601000041000006d900010430000000000002004b0000048c0000c13d0000021a01000041000000800010043f0000002001000039000000840010043f0000001601000039000000a40010043f0000021b01000041000000c40010043f0000021c01000041000006d9000104300000000d0000006b000003280000613d000000000002004b000003280000613d000001b801000041000000000101041a000001f001100197000000000012004b000003280000613d0000022e01000041000000000010043f0000022601000041000006d9000104300000000404000039000000000014041b000002370330019700000001033001bf000000000032041b000000800010043f0000000001000414000001b70010009c000001b701008041000000c00110021000000216011001c70000800d0200003900000001030000390000023504000041000003120000013d0000000103000039000000000013041b0000000204000039000000000024041b000000800010043f000000a00020043f0000000001000414000001b70010009c000001b701008041000000c00110021000000218011001c70000800d020000390000021904000041000003120000013d000000200010043f000001fa010000410000000c0010043f000000000020043f0000000001000414000001b70010009c000001b701008041000000c001100210000001fb011001c7000080100200003906d706d20000040f0000000100200190000003d60000613d000000400400043d000000000101043b000000000101041a0000000000140435000001b70040009c000001b7040080410000004001400210000001fc011001c7000006d80001042e000000200010043f000a00000003001d000001fa013001c70000000c0010043f0000000001000414000001b70010009c000001b701008041000000c001100210000001fb011001c7000080100200003906d706d20000040f0000000100200190000003d60000613d000000000101043b000000000201041a000002380020009c0000000a030000290000039e0000613d0000000b0220006c000005110000813d0000022f01000041000000000010043f000001f401000041000006d900010430000000000021041b0000000c01000029000000000010043f0000000001000414000001b70010009c000001b701008041000000c001100210000001f5011001c7000080100200003906d706d20000040f0000000100200190000003d60000613d000000000101043b000000000201041a0000000b030000290000000002320019000000000021041b000000200030043f0000000c0100043d00000000020004140000006006100270000001b70020009c000001b702008041000000c00120021000000212011001c70000800d02000039000000030300003900000213040000410000000d0500002906d706cd0000040f0000000100200190000003d60000613d000004320000013d0000000001000411000000000010043f0000000701000039000000200010043f0000000001000414000001b70010009c000001b701008041000000c0011002100000020e011001c7000080100200003906d706d20000040f0000000100200190000003d60000613d000000000101043b0000000d02000029000000000021041b0000022101000041000000000201041a0000000101000039000000000101041a000d00000001001d00000000011200190000000403000039000000000303041a000000000003004b000005050000613d000000000031004b000001fa0000213d000000000021004b000005d50000813d0000022401000041000000000010043f000001f401000041000006d9000104300000000b01000029000000000001041b0000000d0100002906d7068a0000040f0000000001000019000006d80001042e000000000021041b0000000a030000290000039e0000013d000000400100043d000700000001001d000001ff010000410000000e0010043f0000000d01000029000000000010043f0000000001000414000001b70010009c000001b701008041000000c001100210000001f5011001c7000080100200003906d706d20000040f0000000100200190000003d60000613d000000000101043b000300000001001d000000000101041a000600000001001d000000070200002900000040032000390000020001000041000500000003001d00000000001304350000002001200039000400000001001d0000000803000029000000000031043500000201010000410000000000120435000002020100004100000000001004430000000001000414000001b70010009c000001b701008041000000c001100210000001f7011001c70000800b0200003906d706d20000040f0000000100200190000005d40000613d00000007030000290000006002300039000000000101043b000800000002001d000000000012043500000080023000390000000001000410000100000002001d0000000000120435000001b70030009c000001b701000041000000000103401900020040001002180000000001000414000001b70010009c000001b701008041000000c00110021000000002011001af00000203011001c7000080100200003906d706d20000040f0000000100200190000003d60000613d000000000101043b0000002e0010043f0000020401000041000000070300002900000000001304350000000d01000029000000040200002900000000001204350000000c01000029000000050200002900000000001204350000000b0100002900000008020000290000000000120435000000060100002900000001020000290000000000120435000000a0013000390000000a0200002900000000002104350000000001000414000001b70010009c000001b701008041000000c00110021000000002011001af00000205011001c7000080100200003906d706d20000040f0000000100200190000003d60000613d000000000101043b0000004e0010043f0000000001000414000001b70010009c000001b701008041000000c00110021000000206011001c7000080100200003906d706d20000040f0000000100200190000003d60000613d000000000101043b000000000010043f0000000901000029000000200010043f0000000001000367000000a402100370000000000202043b000000400020043f000000c401100370000000000101043b000000600010043f0000000001000414000001b70010009c000001b701008041000000c00110021000000207011001c7000000010200003906d706d20000040f0000006003100270000001b703300197000000200030008c000000200400003900000000040340190000001f0540018f000000200640019000000020046000390000059e0000613d0000002007000039000000000801034f000000008908043c0000000007970436000000000047004b0000059a0000c13d000000000005004b000005ab0000613d000000000161034f0000000305500210000000000604043300000000065601cf000000000656022f000000000101043b0000010005500089000000000151022f00000000015101cf000000000161019f000000000014043500000000010304330000000d0010006c000006190000c13d000000010120018f00000006011000290000000302000029000000000012041b0000000c0100002900000209011001c7000000400010043f0000000001000414000001b70010009c000001b701008041000000c0011002100000020a011001c7000080100200003906d706d20000040f0000000100200190000003d60000613d000000000101043b0000000b02000029000000000021041b0000000801000029000001b70010009c000001b70100804100000040011002100000000002000414000001b70020009c000001b702008041000000c002200210000000000112019f0000020b011001c70000800d0200003900000003030000390000020c040000410000000d050000290000000c0600002906d706cd0000040f0000000100200190000003150000c13d000003d60000013d000000000001042f0000022102000041000000000012041b00000211010000410000000c0010043f0000000001000411000000000010043f0000000001000414000001b70010009c000001b701008041000000c001100210000001f5011001c7000080100200003906d706d20000040f0000000100200190000003d60000613d000000000101043b000000000201041a0000000d030000290000000002320019000000000021041b000000200030043f0000000c0100043d00000000020004140000006006100270000001b70020009c000001b702008041000000c00120021000000212011001c70000800d0200003900000003030000390000021304000041000000000500001906d706cd0000040f0000000100200190000003d60000613d0000000101000039000000000101041a000000400200043d0000000000120435000001b70020009c000001b70200804100000040012002100000000002000414000001b70020009c000001b702008041000000c002200210000000000112019f0000020b011001c70000800d0200003900000002030000390000022204000041000000000500041106d706cd0000040f0000000100200190000003d60000613d0000000001000412000e00000001001d0000800201000039000000240300003900000000040004150000000e0440008a0000000504400210000002230200004106d706b60000040f0000022002000041000000000012041b0000000001000019000006d80001042e0000020801000041000000000010043f000001f401000041000006d9000104300000022701000041000000000010043f0000001101000039000000040010043f0000022801000041000006d90001043000000020030000390000000004310436000000003202043400000000002404350000004001100039000000000002004b000006320000613d000000000400001900000000054100190000000006430019000000000606043300000000006504350000002004400039000000000024004b0000062b0000413d000000000321001900000000000304350000001f0220003900000239022001970000000001210019000000000001042d000000400100043d0000023a0010009c000006400000813d0000004002100039000000400020043f00000005020000390000000000210435000000000001042d0000022701000041000000000010043f0000004101000039000000040010043f0000022801000041000006d900010430000001b801000041000000000101041a0000000002000411000000000012004b0000064c0000c13d000000000001042d0000023301000041000000000010043f000001f401000041000006d90001043000010000000000020000022103000041000000000303041a00000000052300190000000404000039000000000404041a000000000004004b0000065a0000613d000000000045004b000006820000213d000100000002001d000000000035004b000006860000413d0000022103000041000000000053041b00000211020000410000000c0020043f000000000010043f0000000001000414000001b70010009c000001b701008041000000c001100210000001f5011001c7000080100200003906d706d20000040f0000000100200190000006800000613d000000000101043b000000000201041a00000001030000290000000002320019000000000021041b000000200030043f0000000c0100043d00000000020004140000006006100270000001b70020009c000001b702008041000000c00120021000000212011001c70000800d0200003900000003030000390000021304000041000000000500001906d706cd0000040f0000000100200190000006800000613d000000000001042d0000000001000019000006d9000104300000023601000041000000000010043f0000022601000041000006d9000104300000022401000041000000000010043f000001f401000041000006d9000104300001000000000002000001b802000041000000000502041a0000000002000414000001f006100197000001b70020009c000001b702008041000000c001200210000001b9011001c70000800d020000390000000303000039000001ba04000041000100000006001d06d706cd0000040f00000001002001900000069e0000613d000001b8010000410000000102000029000000000021041b000000000001042d0000000001000019000006d900010430000000000001042f000001b70010009c000001b7010080410000004001100210000001b70020009c000001b7020080410000006002200210000000000112019f0000000002000414000001b70020009c000001b702008041000000c002200210000000000112019f000001b9011001c7000080100200003906d706d20000040f0000000100200190000006b40000613d000000000101043b000000000001042d0000000001000019000006d90001043000000000050100190000000000200443000000040030008c000006bd0000a13d000000050140027000000000010100310000000400100443000001b70030009c000001b70300804100000060013002100000000002000414000001b70020009c000001b702008041000000c002200210000000000112019f0000023b011001c7000000000205001906d706d20000040f0000000100200190000006cc0000613d000000000101043b000000000001042d000000000001042f000006d0002104210000000102000039000000000001042d0000000002000019000000000001042d000006d5002104230000000102000039000000000001042d0000000002000019000000000001042d000006d700000432000006d80001042e000006d9000104300000000000000000000000000000000000000000000000000000000000000000000000000000000000000000ffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffff7487392702000000000000000000000000000000000000000000000000000000000000008be0079c531659141344cd1fd0a4f28419497f9722a3daafe3b4186f6b6457e0000000000000000000000000000000000000000000000001a055690d9db80000000000020000000000000000000000000000004000000100000000000000000000000000000000000000000000000000000000000000000000000000830953aa00000000000000000000000000000000000000000000000000000000af35c6c600000000000000000000000000000000000000000000000000000000d5abeb0000000000000000000000000000000000000000000000000000000000f04e283d00000000000000000000000000000000000000000000000000000000f04e283e00000000000000000000000000000000000000000000000000000000f2fde38b00000000000000000000000000000000000000000000000000000000fee81cf400000000000000000000000000000000000000000000000000000000d5abeb0100000000000000000000000000000000000000000000000000000000dd62ed3e00000000000000000000000000000000000000000000000000000000cf456ae600000000000000000000000000000000000000000000000000000000cf456ae700000000000000000000000000000000000000000000000000000000d505accf00000000000000000000000000000000000000000000000000000000af35c6c700000000000000000000000000000000000000000000000000000000b77cf9c60000000000000000000000000000000000000000000000000000000092929a0800000000000000000000000000000000000000000000000000000000a8d0466b00000000000000000000000000000000000000000000000000000000a8d0466c00000000000000000000000000000000000000000000000000000000a9059cbb00000000000000000000000000000000000000000000000000000000aa271e1a0000000000000000000000000000000000000000000000000000000092929a090000000000000000000000000000000000000000000000000000000095d89b41000000000000000000000000000000000000000000000000000000008da5cb5a000000000000000000000000000000000000000000000000000000008da5cb5b0000000000000000000000000000000000000000000000000000000091dc11fe00000000000000000000000000000000000000000000000000000000830953ab0000000000000000000000000000000000000000000000000000000083f1211b00000000000000000000000000000000000000000000000000000000313ce566000000000000000000000000000000000000000000000000000000004e71d92c0000000000000000000000000000000000000000000000000000000070a082300000000000000000000000000000000000000000000000000000000070a0823100000000000000000000000000000000000000000000000000000000715018a6000000000000000000000000000000000000000000000000000000007ecebe00000000000000000000000000000000000000000000000000000000004e71d92d0000000000000000000000000000000000000000000000000000000054d1f13d0000000000000000000000000000000000000000000000000000000042966c670000000000000000000000000000000000000000000000000000000042966c6800000000000000000000000000000000000000000000000000000000484b973c00000000000000000000000000000000000000000000000000000000313ce567000000000000000000000000000000000000000000000000000000003644e5150000000000000000000000000000000000000000000000000000000018160ddc0000000000000000000000000000000000000000000000000000000023b872dc0000000000000000000000000000000000000000000000000000000023b872dd0000000000000000000000000000000000000000000000000000000025692962000000000000000000000000000000000000000000000000000000002866ed210000000000000000000000000000000000000000000000000000000018160ddd0000000000000000000000000000000000000000000000000000000021f314ca00000000000000000000000000000000000000000000000000000000095ea7b200000000000000000000000000000000000000000000000000000000095ea7b3000000000000000000000000000000000000000000000000000000000b433a1200000000000000000000000000000000000000000000000000000000016a6a760000000000000000000000000000000000000000000000000000000006fdde03000000000000000000000000ffffffffffffffffffffffffffffffffffffffff00000000000000000000000000000000000000000000000000000000389a75e10000000000000000000000000000000000000020000000800000000000000000000000000000000000000000000000000000000000000000000000007448fbae00000000000000000000000000000000000000040000001c000000000000000002000000000000000000000000000000000000200000000c0000000000000000796b89b91644bc98cd93958e4c9038275d622183e25ac5af08cc6b5d955391320200000200000000000000000000000000000004000000000000000000000000000000000000000000000000000000000000000000000000000000006f5e8818000000000000000000000000000000000022d473030f116ddee9f6b43ac78ba3000000000000000000000000000000000000000000000000000000007f5e9f2002000000000000000000000000000000000000340000000c00000000000000000000000000000000000000000000000000000020000000000000000000000000426f7a6f6e0000000000000000000000000000000000000000000000000000000200000000000000000000000000000000000005000000a000000000000000000000000000000000000000000000000000000000000000000000383775081901c89efdaa54c0f20c7adf612882df0950f5a951637e0307cdcb4c672f298b8bc68b73c3c69bb8fe3d512ecc4cf759cc79239f7b179b0ffacaa9a75d522b39400f9a8a0592ac89c5ad3bc6df8224c17b485976f597df104ee20d0df415241f670b02000000000000000000000000000000000000a00000000000000000000000006e71edae12b1b97f4d1f60370fef10105fa2faae0126114a169c64845d6126c902000000000000000000000000000000000000c000000000000000000000000002000000000000000000000000000000000000420000002c0000000000000000000000000000000000000000000000000000008000000000000000000000000000000000000000000000000000000000000000000000000000000000ddafbaef00000000000000007f5e9f20000000000000000000000000000000000000000002000000000000000000000000000000000000340000002c000000000000000002000000000000000000000000000000000000200000000000000000000000008c5be1e5ebec7d5bd14f71427d1e84f3dd0314c0f7b2291e5b200ac8c7c3b925000000000000000000000000000000000000000000000000000000001a15a3cc0200000000000000000000000000000000000040000000000000000000000000d7f05487ae3002c125e5927b52b19827dd903ac7cb2e69c4f7f2fdbc17d1145c1d8b2f61c84f331c359476b447a0ddc4fd75f10d265a30e609526e440cdc3a470000000000000000000000000000000000000000000000000000000087a211a20200000000000000000000000000000000000020000000200000000000000000ddf252ad1be2c89b69c2b068fc378daa952ba7f163c4a11628f55a4df523b3ef425a4e00000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000c0000000000000000002000000000000000000000000000000000000200000008000000000000000007d9bc7474aa5661520727056d5036520e3004dfa67eebc8ea98dd139b044aae1020000000000000000000000000000000000004000000080000000000000000064df5f7e1804e0833e0de6a22852912960e50c4760c47d96f88138f67097591208c379a000000000000000000000000000000000000000000000000000000000496e76616c696420636c61696d20696e74657276616c000000000000000000000000000000000000000000000000000000000064000000800000000000000000496e76616c696420636c61696d20616d6f756e740000000000000000000000000000000000000000000000000000000000000000000000000000000038377508fa7b8eab7da67f412cc9575ed43464468f9bfbae89d1675917346ca6d8fe3c920000000000000000000000000000000000000000000000929eee149b4bd21268000000000000000000000000000000000000000000000005345cdf77eb68f44cd8138f8a3f377c5259ca548e70e4c2de94f129f5a11036a15b69513cba2b426a1806aa1896bbf26568e884a7374b41e002500962caba6a15023a8d90e8508b8300000000000000000000000000000000000000000000000000000000e5cfe95757155ae30000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000040000000000000000000000004e487b71000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000024000000000000000000000000c84651bb0000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000ab143c06696de425f79f4a40bc6d2122ca50507f0efbeabbff86a84871b7196ab8ea8df7fffffffffffffffffffffffffffffffffffffffffffffffffffffffffffd5d00dbf36a107da19e49527a7176a1babf963b4b0ff8cde35ee35d6cd8f1f9ac7e1ddb89e3f4000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000013be252b00000000000000000000000000000000000000000000000000000000f4d678b8904497b800000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000003f68539a0000000000000000000000000000000000000000000000000000000082b42900c0fd1c3300000000000000000000000000000000000000000000000000000000459026af9a5678208267dfc5bcb5879294a70eb067a545ace93d0a21eb6ac591c30436e900000000000000000000000000000000000000000000000000000000ffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffff00ffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffe0000000000000000000000000000000000000000000000000ffffffffffffffc002000002000000000000000000000000000000000000000000000000000000004d4ba5fc4a5f69058d26b6323e042570ee5a60346842a34b1c7caaf2c12ff03f

[ 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.