S Price: $0.440138 (+2.84%)

Token

fogHOG (fHOG)

Overview

Max Total Supply

500,000 fHOG

Holders

20

Market

Price

$0.00 @ 0.000000 S

Onchain Market Cap

$0.00

Circulating Supply Market Cap

-

Other Info

Token Contract (WITH 9 Decimals)

Balance
68,612.191303864 fHOG

Value
$0.00
0x5f59cabc5b6bb9b391a033d712afa1b1d90ce62b
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.

Contract Source Code Verified (Exact Match)

Contract Name:
FogElasticToken

Compiler Version
v0.8.28+commit.7893614a

Optimization Enabled:
Yes with 999999 runs

Other Settings:
default evmVersion
File 1 of 17 : FogElasticToken.sol
// SPDX-License-Identifier: MIT

pragma solidity 0.8.28;

import "@openzeppelin/contracts/token/ERC20/utils/SafeERC20.sol";
import "../owner/Operator.sol";
import "../elastic/UFragments.sol";

/**
 * @title FogElasticToken
 * @dev An elastic supply token that uses the uFragments mechanism for rebasing, with operator-controlled minting
 *      and owner recovery of unsupported tokens.
 */
contract FogElasticToken is UFragments, Operator {
    using SafeERC20 for IERC20;

    /**
     * @notice Constructor for FogElasticToken.
     * @dev Initializes the token with a name and symbol by calling the UFragments constructor.
     *      The Operator constructor (inherited from Ownable) is automatically invoked.
     * @param _name The name of the token.
     * @param _symbol The symbol of the token.
     */
    constructor(string memory _name, string memory _symbol) UFragments(_name, _symbol) {
        // No additional initialization required.
    }

    /**
     * @notice Mints new tokens (in fragments) to a specified recipient.
     * @dev Can only be called by the operator. The function uses the underlying _mint logic
     *      inherited from UFragments to update balances in terms of gons.
     * @param recipient The address of the recipient.
     * @param amount The amount of tokens (in fragments) to mint.
     * @return success True if the recipient's balance increased after minting.
     */
    function mint(address recipient, uint256 amount) public onlyOperator returns (bool success) {
        uint256 balanceBefore = balanceOf(recipient);
        _mint(recipient, amount);
        uint256 balanceAfter = balanceOf(recipient);
        return balanceAfter > balanceBefore;
    }

    /**
     * @notice Allows the owner to recover any ERC20 tokens that were accidentally sent to this contract.
     * @dev Uses SafeERC20 to safely transfer tokens.
     * @param token The ERC20 token contract to recover.
     * @param amount The amount of tokens to recover.
     * @param to The address that will receive the recovered tokens.
     */
    function governanceRecoverUnsupported(IERC20 token, uint256 amount, address to) external onlyOwner {
        require(to != address(0), "FogElasticToken: Cannot transfer to zero address");
        token.safeTransfer(to, amount);
    }
}

File 2 of 17 : UFragments.sol
// SPDX-License-Identifier: GPL-3.0-or-later

pragma solidity 0.8.28;

import "@openzeppelin/contracts/access/Ownable.sol";
import "@openzeppelin/contracts/token/ERC20/IERC20.sol";
import "@openzeppelin/contracts/token/ERC20/extensions/ERC20Burnable.sol";

import "../lib/SafeMathInt.sol";
import "../interfaces/IUFragments.sol";

/**
 * @title uFragments ERC20 token
 * @dev This is part of an implementation of the uFragments Ideal Money protocol.
 *      uFragments is a normal ERC20 token, but its supply can be adjusted by splitting and
 *      combining tokens proportionally across all wallets.
 *
 *      uFragment balances are internally represented with a hidden denomination, 'gons'.
 *      We support splitting the currency in expansion and combining the currency on contraction by
 *      changing the exchange rate between the hidden 'gons' and the public 'fragments'.
 */
abstract contract UFragments is IUFragments, ERC20Burnable, Ownable {
    // PLEASE READ BEFORE CHANGING ANY ACCOUNTING OR MATH
    // Anytime there is division, there is a risk of numerical instability from rounding errors. In
    // order to minimize this risk, we adhere to the following guidelines:
    // 1) The conversion rate adopted is the number of gons that equals 1 fragment.
    //    The inverse rate must not be used--TOTAL_GONS is always the numerator and _totalSupply is
    //    always the denominator. (i.e. If you want to convert gons to fragments instead of
    //    multiplying by the inverse rate, you should divide by the normal rate)
    // 2) Gon balances converted into Fragments are always rounded down (truncated).
    //
    // We make the following guarantees:
    // - If address 'A' transfers x Fragments to address 'B'. A's resulting external balance will
    //   be decreased by precisely x Fragments, and B's external balance will be precisely
    //   increased by x Fragments.
    //
    // We do not guarantee that the sum of all balances equals the result of calling totalSupply().
    // This is because, for any conversion function 'f()' that has non-zero rounding error,
    // f(x0) + f(x1) + ... + f(xn) is not always equal to f(x0 + x1 + ... xn).
    using SafeMathInt for int256;

    event LogRebase(uint256 indexed epoch, uint256 totalSupply);
    event LogMonetaryPolicyUpdated(address monetaryPolicy);

    // Used for authentication
    address public monetaryPolicy;

    modifier onlyMonetaryPolicy() {
        require(msg.sender == monetaryPolicy, "UFragments: caller is not monetary policy");
        _;
    }

    modifier validRecipient(address to) {
        require(to != address(0x0), "UFragments: recipient is zero address");
        require(to != address(this), "UFragments: recipient is token contract");
        _;
    }

    uint256 private constant DECIMALS = 9;
    uint256 private constant MAX_UINT256 = type(uint256).max;
    uint256 private constant MAX_UINT220 = 0xfffffffffffffffffffffffffffffffffffffffffffffffffffffff; // (2^220) - 1 = 1.6849967e+66
    uint256 private constant INITIAL_FRAGMENTS_SUPPLY = 500_000 * 10 ** DECIMALS;

    // TOTAL_GONS is a multiple of INITIAL_FRAGMENTS_SUPPLY so that _gonsPerFragment is an integer.
    // Use the highest value that fits in a uint256 for max granularity.
    uint256 private constant TOTAL_GONS = MAX_UINT220 - (MAX_UINT220 % INITIAL_FRAGMENTS_SUPPLY); // can support to mint upto 3.3 million billion of tokens

    // MAX_SUPPLY = maximum integer < (sqrt(4*TOTAL_GONS + 1) - 1) / 2
    uint256 private constant MAX_SUPPLY = type(uint128).max; // (2^128) - 1

    uint256 private _originalTotalSupply; // original supply for recalculations after rebasing
    uint256 private _totalSupply;
    uint256 private _gonsPerFragment;
    mapping(address => uint256) private _gonBalances;

    // This is denominated in Fragments, because the gons-fragments conversion might change before
    // it's fully paid.
    mapping(address => mapping(address => uint256)) private _allowedFragments;

    // EIP-2612: permit – 712-signed approvals
    // https://eips.ethereum.org/EIPS/eip-2612
    string public constant EIP712_REVISION = "1";
    bytes32 public constant EIP712_DOMAIN = keccak256("EIP712Domain(string name,string version,uint256 chainId,address verifyingContract)");
    bytes32 public constant PERMIT_TYPEHASH = keccak256("Permit(address owner,address spender,uint256 value,uint256 nonce,uint256 deadline)");

    // EIP-2612: keeps track of number of permits per address
    mapping(address => uint256) private _nonces;

    // Total tokens burned
    uint256 public totalBurned;

    /**
     * @param monetaryPolicy_ The address of the monetary policy contract to use for authentication.
     */
    function setMonetaryPolicy(address monetaryPolicy_) external onlyOwner {
        monetaryPolicy = monetaryPolicy_;
        emit LogMonetaryPolicyUpdated(monetaryPolicy_);
    }

    /**
     * @dev Notifies Fragments contract about a new rebase cycle.
     * @param supplyDelta The number of new fragment tokens to add into circulation via expansion.
     * @return The total number of fragments after the supply adjustment.
     */
    function rebase(uint256 epoch, int256 supplyDelta) external override onlyMonetaryPolicy returns (uint256) {
        if (supplyDelta == 0) {
            emit LogRebase(epoch, _totalSupply);
            return _totalSupply;
        }

        if (supplyDelta < 0) {
            _originalTotalSupply -= (uint256(supplyDelta.abs()) * _originalTotalSupply) / _totalSupply;
            _totalSupply -= uint256(supplyDelta.abs());
        } else {
            _originalTotalSupply += (uint256(supplyDelta) * _originalTotalSupply) / _totalSupply;
            _totalSupply += uint256(supplyDelta);
        }

        if (_originalTotalSupply > MAX_SUPPLY) {
            _totalSupply -= (_originalTotalSupply - MAX_SUPPLY);
            _originalTotalSupply = MAX_SUPPLY;
        }

        _gonsPerFragment = TOTAL_GONS / _originalTotalSupply;

        // From this point forward, _gonsPerFragment is taken as the source of truth.
        // We recalculate a new _totalSupply to be in agreement with the _gonsPerFragment
        // conversion rate.
        // This means our applied supplyDelta can deviate from the requested supplyDelta,
        // but this deviation is guaranteed to be < (_totalSupply^2)/(TOTAL_GONS - _totalSupply).
        //
        // In the case of _totalSupply <= MAX_UINT128 (our current supply cap), this
        // deviation is guaranteed to be < 1, so we can omit this step. If the supply cap is
        // ever increased, it must be re-included.
        // _totalSupply = TOTAL_GONS / _gonsPerFragment

        emit LogRebase(epoch, _totalSupply);
        return _totalSupply;
    }

    constructor(string memory _name, string memory _symbol) ERC20(_name, _symbol) {
        _totalSupply = _originalTotalSupply = INITIAL_FRAGMENTS_SUPPLY;

        _gonBalances[msg.sender] = TOTAL_GONS;
        _gonsPerFragment = TOTAL_GONS / _originalTotalSupply;

        emit Transfer(address(0x0), msg.sender, _totalSupply);
    }

    function decimals() public pure override returns (uint8) {
        return uint8(DECIMALS);
    }

    function gonsPerFragment() public view override returns (uint256) {
        return _gonsPerFragment;
    }

    /**
     * @return The total number of fragments.
     */
    function totalSupply() public view override(ERC20, IUFragments) returns (uint256) {
        return _totalSupply;
    }

    function originalTotalSupply() public view returns (uint256) {
        return _originalTotalSupply;
    }

    /**
     * @param who The address to query.
     * @return The balance of the specified address.
     */
    function balanceOf(address who) public view override returns (uint256) {
        return _gonBalances[who] / _gonsPerFragment;
    }

    /**
     * @param who The address to query.
     * @return The gon balance of the specified address.
     */
    function scaledBalanceOf(address who) external view override returns (uint256) {
        return _gonBalances[who];
    }

    /**
     * @return the total number of gons.
     */
    function scaledTotalSupply() external pure override returns (uint256) {
        return TOTAL_GONS;
    }

    /**
     * @return The number of successful permits by the specified address.
     */
    function nonces(address who) public view returns (uint256) {
        return _nonces[who];
    }

    /**
     * @return The computed DOMAIN_SEPARATOR to be used off-chain services
     *         which implement EIP-712.
     *         https://eips.ethereum.org/EIPS/eip-2612
     */
    function DOMAIN_SEPARATOR() public view returns (bytes32) {
        uint256 chainId;
        assembly {
            chainId := chainid()
        }
        return keccak256(abi.encode(EIP712_DOMAIN, keccak256(bytes(name())), keccak256(bytes(EIP712_REVISION)), chainId, address(this)));
    }

    /**
     * @dev Transfer all of the sender's wallet balance to a specified address.
     * @param to The address to transfer to.
     * @return True on success, false otherwise.
     */
    function transferAll(address to) external validRecipient(to) returns (bool) {
        uint256 gonValue = _gonBalances[msg.sender];
        uint256 value = gonValue / _gonsPerFragment;

        delete _gonBalances[msg.sender];
        _gonBalances[to] = _gonBalances[to] + gonValue;

        emit Transfer(msg.sender, to, value);
        return true;
    }

    /**
     * @dev Function to check the amount of tokens that an owner has allowed to a spender.
     * @param owner_ The address which owns the funds.
     * @param spender The address which will spend the funds.
     * @return The number of tokens still available for the spender.
     */
    function allowance(address owner_, address spender) public view override returns (uint256) {
        return _allowedFragments[owner_][spender];
    }

    /**
     * @dev Transfer tokens from one address to another.
     * @param from The address you want to send tokens from.
     * @param to The address you want to transfer to.
     * @param value The amount of tokens to be transferred.
     */
    function transferFrom(address from, address to, uint256 value) public override validRecipient(to) returns (bool) {
        _allowedFragments[from][msg.sender] = _allowedFragments[from][msg.sender] - value;

        uint256 gonValue = value * _gonsPerFragment;
        _gonBalances[from] = _gonBalances[from] - gonValue;
        _gonBalances[to] = _gonBalances[to] + gonValue;

        emit Transfer(from, to, value);
        return true;
    }

    /**
     * @dev Transfer all balance tokens from one address to another.
     * @param from The address you want to send tokens from.
     * @param to The address you want to transfer to.
     */
    function transferAllFrom(address from, address to) external validRecipient(to) returns (bool) {
        uint256 gonValue = _gonBalances[from];
        uint256 value = gonValue / _gonsPerFragment;

        _allowedFragments[from][msg.sender] = _allowedFragments[from][msg.sender] - value;

        delete _gonBalances[from];
        _gonBalances[to] = _gonBalances[to] + gonValue;

        emit Transfer(from, to, value);
        return true;
    }

    /**
     * @dev Increase the amount of tokens that an owner has allowed to a spender.
     * This method should be used instead of approve() to avoid the double approval vulnerability
     * described above.
     * @param spender The address which will spend the funds.
     * @param addedValue The amount of tokens to increase the allowance by.
     */
    function increaseAllowance(address spender, uint256 addedValue) public returns (bool) {
        _allowedFragments[msg.sender][spender] = _allowedFragments[msg.sender][spender] + addedValue;

        emit Approval(msg.sender, spender, _allowedFragments[msg.sender][spender]);
        return true;
    }

    /**
     * @dev Decrease the amount of tokens that an owner has allowed to a spender.
     *
     * @param spender The address which will spend the funds.
     * @param subtractedValue The amount of tokens to decrease the allowance by.
     */
    function decreaseAllowance(address spender, uint256 subtractedValue) external returns (bool) {
        uint256 oldValue = _allowedFragments[msg.sender][spender];
        _allowedFragments[msg.sender][spender] = (subtractedValue >= oldValue) ? 0 : oldValue - subtractedValue;

        emit Approval(msg.sender, spender, _allowedFragments[msg.sender][spender]);
        return true;
    }

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

    function _approve(address owner, address spender, uint256 value, bool emitEvent) internal override {
        if (owner == address(0)) {
            revert ERC20InvalidApprover(address(0));
        }
        if (spender == address(0)) {
            revert ERC20InvalidSpender(address(0));
        }
        _allowedFragments[owner][spender] = value;
        if (emitEvent) {
            emit Approval(owner, spender, value);
        }
    }

    /**
     * @dev Transfers a `value` amount of tokens from `from` to `to`, or alternatively mints (or burns) if `from`
     * (or `to`) is the zero address. All customizations to transfers, mints, and burns should be done by overriding
     * this function.
     *
     * Emits a {Transfer} event.
     */
    function _update(address from, address to, uint256 value) internal override {
        require(value < MAX_SUPPLY, "UFragments: Transfer amount too large");
        if (from == address(0)) {
            require(to != address(0), "UFragments: Invalid transfer from zero to zero");
            // Overflow check required: The rest of the code assumes that totalSupply never overflows
            _totalSupply += value;
            require(_totalSupply <= MAX_SUPPLY, "UFragments: Mint amount too large");
            _gonBalances[to] = _gonBalances[to] + value * _gonsPerFragment;
        } else if (to == address(0)) {
            uint256 fromBalance = balanceOf(from);
            if (fromBalance < value) {
                revert ERC20InsufficientBalance(from, fromBalance, value);
            }
            _gonBalances[from] = _gonBalances[from] - value * _gonsPerFragment;
            unchecked {
                // Overflow strictly not possible: value < totalSupply or value <= fromBalance < totalSupply.
                _totalSupply -= value;
                require(_totalSupply > 0, "UFragments: Burn amount too large");
            }
            totalBurned += value;
        } else {
            uint256 gonValue = value * _gonsPerFragment;
            _gonBalances[from] = _gonBalances[from] - gonValue;
            _gonBalances[to] = _gonBalances[to] + gonValue;
        }

        emit Transfer(from, to, value);
    }

    /**
     * @dev Allows for approvals to be made via secp256k1 signatures.
     * @param owner The owner of the funds
     * @param spender The spender
     * @param value The amount
     * @param deadline The deadline timestamp, type(uint256).max for max deadline
     * @param v Signature param
     * @param s Signature param
     * @param r Signature param
     */
    function permit(address owner, address spender, uint256 value, uint256 deadline, uint8 v, bytes32 r, bytes32 s) public {
        require(block.timestamp <= deadline);

        uint256 ownerNonce = _nonces[owner];
        bytes32 permitDataDigest = keccak256(abi.encode(PERMIT_TYPEHASH, owner, spender, value, ownerNonce, deadline));
        bytes32 digest = keccak256(abi.encodePacked("\x19\x01", DOMAIN_SEPARATOR(), permitDataDigest));

        require(owner == ecrecover(digest, v, r, s));

        _nonces[owner] = ownerNonce + 1;

        _allowedFragments[owner][spender] = value;
        emit Approval(owner, spender, value);
    }
}

File 3 of 17 : Operator.sol
// SPDX-License-Identifier: MIT

pragma solidity ^0.8.0;

import "@openzeppelin/contracts/utils/Context.sol";
import "@openzeppelin/contracts/access/Ownable.sol";

abstract contract Operator is Context, Ownable {
    address private _operator;

    event OperatorTransferred(address indexed previousOperator, address indexed newOperator);

    constructor() Ownable(_msgSender()) {
        _operator = _msgSender();
        emit OperatorTransferred(address(0), _operator);
    }

    function operator() public view returns (address) {
        return _operator;
    }

    modifier onlyOperator() {
        require(_operator == msg.sender, "operator: caller is not the operator");
        _;
    }

    function isOperator() public view returns (bool) {
        return _msgSender() == _operator;
    }

    function transferOperator(address newOperator_) public onlyOwner {
        _transferOperator(newOperator_);
    }

    function _transferOperator(address newOperator_) internal {
        require(newOperator_ != address(0), "operator: zero address given for new operator");
        emit OperatorTransferred(_operator, newOperator_);
        _operator = newOperator_;
    }

    function _renounceOperator() public onlyOwner {
        emit OperatorTransferred(_operator, address(0));
        _operator = address(0);
    }
}

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

pragma solidity ^0.8.20;

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

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

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

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

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

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

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

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

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

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

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

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

    /**
     * @dev Imitates a Solidity high-level call (i.e. a regular function call to a contract), relaxing the requirement
     * on the return value: the return value is optional (but if data is returned, it must not be false).
     * @param token The token targeted by the call.
     * @param data The call data (encoded using abi.encode or one of its variants).
     *
     * This is a variant of {_callOptionalReturnBool} that reverts if call fails to meet the requirements.
     */
    function _callOptionalReturn(IERC20 token, bytes memory data) private {
        uint256 returnSize;
        uint256 returnValue;
        assembly ("memory-safe") {
            let success := call(gas(), token, 0, add(data, 0x20), mload(data), 0, 0x20)
            // bubble errors
            if iszero(success) {
                let ptr := mload(0x40)
                returndatacopy(ptr, 0, returndatasize())
                revert(ptr, returndatasize())
            }
            returnSize := returndatasize()
            returnValue := mload(0)
        }

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

    /**
     * @dev Imitates a Solidity high-level call (i.e. a regular function call to a contract), relaxing the requirement
     * on the return value: the return value is optional (but if data is returned, it must not be false).
     * @param token The token targeted by the call.
     * @param data The call data (encoded using abi.encode or one of its variants).
     *
     * This is a variant of {_callOptionalReturn} that silently catches all reverts and returns a bool instead.
     */
    function _callOptionalReturnBool(IERC20 token, bytes memory data) private returns (bool) {
        bool success;
        uint256 returnSize;
        uint256 returnValue;
        assembly ("memory-safe") {
            success := call(gas(), token, 0, add(data, 0x20), mload(data), 0, 0x20)
            returnSize := returndatasize()
            returnValue := mload(0)
        }
        return success && (returnSize == 0 ? address(token).code.length > 0 : returnValue == 1);
    }
}

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

pragma solidity ^0.8.20;

import {Context} from "../utils/Context.sol";

/**
 * @dev Contract module which provides a basic access control mechanism, where
 * there is an account (an owner) that can be granted exclusive access to
 * specific functions.
 *
 * The initial owner is set to the address provided by the deployer. This can
 * later be changed with {transferOwnership}.
 *
 * This module is used through inheritance. It will make available the modifier
 * `onlyOwner`, which can be applied to your functions to restrict their use to
 * the owner.
 */
abstract contract Ownable is Context {
    address private _owner;

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

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

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

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

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

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

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

    /**
     * @dev Leaves the contract without owner. It will not be possible to call
     * `onlyOwner` functions. Can only be called by the current owner.
     *
     * NOTE: Renouncing ownership will leave the contract without an owner,
     * thereby disabling any functionality that is only available to the owner.
     */
    function renounceOwnership() public virtual onlyOwner {
        _transferOwnership(address(0));
    }

    /**
     * @dev Transfers ownership of the contract to a new account (`newOwner`).
     * Can only be called by the current owner.
     */
    function transferOwnership(address newOwner) public virtual onlyOwner {
        if (newOwner == address(0)) {
            revert OwnableInvalidOwner(address(0));
        }
        _transferOwnership(newOwner);
    }

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

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

pragma solidity ^0.8.20;

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

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

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

File 7 of 17 : IUFragments.sol
// SPDX-License-Identifier: MIT

pragma solidity 0.8.28;

interface IUFragments {
    function rebase(uint256 epoch, int256 supplyDelta) external returns (uint256);

    function totalSupply() external view returns (uint256);

    function gonsPerFragment() external view returns (uint256);

    function scaledBalanceOf(address who) external view returns (uint256);

    function scaledTotalSupply() external returns (uint256);
}

File 8 of 17 : SafeMathInt.sol
/*
MIT License

Copyright (c) 2018 requestnetwork
Copyright (c) 2018 Fragments, Inc.

Permission is hereby granted, free of charge, to any person obtaining a copy
of this software and associated documentation files (the "Software"), to deal
in the Software without restriction, including without limitation the rights
to use, copy, modify, merge, publish, distribute, sublicense, and/or sell
copies of the Software, and to permit persons to whom the Software is
furnished to do so, subject to the following conditions:

The above copyright notice and this permission notice shall be included in all
copies or substantial portions of the Software.

THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR
IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY,
FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE
AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER
LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM,
OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE
SOFTWARE.
*/

// SPDX-License-Identifier: GPL-3.0-or-later

pragma solidity 0.8.28;

/**
 * @title SafeMathInt
 * @dev Math operations for int256 with overflow safety checks.
 */
library SafeMathInt {
    int256 private constant MIN_INT256 = int256(1) << 255;
    int256 private constant MAX_INT256 = ~(int256(1) << 255);

    /**
     * @dev Multiplies two int256 variables and fails on overflow.
     */
    function mul(int256 a, int256 b) internal pure returns (int256) {
        int256 c = a * b;

        // Detect overflow when multiplying MIN_INT256 with -1
        require(c != MIN_INT256 || (a & MIN_INT256) != (b & MIN_INT256));
        require((b == 0) || (c / b == a));
        return c;
    }

    /**
     * @dev Division of two int256 variables and fails on overflow.
     */
    function div(int256 a, int256 b) internal pure returns (int256) {
        // Prevent overflow when dividing MIN_INT256 by -1
        require(b != -1 || a != MIN_INT256);

        // Solidity already throws when dividing by 0.
        return a / b;
    }

    /**
     * @dev Subtracts two int256 variables and fails on overflow.
     */
    function sub(int256 a, int256 b) internal pure returns (int256) {
        int256 c = a - b;
        require((b >= 0 && c <= a) || (b < 0 && c > a));
        return c;
    }

    /**
     * @dev Adds two int256 variables and fails on overflow.
     */
    function add(int256 a, int256 b) internal pure returns (int256) {
        int256 c = a + b;
        require((b >= 0 && c >= a) || (b < 0 && c < a));
        return c;
    }

    /**
     * @dev Converts to absolute value, and fails on overflow.
     */
    function abs(int256 a) internal pure returns (int256) {
        require(a != MIN_INT256);
        return a < 0 ? -a : a;
    }

    /**
     * @dev Computes 2^exp with limited precision where -100 <= exp <= 100 * one
     * @param one 1.0 represented in the same fixed point number format as exp
     * @param exp The power to raise 2 to -100 <= exp <= 100 * one
     * @return 2^exp represented with same number of decimals after the point as one
     */
    function twoPower(int256 exp, int256 one) internal pure returns (int256) {
        bool reciprocal = false;
        if (exp < 0) {
            reciprocal = true;
            exp = abs(exp);
        }

        // Precomputed values for 2^(1/2^i) in 18 decimals fixed point numbers
        int256[5] memory ks = [
                            int256(1414213562373095049),
                    1189207115002721067,
                    1090507732665257659,
                    1044273782427413840,
                    1021897148654116678
            ];
        int256 whole = div(exp, one);
        require(whole <= 100);
        int256 result = mul(int256(uint256(1) << uint256(whole)), one);
        int256 remaining = sub(exp, mul(whole, one));

        int256 current = div(one, 2);
        for (uint256 i = 0; i < 5; i++) {
            if (remaining >= current) {
                remaining = sub(remaining, current);
                result = div(mul(result, ks[i]), 10**18); // 10**18 to match hardcoded ks values
            }
            current = div(current, 2);
        }
        if (reciprocal) {
            result = div(mul(one, one), result);
        }
        return result;
    }
}

File 9 of 17 : ERC20Burnable.sol
// SPDX-License-Identifier: MIT
// OpenZeppelin Contracts (last updated v5.0.0) (token/ERC20/extensions/ERC20Burnable.sol)

pragma solidity ^0.8.20;

import {ERC20} from "../ERC20.sol";
import {Context} from "../../../utils/Context.sol";

/**
 * @dev Extension of {ERC20} that allows token holders to destroy both their own
 * tokens and those that they have an allowance for, in a way that can be
 * recognized off-chain (via event analysis).
 */
abstract contract ERC20Burnable is Context, ERC20 {
    /**
     * @dev Destroys a `value` amount of tokens from the caller.
     *
     * See {ERC20-_burn}.
     */
    function burn(uint256 value) public virtual {
        _burn(_msgSender(), value);
    }

    /**
     * @dev Destroys a `value` amount of tokens from `account`, deducting from
     * the caller's allowance.
     *
     * See {ERC20-_burn} and {ERC20-allowance}.
     *
     * Requirements:
     *
     * - the caller must have allowance for ``accounts``'s tokens of at least
     * `value`.
     */
    function burnFrom(address account, uint256 value) public virtual {
        _spendAllowance(account, _msgSender(), value);
        _burn(account, value);
    }
}

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

pragma solidity ^0.8.20;

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

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

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

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

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

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

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

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

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

pragma solidity ^0.8.20;

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

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

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

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

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

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

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

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

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

pragma solidity ^0.8.20;

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

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

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

    uint256 private _totalSupply;

    string private _name;
    string private _symbol;

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

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

    /**
     * @dev Returns the symbol of the token, usually a shorter version of the
     * name.
     */
    function symbol() public view virtual returns (string memory) {
        return _symbol;
    }

    /**
     * @dev Returns the number of decimals used to get its user representation.
     * For example, if `decimals` equals `2`, a balance of `505` tokens should
     * be displayed to a user as `5.05` (`505 / 10 ** 2`).
     *
     * Tokens usually opt for a value of 18, imitating the relationship between
     * Ether and Wei. This is the default value returned by this function, unless
     * it's overridden.
     *
     * NOTE: This information is only used for _display_ purposes: it in
     * no way affects any of the arithmetic of the contract, including
     * {IERC20-balanceOf} and {IERC20-transfer}.
     */
    function decimals() public view virtual returns (uint8) {
        return 18;
    }

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

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

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

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

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

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

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

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

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

        emit Transfer(from, to, value);
    }

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

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

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

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

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

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

pragma solidity ^0.8.20;

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

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

pragma solidity ^0.8.20;

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

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

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

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

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

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

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

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

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

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

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

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

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

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

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

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

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

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

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

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

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

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

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

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

pragma solidity ^0.8.20;

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

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

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

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

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

pragma solidity ^0.8.20;

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

Settings
{
  "optimizer": {
    "enabled": true,
    "runs": 999999
  },
  "outputSelection": {
    "*": {
      "*": [
        "evm.bytecode",
        "evm.deployedBytecode",
        "devdoc",
        "userdoc",
        "metadata",
        "abi"
      ]
    }
  },
  "remappings": []
}

Contract Security Audit

Contract ABI

API
[{"inputs":[{"internalType":"string","name":"_name","type":"string"},{"internalType":"string","name":"_symbol","type":"string"}],"stateMutability":"nonpayable","type":"constructor"},{"inputs":[{"internalType":"address","name":"spender","type":"address"},{"internalType":"uint256","name":"allowance","type":"uint256"},{"internalType":"uint256","name":"needed","type":"uint256"}],"name":"ERC20InsufficientAllowance","type":"error"},{"inputs":[{"internalType":"address","name":"sender","type":"address"},{"internalType":"uint256","name":"balance","type":"uint256"},{"internalType":"uint256","name":"needed","type":"uint256"}],"name":"ERC20InsufficientBalance","type":"error"},{"inputs":[{"internalType":"address","name":"approver","type":"address"}],"name":"ERC20InvalidApprover","type":"error"},{"inputs":[{"internalType":"address","name":"receiver","type":"address"}],"name":"ERC20InvalidReceiver","type":"error"},{"inputs":[{"internalType":"address","name":"sender","type":"address"}],"name":"ERC20InvalidSender","type":"error"},{"inputs":[{"internalType":"address","name":"spender","type":"address"}],"name":"ERC20InvalidSpender","type":"error"},{"inputs":[{"internalType":"address","name":"owner","type":"address"}],"name":"OwnableInvalidOwner","type":"error"},{"inputs":[{"internalType":"address","name":"account","type":"address"}],"name":"OwnableUnauthorizedAccount","type":"error"},{"inputs":[{"internalType":"address","name":"token","type":"address"}],"name":"SafeERC20FailedOperation","type":"error"},{"anonymous":false,"inputs":[{"indexed":true,"internalType":"address","name":"owner","type":"address"},{"indexed":true,"internalType":"address","name":"spender","type":"address"},{"indexed":false,"internalType":"uint256","name":"value","type":"uint256"}],"name":"Approval","type":"event"},{"anonymous":false,"inputs":[{"indexed":false,"internalType":"address","name":"monetaryPolicy","type":"address"}],"name":"LogMonetaryPolicyUpdated","type":"event"},{"anonymous":false,"inputs":[{"indexed":true,"internalType":"uint256","name":"epoch","type":"uint256"},{"indexed":false,"internalType":"uint256","name":"totalSupply","type":"uint256"}],"name":"LogRebase","type":"event"},{"anonymous":false,"inputs":[{"indexed":true,"internalType":"address","name":"previousOperator","type":"address"},{"indexed":true,"internalType":"address","name":"newOperator","type":"address"}],"name":"OperatorTransferred","type":"event"},{"anonymous":false,"inputs":[{"indexed":true,"internalType":"address","name":"previousOwner","type":"address"},{"indexed":true,"internalType":"address","name":"newOwner","type":"address"}],"name":"OwnershipTransferred","type":"event"},{"anonymous":false,"inputs":[{"indexed":true,"internalType":"address","name":"from","type":"address"},{"indexed":true,"internalType":"address","name":"to","type":"address"},{"indexed":false,"internalType":"uint256","name":"value","type":"uint256"}],"name":"Transfer","type":"event"},{"inputs":[],"name":"DOMAIN_SEPARATOR","outputs":[{"internalType":"bytes32","name":"","type":"bytes32"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"EIP712_DOMAIN","outputs":[{"internalType":"bytes32","name":"","type":"bytes32"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"EIP712_REVISION","outputs":[{"internalType":"string","name":"","type":"string"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"PERMIT_TYPEHASH","outputs":[{"internalType":"bytes32","name":"","type":"bytes32"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"_renounceOperator","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"address","name":"owner_","type":"address"},{"internalType":"address","name":"spender","type":"address"}],"name":"allowance","outputs":[{"internalType":"uint256","name":"","type":"uint256"}],"stateMutability":"view","type":"function"},{"inputs":[{"internalType":"address","name":"spender","type":"address"},{"internalType":"uint256","name":"value","type":"uint256"}],"name":"approve","outputs":[{"internalType":"bool","name":"","type":"bool"}],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"address","name":"who","type":"address"}],"name":"balanceOf","outputs":[{"internalType":"uint256","name":"","type":"uint256"}],"stateMutability":"view","type":"function"},{"inputs":[{"internalType":"uint256","name":"value","type":"uint256"}],"name":"burn","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"address","name":"account","type":"address"},{"internalType":"uint256","name":"value","type":"uint256"}],"name":"burnFrom","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[],"name":"decimals","outputs":[{"internalType":"uint8","name":"","type":"uint8"}],"stateMutability":"pure","type":"function"},{"inputs":[{"internalType":"address","name":"spender","type":"address"},{"internalType":"uint256","name":"subtractedValue","type":"uint256"}],"name":"decreaseAllowance","outputs":[{"internalType":"bool","name":"","type":"bool"}],"stateMutability":"nonpayable","type":"function"},{"inputs":[],"name":"gonsPerFragment","outputs":[{"internalType":"uint256","name":"","type":"uint256"}],"stateMutability":"view","type":"function"},{"inputs":[{"internalType":"contract IERC20","name":"token","type":"address"},{"internalType":"uint256","name":"amount","type":"uint256"},{"internalType":"address","name":"to","type":"address"}],"name":"governanceRecoverUnsupported","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"address","name":"spender","type":"address"},{"internalType":"uint256","name":"addedValue","type":"uint256"}],"name":"increaseAllowance","outputs":[{"internalType":"bool","name":"","type":"bool"}],"stateMutability":"nonpayable","type":"function"},{"inputs":[],"name":"isOperator","outputs":[{"internalType":"bool","name":"","type":"bool"}],"stateMutability":"view","type":"function"},{"inputs":[{"internalType":"address","name":"recipient","type":"address"},{"internalType":"uint256","name":"amount","type":"uint256"}],"name":"mint","outputs":[{"internalType":"bool","name":"success","type":"bool"}],"stateMutability":"nonpayable","type":"function"},{"inputs":[],"name":"monetaryPolicy","outputs":[{"internalType":"address","name":"","type":"address"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"name","outputs":[{"internalType":"string","name":"","type":"string"}],"stateMutability":"view","type":"function"},{"inputs":[{"internalType":"address","name":"who","type":"address"}],"name":"nonces","outputs":[{"internalType":"uint256","name":"","type":"uint256"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"operator","outputs":[{"internalType":"address","name":"","type":"address"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"originalTotalSupply","outputs":[{"internalType":"uint256","name":"","type":"uint256"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"owner","outputs":[{"internalType":"address","name":"","type":"address"}],"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":[{"internalType":"uint256","name":"epoch","type":"uint256"},{"internalType":"int256","name":"supplyDelta","type":"int256"}],"name":"rebase","outputs":[{"internalType":"uint256","name":"","type":"uint256"}],"stateMutability":"nonpayable","type":"function"},{"inputs":[],"name":"renounceOwnership","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"address","name":"who","type":"address"}],"name":"scaledBalanceOf","outputs":[{"internalType":"uint256","name":"","type":"uint256"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"scaledTotalSupply","outputs":[{"internalType":"uint256","name":"","type":"uint256"}],"stateMutability":"pure","type":"function"},{"inputs":[{"internalType":"address","name":"monetaryPolicy_","type":"address"}],"name":"setMonetaryPolicy","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[],"name":"symbol","outputs":[{"internalType":"string","name":"","type":"string"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"totalBurned","outputs":[{"internalType":"uint256","name":"","type":"uint256"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"totalSupply","outputs":[{"internalType":"uint256","name":"","type":"uint256"}],"stateMutability":"view","type":"function"},{"inputs":[{"internalType":"address","name":"to","type":"address"},{"internalType":"uint256","name":"value","type":"uint256"}],"name":"transfer","outputs":[{"internalType":"bool","name":"","type":"bool"}],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"address","name":"to","type":"address"}],"name":"transferAll","outputs":[{"internalType":"bool","name":"","type":"bool"}],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"address","name":"from","type":"address"},{"internalType":"address","name":"to","type":"address"}],"name":"transferAllFrom","outputs":[{"internalType":"bool","name":"","type":"bool"}],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"address","name":"from","type":"address"},{"internalType":"address","name":"to","type":"address"},{"internalType":"uint256","name":"value","type":"uint256"}],"name":"transferFrom","outputs":[{"internalType":"bool","name":"","type":"bool"}],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"address","name":"newOperator_","type":"address"}],"name":"transferOperator","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"address","name":"newOwner","type":"address"}],"name":"transferOwnership","outputs":[],"stateMutability":"nonpayable","type":"function"}]

608060405234801561000f575f5ffd5b50604051612fbf380380612fbf83398101604081905261002e916102b3565b8181338282600361003f838261039c565b50600461004c828261039c565b5050506001600160a01b03811661007c57604051631e4fbdf760e01b81525f600482015260240160405180910390fd5b610085816101c5565b506100926009600a61054f565b61009f906207a120610561565b60078190556008556100b36009600a61054f565b6100c0906207a120610561565b6100d1906001600160dc1b0361058c565b6100e2906001600160dc1b0361059f565b335f908152600a6020819052604090912091909155600754906101079060099061054f565b610114906207a120610561565b610125906001600160dc1b0361058c565b610136906001600160dc1b0361059f565b61014091906105b2565b60095560085460405190815233905f907fddf252ad1be2c89b69c2b068fc378daa952ba7f163c4a11628f55a4df523b3ef9060200160405180910390a35050600e80546001600160a01b031916339081179091556040515f907f74da04524d50c64947f5dd5381ef1a4dca5cba8ed1d816243f9e48aa0b5617ed908290a350506105c5565b600580546001600160a01b038381166001600160a01b0319831681179093556040519116919082907f8be0079c531659141344cd1fd0a4f28419497f9722a3daafe3b4186f6b6457e0905f90a35050565b634e487b7160e01b5f52604160045260245ffd5b5f82601f830112610239575f5ffd5b81516001600160401b0381111561025257610252610216565b604051601f8201601f19908116603f011681016001600160401b038111828210171561028057610280610216565b604052818152838201602001851015610297575f5ffd5b8160208501602083015e5f918101602001919091529392505050565b5f5f604083850312156102c4575f5ffd5b82516001600160401b038111156102d9575f5ffd5b6102e58582860161022a565b602085015190935090506001600160401b03811115610302575f5ffd5b61030e8582860161022a565b9150509250929050565b600181811c9082168061032c57607f821691505b60208210810361034a57634e487b7160e01b5f52602260045260245ffd5b50919050565b601f82111561039757805f5260205f20601f840160051c810160208510156103755750805b601f840160051c820191505b81811015610394575f8155600101610381565b50505b505050565b81516001600160401b038111156103b5576103b5610216565b6103c9816103c38454610318565b84610350565b6020601f8211600181146103fb575f83156103e45750848201515b5f19600385901b1c1916600184901b178455610394565b5f84815260208120601f198516915b8281101561042a578785015182556020948501946001909201910161040a565b508482101561044757868401515f19600387901b60f8161c191681555b50505050600190811b01905550565b634e487b7160e01b5f52601160045260245ffd5b6001815b60018411156104a55780850481111561048957610489610456565b600184161561049757908102905b60019390931c92800261046e565b935093915050565b5f826104bb57506001610549565b816104c757505f610549565b81600181146104dd57600281146104e757610503565b6001915050610549565b60ff8411156104f8576104f8610456565b50506001821b610549565b5060208310610133831016604e8410600b8410161715610526575081810a610549565b6105325f19848461046a565b805f190482111561054557610545610456565b0290505b92915050565b5f61055a83836104ad565b9392505050565b808202811582820484141761054957610549610456565b634e487b7160e01b5f52601260045260245ffd5b5f8261059a5761059a610578565b500690565b8181038181111561054957610549610456565b5f826105c0576105c0610578565b500490565b6129ed806105d25f395ff3fe608060405234801561000f575f5ffd5b5060043610610283575f3560e01c80637a43e23f11610157578063a3a7e7f3116100d2578063d89135cd11610088578063df8f4eb71161006e578063df8f4eb7146105f0578063e1b11da4146105f8578063f2fde38b1461061f575f5ffd5b8063d89135cd146105a2578063dd62ed3e146105ab575f5ffd5b8063a9059cbb116100b8578063a9059cbb14610574578063b1bf962d14610587578063d505accf1461058f575f5ffd5b8063a3a7e7f31461054e578063a457c2d714610561575f5ffd5b80638a27f103116101275780638da5cb5b1161010d5780638da5cb5b146105085780638e27d7d71461052657806395d89b4114610546575f5ffd5b80638a27f103146104ed5780638b5a6a08146104f5575f5ffd5b80637a43e23f1461048a5780637ecebe001461049d5780637ed8f653146104d257806384d4b410146104da575f5ffd5b80633950935111610201578063570ca735116101b7578063715018a61161019d578063715018a614610433578063781603761461043b57806379cc679014610477575f5ffd5b8063570ca735146103e157806370a0823114610420575f5ffd5b806342966c68116101e757806342966c681461039b5780634456eda2146103ae57806354575af4146103ce575f5ffd5b8063395093511461037557806340c10f1914610388575f5ffd5b806323b872dd1161025657806330adf81f1161023c57806330adf81f14610337578063313ce5671461035e5780633644e5151461036d575f5ffd5b806323b872dd1461030f57806329605e7714610322575f5ffd5b806306fdde0314610287578063095ea7b3146102a557806318160ddd146102c85780631da24f3e146102da575b5f5ffd5b61028f610632565b60405161029c9190612531565b60405180910390f35b6102b86102b33660046125a5565b6106c2565b604051901515815260200161029c565b6008545b60405190815260200161029c565b6102cc6102e83660046125cf565b73ffffffffffffffffffffffffffffffffffffffff165f908152600a602052604090205490565b6102b861031d3660046125f1565b6106db565b6103356103303660046125cf565b610988565b005b6102cc7f6e71edae12b1b97f4d1f60370fef10105fa2faae0126114a169c64845d6126c981565b6040516009815260200161029c565b6102cc61099c565b6102b86103833660046125a5565b610a63565b6102b86103963660046125a5565b610b0d565b6103356103a936600461262f565b610be1565b600e5473ffffffffffffffffffffffffffffffffffffffff1633146102b8565b6103356103dc366004612646565b610beb565b600e5473ffffffffffffffffffffffffffffffffffffffff165b60405173ffffffffffffffffffffffffffffffffffffffff909116815260200161029c565b6102cc61042e3660046125cf565b610cbc565b610335610cef565b61028f6040518060400160405280600181526020017f310000000000000000000000000000000000000000000000000000000000000081525081565b6103356104853660046125a5565b610d02565b6102cc610498366004612685565b610d1b565b6102cc6104ab3660046125cf565b73ffffffffffffffffffffffffffffffffffffffff165f908152600c602052604090205490565b6009546102cc565b6102b86104e83660046126a5565b610fd6565b610335611247565b6103356105033660046125cf565b6112bd565b60055473ffffffffffffffffffffffffffffffffffffffff166103fb565b6006546103fb9073ffffffffffffffffffffffffffffffffffffffff1681565b61028f61133e565b6102b861055c3660046125cf565b61134d565b6102b861056f3660046125a5565b611564565b6102b86105823660046125a5565b61161d565b6102cc61162a565b61033561059d3660046126dc565b611695565b6102cc600d5481565b6102cc6105b93660046126a5565b73ffffffffffffffffffffffffffffffffffffffff9182165f908152600b6020908152604080832093909416825291909152205490565b6007546102cc565b6102cc7f8b73c3c69bb8fe3d512ecc4cf759cc79239f7b179b0ffacaa9a75d522b39400f81565b61033561062d3660046125cf565b6118c4565b6060600380546106419061274d565b80601f016020809104026020016040519081016040528092919081815260200182805461066d9061274d565b80156106b85780601f1061068f576101008083540402835291602001916106b8565b820191905f5260205f20905b81548152906001019060200180831161069b57829003601f168201915b5050505050905090565b5f336106cf818585611924565b60019150505b92915050565b5f8273ffffffffffffffffffffffffffffffffffffffff8116610785576040517f08c379a000000000000000000000000000000000000000000000000000000000815260206004820152602560248201527f55467261676d656e74733a20726563697069656e74206973207a65726f20616460448201527f647265737300000000000000000000000000000000000000000000000000000060648201526084015b60405180910390fd5b3073ffffffffffffffffffffffffffffffffffffffff82160361082a576040517f08c379a000000000000000000000000000000000000000000000000000000000815260206004820152602760248201527f55467261676d656e74733a20726563697069656e7420697320746f6b656e206360448201527f6f6e747261637400000000000000000000000000000000000000000000000000606482015260840161077c565b73ffffffffffffffffffffffffffffffffffffffff85165f908152600b602090815260408083203384529091529020546108659084906127c5565b73ffffffffffffffffffffffffffffffffffffffff86165f908152600b602090815260408083203384529091528120919091556009546108a590856127d8565b73ffffffffffffffffffffffffffffffffffffffff87165f908152600a60205260409020549091506108d89082906127c5565b73ffffffffffffffffffffffffffffffffffffffff8088165f908152600a602052604080822093909355908716815220546109149082906127ef565b73ffffffffffffffffffffffffffffffffffffffff8087165f818152600a602052604090819020939093559151908816907fddf252ad1be2c89b69c2b068fc378daa952ba7f163c4a11628f55a4df523b3ef906109749088815260200190565b60405180910390a350600195945050505050565b610990611931565b61099981611984565b50565b5f467f8b73c3c69bb8fe3d512ecc4cf759cc79239f7b179b0ffacaa9a75d522b39400f6109c7610632565b8051602091820120604080518082018252600181527f310000000000000000000000000000000000000000000000000000000000000090840152805192830193909352918101919091527fc89efdaa54c0f20c7adf612882df0950f5a951637e0307cdcb4c672f298b8bc66060820152608081018290523060a082015260c0016040516020818303038152906040528051906020012091505090565b335f908152600b6020908152604080832073ffffffffffffffffffffffffffffffffffffffff86168452909152812054610a9e9083906127ef565b335f818152600b6020908152604080832073ffffffffffffffffffffffffffffffffffffffff8916808552908352928190208590555193845290927f8c5be1e5ebec7d5bd14f71427d1e84f3dd0314c0f7b2291e5b200ac8c7c3b925910160405180910390a350600192915050565b600e545f9073ffffffffffffffffffffffffffffffffffffffff163314610bb5576040517f08c379a0000000000000000000000000000000000000000000000000000000008152602060048201526024808201527f6f70657261746f723a2063616c6c6572206973206e6f7420746865206f70657260448201527f61746f7200000000000000000000000000000000000000000000000000000000606482015260840161077c565b5f610bbf84610cbc565b9050610bcb8484611ab4565b5f610bd585610cbc565b91909111949350505050565b6109993382611b0e565b610bf3611931565b73ffffffffffffffffffffffffffffffffffffffff8116610c96576040517f08c379a000000000000000000000000000000000000000000000000000000000815260206004820152603060248201527f466f67456c6173746963546f6b656e3a2043616e6e6f74207472616e7366657260448201527f20746f207a65726f206164647265737300000000000000000000000000000000606482015260840161077c565b610cb773ffffffffffffffffffffffffffffffffffffffff84168284611b68565b505050565b60095473ffffffffffffffffffffffffffffffffffffffff82165f908152600a602052604081205490916106d59161282f565b610cf7611931565b610d005f611bf5565b565b610d0d823383611c6b565b610d178282611b0e565b5050565b6006545f9073ffffffffffffffffffffffffffffffffffffffff163314610dc4576040517f08c379a000000000000000000000000000000000000000000000000000000000815260206004820152602960248201527f55467261676d656e74733a2063616c6c6572206973206e6f74206d6f6e65746160448201527f727920706f6c6963790000000000000000000000000000000000000000000000606482015260840161077c565b815f03610e1057827f72725a3b1e5bd622d6bcd1339bb31279c351abe8f541ac7fd320f24e1b1641f2600854604051610dff91815260200190565b60405180910390a2506008546106d5565b5f821215610e7557600854600754610e2784611d39565b610e3191906127d8565b610e3b919061282f565b60075f828254610e4b91906127c5565b90915550610e5a905082611d39565b60085f828254610e6a91906127c5565b90915550610ebd9050565b600854600754610e8590846127d8565b610e8f919061282f565b60075f828254610e9f91906127ef565b925050819055508160085f828254610eb791906127ef565b90915550505b6007546fffffffffffffffffffffffffffffffff1015610f1f57600754610ef5906fffffffffffffffffffffffffffffffff906127c5565b60085f828254610f0591906127c5565b90915550506fffffffffffffffffffffffffffffffff6007555b600754610f2e6009600a612963565b610f3b906207a1206127d8565b610f61907b0fffffffffffffffffffffffffffffffffffffffffffffffffffffff61296e565b610f87907b0fffffffffffffffffffffffffffffffffffffffffffffffffffffff6127c5565b610f91919061282f565b60095560085460405190815283907f72725a3b1e5bd622d6bcd1339bb31279c351abe8f541ac7fd320f24e1b1641f29060200160405180910390a25060085492915050565b5f8173ffffffffffffffffffffffffffffffffffffffff811661107b576040517f08c379a000000000000000000000000000000000000000000000000000000000815260206004820152602560248201527f55467261676d656e74733a20726563697069656e74206973207a65726f20616460448201527f6472657373000000000000000000000000000000000000000000000000000000606482015260840161077c565b3073ffffffffffffffffffffffffffffffffffffffff821603611120576040517f08c379a000000000000000000000000000000000000000000000000000000000815260206004820152602760248201527f55467261676d656e74733a20726563697069656e7420697320746f6b656e206360448201527f6f6e747261637400000000000000000000000000000000000000000000000000606482015260840161077c565b73ffffffffffffffffffffffffffffffffffffffff84165f908152600a6020526040812054600954909190611155908361282f565b73ffffffffffffffffffffffffffffffffffffffff87165f908152600b602090815260408083203384529091529020549091506111939082906127c5565b73ffffffffffffffffffffffffffffffffffffffff8088165f818152600b60209081526040808320338452825280832095909555918152600a909152828120819055908716815220546111e79083906127ef565b73ffffffffffffffffffffffffffffffffffffffff8087165f818152600a602052604090819020939093559151908816907fddf252ad1be2c89b69c2b068fc378daa952ba7f163c4a11628f55a4df523b3ef906109749085815260200190565b61124f611931565b600e546040515f9173ffffffffffffffffffffffffffffffffffffffff16907f74da04524d50c64947f5dd5381ef1a4dca5cba8ed1d816243f9e48aa0b5617ed908390a3600e80547fffffffffffffffffffffffff0000000000000000000000000000000000000000169055565b6112c5611931565b600680547fffffffffffffffffffffffff00000000000000000000000000000000000000001673ffffffffffffffffffffffffffffffffffffffff83169081179091556040519081527f0e6961f1a1afb87eaf51fd64f22ddc10062e23aa7838eac5d0bdf140bfd389729060200160405180910390a150565b6060600480546106419061274d565b5f8173ffffffffffffffffffffffffffffffffffffffff81166113f2576040517f08c379a000000000000000000000000000000000000000000000000000000000815260206004820152602560248201527f55467261676d656e74733a20726563697069656e74206973207a65726f20616460448201527f6472657373000000000000000000000000000000000000000000000000000000606482015260840161077c565b3073ffffffffffffffffffffffffffffffffffffffff821603611497576040517f08c379a000000000000000000000000000000000000000000000000000000000815260206004820152602760248201527f55467261676d656e74733a20726563697069656e7420697320746f6b656e206360448201527f6f6e747261637400000000000000000000000000000000000000000000000000606482015260840161077c565b335f908152600a60205260408120546009549091906114b6908361282f565b335f908152600a602052604080822082905573ffffffffffffffffffffffffffffffffffffffff881682529020549091506114f29083906127ef565b73ffffffffffffffffffffffffffffffffffffffff86165f818152600a60205260409081902092909255905133907fddf252ad1be2c89b69c2b068fc378daa952ba7f163c4a11628f55a4df523b3ef9061154f9085815260200190565b60405180910390a36001935050505b50919050565b335f908152600b6020908152604080832073ffffffffffffffffffffffffffffffffffffffff86168452909152812054808310156115ab576115a683826127c5565b6115ad565b5f5b335f818152600b6020908152604080832073ffffffffffffffffffffffffffffffffffffffff8a16808552908352928190208590555193845290927f8c5be1e5ebec7d5bd14f71427d1e84f3dd0314c0f7b2291e5b200ac8c7c3b925910160405180910390a35060019392505050565b5f336106cf818585611d7b565b5f6116376009600a612963565b611644906207a1206127d8565b61166a907b0fffffffffffffffffffffffffffffffffffffffffffffffffffffff61296e565b611690907b0fffffffffffffffffffffffffffffffffffffffffffffffffffffff6127c5565b905090565b834211156116a1575f5ffd5b73ffffffffffffffffffffffffffffffffffffffff8781165f818152600c602090815260408083205481517f6e71edae12b1b97f4d1f60370fef10105fa2faae0126114a169c64845d6126c98185015280830195909552948b166060850152608084018a905260a0840185905260c08085018a90528151808603909101815260e0909401905282519201919091209061173861099c565b6040517f19010000000000000000000000000000000000000000000000000000000000006020820152602281019190915260428101839052606201604080517fffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffe081840301815282825280516020918201205f845290830180835281905260ff8916918301919091526060820187905260808201869052915060019060a0016020604051602081039080840390855afa1580156117f6573d5f5f3e3d5ffd5b5050506020604051035173ffffffffffffffffffffffffffffffffffffffff168a73ffffffffffffffffffffffffffffffffffffffff1614611836575f5ffd5b6118418360016127ef565b73ffffffffffffffffffffffffffffffffffffffff8b81165f818152600c6020908152604080832095909555600b8152848220938e16808352938152908490208c905592518b8152919290917f8c5be1e5ebec7d5bd14f71427d1e84f3dd0314c0f7b2291e5b200ac8c7c3b925910160405180910390a350505050505050505050565b6118cc611931565b73ffffffffffffffffffffffffffffffffffffffff811661191b576040517f1e4fbdf70000000000000000000000000000000000000000000000000000000081525f600482015260240161077c565b61099981611bf5565b610cb78383836001611e24565b60055473ffffffffffffffffffffffffffffffffffffffff163314610d00576040517f118cdaa700000000000000000000000000000000000000000000000000000000815233600482015260240161077c565b73ffffffffffffffffffffffffffffffffffffffff8116611a27576040517f08c379a000000000000000000000000000000000000000000000000000000000815260206004820152602d60248201527f6f70657261746f723a207a65726f206164647265737320676976656e20666f7260448201527f206e6577206f70657261746f7200000000000000000000000000000000000000606482015260840161077c565b600e5460405173ffffffffffffffffffffffffffffffffffffffff8084169216907f74da04524d50c64947f5dd5381ef1a4dca5cba8ed1d816243f9e48aa0b5617ed905f90a3600e80547fffffffffffffffffffffffff00000000000000000000000000000000000000001673ffffffffffffffffffffffffffffffffffffffff92909216919091179055565b73ffffffffffffffffffffffffffffffffffffffff8216611b03576040517fec442f050000000000000000000000000000000000000000000000000000000081525f600482015260240161077c565b610d175f8383611f69565b73ffffffffffffffffffffffffffffffffffffffff8216611b5d576040517f96c6fd1e0000000000000000000000000000000000000000000000000000000081525f600482015260240161077c565b610d17825f83611f69565b6040805173ffffffffffffffffffffffffffffffffffffffff8416602482015260448082018490528251808303909101815260649091019091526020810180517bffffffffffffffffffffffffffffffffffffffffffffffffffffffff167fa9059cbb00000000000000000000000000000000000000000000000000000000179052610cb7908490612492565b6005805473ffffffffffffffffffffffffffffffffffffffff8381167fffffffffffffffffffffffff0000000000000000000000000000000000000000831681179093556040519116919082907f8be0079c531659141344cd1fd0a4f28419497f9722a3daafe3b4186f6b6457e0905f90a35050565b73ffffffffffffffffffffffffffffffffffffffff8084165f908152600b60209081526040808320938616835292905220547fffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffff811015611d335781811015611d25576040517ffb8f41b200000000000000000000000000000000000000000000000000000000815273ffffffffffffffffffffffffffffffffffffffff84166004820152602481018290526044810183905260640161077c565b611d3384848484035f611e24565b50505050565b5f7f80000000000000000000000000000000000000000000000000000000000000008201611d65575f5ffd5b5f8212611d7257816106d5565b6106d582612981565b73ffffffffffffffffffffffffffffffffffffffff8316611dca576040517f96c6fd1e0000000000000000000000000000000000000000000000000000000081525f600482015260240161077c565b73ffffffffffffffffffffffffffffffffffffffff8216611e19576040517fec442f050000000000000000000000000000000000000000000000000000000081525f600482015260240161077c565b610cb7838383611f69565b73ffffffffffffffffffffffffffffffffffffffff8416611e73576040517fe602df050000000000000000000000000000000000000000000000000000000081525f600482015260240161077c565b73ffffffffffffffffffffffffffffffffffffffff8316611ec2576040517f94280d620000000000000000000000000000000000000000000000000000000081525f600482015260240161077c565b73ffffffffffffffffffffffffffffffffffffffff8085165f908152600b602090815260408083209387168352929052208290558015611d33578273ffffffffffffffffffffffffffffffffffffffff168473ffffffffffffffffffffffffffffffffffffffff167f8c5be1e5ebec7d5bd14f71427d1e84f3dd0314c0f7b2291e5b200ac8c7c3b92584604051611f5b91815260200190565b60405180910390a350505050565b6fffffffffffffffffffffffffffffffff8110612008576040517f08c379a000000000000000000000000000000000000000000000000000000000815260206004820152602560248201527f55467261676d656e74733a205472616e7366657220616d6f756e7420746f6f2060448201527f6c61726765000000000000000000000000000000000000000000000000000000606482015260840161077c565b73ffffffffffffffffffffffffffffffffffffffff83166121e45773ffffffffffffffffffffffffffffffffffffffff82166120c6576040517f08c379a000000000000000000000000000000000000000000000000000000000815260206004820152602e60248201527f55467261676d656e74733a20496e76616c6964207472616e736665722066726f60448201527f6d207a65726f20746f207a65726f000000000000000000000000000000000000606482015260840161077c565b8060085f8282546120d791906127ef565b90915550506008546fffffffffffffffffffffffffffffffff101561217e576040517f08c379a000000000000000000000000000000000000000000000000000000000815260206004820152602160248201527f55467261676d656e74733a204d696e7420616d6f756e7420746f6f206c61726760448201527f6500000000000000000000000000000000000000000000000000000000000000606482015260840161077c565b60095461218b90826127d8565b73ffffffffffffffffffffffffffffffffffffffff83165f908152600a60205260409020546121ba91906127ef565b73ffffffffffffffffffffffffffffffffffffffff83165f908152600a6020526040902055612426565b73ffffffffffffffffffffffffffffffffffffffff8216612381575f61220984610cbc565b90508181101561226b576040517fe450d38c00000000000000000000000000000000000000000000000000000000815273ffffffffffffffffffffffffffffffffffffffff85166004820152602481018290526044810183905260640161077c565b60095461227890836127d8565b73ffffffffffffffffffffffffffffffffffffffff85165f908152600a60205260409020546122a791906127c5565b73ffffffffffffffffffffffffffffffffffffffff85165f908152600a6020526040902055600880548381039091558203612364576040517f08c379a000000000000000000000000000000000000000000000000000000000815260206004820152602160248201527f55467261676d656e74733a204275726e20616d6f756e7420746f6f206c61726760448201527f6500000000000000000000000000000000000000000000000000000000000000606482015260840161077c565b81600d5f82825461237591906127ef565b90915550612426915050565b5f6009548261239091906127d8565b73ffffffffffffffffffffffffffffffffffffffff85165f908152600a60205260409020549091506123c39082906127c5565b73ffffffffffffffffffffffffffffffffffffffff8086165f908152600a602052604080822093909355908516815220546123ff9082906127ef565b73ffffffffffffffffffffffffffffffffffffffff84165f908152600a6020526040902055505b8173ffffffffffffffffffffffffffffffffffffffff168373ffffffffffffffffffffffffffffffffffffffff167fddf252ad1be2c89b69c2b068fc378daa952ba7f163c4a11628f55a4df523b3ef8360405161248591815260200190565b60405180910390a3505050565b5f5f60205f8451602086015f885af1806124b1576040513d5f823e3d81fd5b50505f513d915081156124c85780600114156124e2565b73ffffffffffffffffffffffffffffffffffffffff84163b155b15611d33576040517f5274afe700000000000000000000000000000000000000000000000000000000815273ffffffffffffffffffffffffffffffffffffffff8516600482015260240161077c565b602081525f82518060208401528060208501604085015e5f6040828501015260407fffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffe0601f83011684010191505092915050565b73ffffffffffffffffffffffffffffffffffffffff81168114610999575f5ffd5b5f5f604083850312156125b6575f5ffd5b82356125c181612584565b946020939093013593505050565b5f602082840312156125df575f5ffd5b81356125ea81612584565b9392505050565b5f5f5f60608486031215612603575f5ffd5b833561260e81612584565b9250602084013561261e81612584565b929592945050506040919091013590565b5f6020828403121561263f575f5ffd5b5035919050565b5f5f5f60608486031215612658575f5ffd5b833561266381612584565b925060208401359150604084013561267a81612584565b809150509250925092565b5f5f60408385031215612696575f5ffd5b50508035926020909101359150565b5f5f604083850312156126b6575f5ffd5b82356126c181612584565b915060208301356126d181612584565b809150509250929050565b5f5f5f5f5f5f5f60e0888a0312156126f2575f5ffd5b87356126fd81612584565b9650602088013561270d81612584565b95506040880135945060608801359350608088013560ff81168114612730575f5ffd5b9699959850939692959460a0840135945060c09093013592915050565b600181811c9082168061276157607f821691505b60208210810361155e577f4e487b71000000000000000000000000000000000000000000000000000000005f52602260045260245ffd5b7f4e487b71000000000000000000000000000000000000000000000000000000005f52601160045260245ffd5b818103818111156106d5576106d5612798565b80820281158282048414176106d5576106d5612798565b808201808211156106d5576106d5612798565b7f4e487b71000000000000000000000000000000000000000000000000000000005f52601260045260245ffd5b5f8261283d5761283d612802565b500490565b6001815b600184111561287d5780850481111561286157612861612798565b600184161561286f57908102905b60019390931c928002612846565b935093915050565b5f82612893575060016106d5565b8161289f57505f6106d5565b81600181146128b557600281146128bf576128db565b60019150506106d5565b60ff8411156128d0576128d0612798565b50506001821b6106d5565b5060208310610133831016604e8410600b84101617156128fe575081810a6106d5565b6129297fffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffff8484612842565b807fffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffff0482111561295b5761295b612798565b029392505050565b5f6125ea8383612885565b5f8261297c5761297c612802565b500690565b5f7f800000000000000000000000000000000000000000000000000000000000000082036129b1576129b1612798565b505f039056fea26469706673582212209247dfcd0fa50639eaf298dc859f44eb523971d16c9a4aa8d206ef7de8c0c30164736f6c634300081c0033000000000000000000000000000000000000000000000000000000000000004000000000000000000000000000000000000000000000000000000000000000800000000000000000000000000000000000000000000000000000000000000006666f67484f470000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000466484f4700000000000000000000000000000000000000000000000000000000

Deployed Bytecode

0x608060405234801561000f575f5ffd5b5060043610610283575f3560e01c80637a43e23f11610157578063a3a7e7f3116100d2578063d89135cd11610088578063df8f4eb71161006e578063df8f4eb7146105f0578063e1b11da4146105f8578063f2fde38b1461061f575f5ffd5b8063d89135cd146105a2578063dd62ed3e146105ab575f5ffd5b8063a9059cbb116100b8578063a9059cbb14610574578063b1bf962d14610587578063d505accf1461058f575f5ffd5b8063a3a7e7f31461054e578063a457c2d714610561575f5ffd5b80638a27f103116101275780638da5cb5b1161010d5780638da5cb5b146105085780638e27d7d71461052657806395d89b4114610546575f5ffd5b80638a27f103146104ed5780638b5a6a08146104f5575f5ffd5b80637a43e23f1461048a5780637ecebe001461049d5780637ed8f653146104d257806384d4b410146104da575f5ffd5b80633950935111610201578063570ca735116101b7578063715018a61161019d578063715018a614610433578063781603761461043b57806379cc679014610477575f5ffd5b8063570ca735146103e157806370a0823114610420575f5ffd5b806342966c68116101e757806342966c681461039b5780634456eda2146103ae57806354575af4146103ce575f5ffd5b8063395093511461037557806340c10f1914610388575f5ffd5b806323b872dd1161025657806330adf81f1161023c57806330adf81f14610337578063313ce5671461035e5780633644e5151461036d575f5ffd5b806323b872dd1461030f57806329605e7714610322575f5ffd5b806306fdde0314610287578063095ea7b3146102a557806318160ddd146102c85780631da24f3e146102da575b5f5ffd5b61028f610632565b60405161029c9190612531565b60405180910390f35b6102b86102b33660046125a5565b6106c2565b604051901515815260200161029c565b6008545b60405190815260200161029c565b6102cc6102e83660046125cf565b73ffffffffffffffffffffffffffffffffffffffff165f908152600a602052604090205490565b6102b861031d3660046125f1565b6106db565b6103356103303660046125cf565b610988565b005b6102cc7f6e71edae12b1b97f4d1f60370fef10105fa2faae0126114a169c64845d6126c981565b6040516009815260200161029c565b6102cc61099c565b6102b86103833660046125a5565b610a63565b6102b86103963660046125a5565b610b0d565b6103356103a936600461262f565b610be1565b600e5473ffffffffffffffffffffffffffffffffffffffff1633146102b8565b6103356103dc366004612646565b610beb565b600e5473ffffffffffffffffffffffffffffffffffffffff165b60405173ffffffffffffffffffffffffffffffffffffffff909116815260200161029c565b6102cc61042e3660046125cf565b610cbc565b610335610cef565b61028f6040518060400160405280600181526020017f310000000000000000000000000000000000000000000000000000000000000081525081565b6103356104853660046125a5565b610d02565b6102cc610498366004612685565b610d1b565b6102cc6104ab3660046125cf565b73ffffffffffffffffffffffffffffffffffffffff165f908152600c602052604090205490565b6009546102cc565b6102b86104e83660046126a5565b610fd6565b610335611247565b6103356105033660046125cf565b6112bd565b60055473ffffffffffffffffffffffffffffffffffffffff166103fb565b6006546103fb9073ffffffffffffffffffffffffffffffffffffffff1681565b61028f61133e565b6102b861055c3660046125cf565b61134d565b6102b861056f3660046125a5565b611564565b6102b86105823660046125a5565b61161d565b6102cc61162a565b61033561059d3660046126dc565b611695565b6102cc600d5481565b6102cc6105b93660046126a5565b73ffffffffffffffffffffffffffffffffffffffff9182165f908152600b6020908152604080832093909416825291909152205490565b6007546102cc565b6102cc7f8b73c3c69bb8fe3d512ecc4cf759cc79239f7b179b0ffacaa9a75d522b39400f81565b61033561062d3660046125cf565b6118c4565b6060600380546106419061274d565b80601f016020809104026020016040519081016040528092919081815260200182805461066d9061274d565b80156106b85780601f1061068f576101008083540402835291602001916106b8565b820191905f5260205f20905b81548152906001019060200180831161069b57829003601f168201915b5050505050905090565b5f336106cf818585611924565b60019150505b92915050565b5f8273ffffffffffffffffffffffffffffffffffffffff8116610785576040517f08c379a000000000000000000000000000000000000000000000000000000000815260206004820152602560248201527f55467261676d656e74733a20726563697069656e74206973207a65726f20616460448201527f647265737300000000000000000000000000000000000000000000000000000060648201526084015b60405180910390fd5b3073ffffffffffffffffffffffffffffffffffffffff82160361082a576040517f08c379a000000000000000000000000000000000000000000000000000000000815260206004820152602760248201527f55467261676d656e74733a20726563697069656e7420697320746f6b656e206360448201527f6f6e747261637400000000000000000000000000000000000000000000000000606482015260840161077c565b73ffffffffffffffffffffffffffffffffffffffff85165f908152600b602090815260408083203384529091529020546108659084906127c5565b73ffffffffffffffffffffffffffffffffffffffff86165f908152600b602090815260408083203384529091528120919091556009546108a590856127d8565b73ffffffffffffffffffffffffffffffffffffffff87165f908152600a60205260409020549091506108d89082906127c5565b73ffffffffffffffffffffffffffffffffffffffff8088165f908152600a602052604080822093909355908716815220546109149082906127ef565b73ffffffffffffffffffffffffffffffffffffffff8087165f818152600a602052604090819020939093559151908816907fddf252ad1be2c89b69c2b068fc378daa952ba7f163c4a11628f55a4df523b3ef906109749088815260200190565b60405180910390a350600195945050505050565b610990611931565b61099981611984565b50565b5f467f8b73c3c69bb8fe3d512ecc4cf759cc79239f7b179b0ffacaa9a75d522b39400f6109c7610632565b8051602091820120604080518082018252600181527f310000000000000000000000000000000000000000000000000000000000000090840152805192830193909352918101919091527fc89efdaa54c0f20c7adf612882df0950f5a951637e0307cdcb4c672f298b8bc66060820152608081018290523060a082015260c0016040516020818303038152906040528051906020012091505090565b335f908152600b6020908152604080832073ffffffffffffffffffffffffffffffffffffffff86168452909152812054610a9e9083906127ef565b335f818152600b6020908152604080832073ffffffffffffffffffffffffffffffffffffffff8916808552908352928190208590555193845290927f8c5be1e5ebec7d5bd14f71427d1e84f3dd0314c0f7b2291e5b200ac8c7c3b925910160405180910390a350600192915050565b600e545f9073ffffffffffffffffffffffffffffffffffffffff163314610bb5576040517f08c379a0000000000000000000000000000000000000000000000000000000008152602060048201526024808201527f6f70657261746f723a2063616c6c6572206973206e6f7420746865206f70657260448201527f61746f7200000000000000000000000000000000000000000000000000000000606482015260840161077c565b5f610bbf84610cbc565b9050610bcb8484611ab4565b5f610bd585610cbc565b91909111949350505050565b6109993382611b0e565b610bf3611931565b73ffffffffffffffffffffffffffffffffffffffff8116610c96576040517f08c379a000000000000000000000000000000000000000000000000000000000815260206004820152603060248201527f466f67456c6173746963546f6b656e3a2043616e6e6f74207472616e7366657260448201527f20746f207a65726f206164647265737300000000000000000000000000000000606482015260840161077c565b610cb773ffffffffffffffffffffffffffffffffffffffff84168284611b68565b505050565b60095473ffffffffffffffffffffffffffffffffffffffff82165f908152600a602052604081205490916106d59161282f565b610cf7611931565b610d005f611bf5565b565b610d0d823383611c6b565b610d178282611b0e565b5050565b6006545f9073ffffffffffffffffffffffffffffffffffffffff163314610dc4576040517f08c379a000000000000000000000000000000000000000000000000000000000815260206004820152602960248201527f55467261676d656e74733a2063616c6c6572206973206e6f74206d6f6e65746160448201527f727920706f6c6963790000000000000000000000000000000000000000000000606482015260840161077c565b815f03610e1057827f72725a3b1e5bd622d6bcd1339bb31279c351abe8f541ac7fd320f24e1b1641f2600854604051610dff91815260200190565b60405180910390a2506008546106d5565b5f821215610e7557600854600754610e2784611d39565b610e3191906127d8565b610e3b919061282f565b60075f828254610e4b91906127c5565b90915550610e5a905082611d39565b60085f828254610e6a91906127c5565b90915550610ebd9050565b600854600754610e8590846127d8565b610e8f919061282f565b60075f828254610e9f91906127ef565b925050819055508160085f828254610eb791906127ef565b90915550505b6007546fffffffffffffffffffffffffffffffff1015610f1f57600754610ef5906fffffffffffffffffffffffffffffffff906127c5565b60085f828254610f0591906127c5565b90915550506fffffffffffffffffffffffffffffffff6007555b600754610f2e6009600a612963565b610f3b906207a1206127d8565b610f61907b0fffffffffffffffffffffffffffffffffffffffffffffffffffffff61296e565b610f87907b0fffffffffffffffffffffffffffffffffffffffffffffffffffffff6127c5565b610f91919061282f565b60095560085460405190815283907f72725a3b1e5bd622d6bcd1339bb31279c351abe8f541ac7fd320f24e1b1641f29060200160405180910390a25060085492915050565b5f8173ffffffffffffffffffffffffffffffffffffffff811661107b576040517f08c379a000000000000000000000000000000000000000000000000000000000815260206004820152602560248201527f55467261676d656e74733a20726563697069656e74206973207a65726f20616460448201527f6472657373000000000000000000000000000000000000000000000000000000606482015260840161077c565b3073ffffffffffffffffffffffffffffffffffffffff821603611120576040517f08c379a000000000000000000000000000000000000000000000000000000000815260206004820152602760248201527f55467261676d656e74733a20726563697069656e7420697320746f6b656e206360448201527f6f6e747261637400000000000000000000000000000000000000000000000000606482015260840161077c565b73ffffffffffffffffffffffffffffffffffffffff84165f908152600a6020526040812054600954909190611155908361282f565b73ffffffffffffffffffffffffffffffffffffffff87165f908152600b602090815260408083203384529091529020549091506111939082906127c5565b73ffffffffffffffffffffffffffffffffffffffff8088165f818152600b60209081526040808320338452825280832095909555918152600a909152828120819055908716815220546111e79083906127ef565b73ffffffffffffffffffffffffffffffffffffffff8087165f818152600a602052604090819020939093559151908816907fddf252ad1be2c89b69c2b068fc378daa952ba7f163c4a11628f55a4df523b3ef906109749085815260200190565b61124f611931565b600e546040515f9173ffffffffffffffffffffffffffffffffffffffff16907f74da04524d50c64947f5dd5381ef1a4dca5cba8ed1d816243f9e48aa0b5617ed908390a3600e80547fffffffffffffffffffffffff0000000000000000000000000000000000000000169055565b6112c5611931565b600680547fffffffffffffffffffffffff00000000000000000000000000000000000000001673ffffffffffffffffffffffffffffffffffffffff83169081179091556040519081527f0e6961f1a1afb87eaf51fd64f22ddc10062e23aa7838eac5d0bdf140bfd389729060200160405180910390a150565b6060600480546106419061274d565b5f8173ffffffffffffffffffffffffffffffffffffffff81166113f2576040517f08c379a000000000000000000000000000000000000000000000000000000000815260206004820152602560248201527f55467261676d656e74733a20726563697069656e74206973207a65726f20616460448201527f6472657373000000000000000000000000000000000000000000000000000000606482015260840161077c565b3073ffffffffffffffffffffffffffffffffffffffff821603611497576040517f08c379a000000000000000000000000000000000000000000000000000000000815260206004820152602760248201527f55467261676d656e74733a20726563697069656e7420697320746f6b656e206360448201527f6f6e747261637400000000000000000000000000000000000000000000000000606482015260840161077c565b335f908152600a60205260408120546009549091906114b6908361282f565b335f908152600a602052604080822082905573ffffffffffffffffffffffffffffffffffffffff881682529020549091506114f29083906127ef565b73ffffffffffffffffffffffffffffffffffffffff86165f818152600a60205260409081902092909255905133907fddf252ad1be2c89b69c2b068fc378daa952ba7f163c4a11628f55a4df523b3ef9061154f9085815260200190565b60405180910390a36001935050505b50919050565b335f908152600b6020908152604080832073ffffffffffffffffffffffffffffffffffffffff86168452909152812054808310156115ab576115a683826127c5565b6115ad565b5f5b335f818152600b6020908152604080832073ffffffffffffffffffffffffffffffffffffffff8a16808552908352928190208590555193845290927f8c5be1e5ebec7d5bd14f71427d1e84f3dd0314c0f7b2291e5b200ac8c7c3b925910160405180910390a35060019392505050565b5f336106cf818585611d7b565b5f6116376009600a612963565b611644906207a1206127d8565b61166a907b0fffffffffffffffffffffffffffffffffffffffffffffffffffffff61296e565b611690907b0fffffffffffffffffffffffffffffffffffffffffffffffffffffff6127c5565b905090565b834211156116a1575f5ffd5b73ffffffffffffffffffffffffffffffffffffffff8781165f818152600c602090815260408083205481517f6e71edae12b1b97f4d1f60370fef10105fa2faae0126114a169c64845d6126c98185015280830195909552948b166060850152608084018a905260a0840185905260c08085018a90528151808603909101815260e0909401905282519201919091209061173861099c565b6040517f19010000000000000000000000000000000000000000000000000000000000006020820152602281019190915260428101839052606201604080517fffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffe081840301815282825280516020918201205f845290830180835281905260ff8916918301919091526060820187905260808201869052915060019060a0016020604051602081039080840390855afa1580156117f6573d5f5f3e3d5ffd5b5050506020604051035173ffffffffffffffffffffffffffffffffffffffff168a73ffffffffffffffffffffffffffffffffffffffff1614611836575f5ffd5b6118418360016127ef565b73ffffffffffffffffffffffffffffffffffffffff8b81165f818152600c6020908152604080832095909555600b8152848220938e16808352938152908490208c905592518b8152919290917f8c5be1e5ebec7d5bd14f71427d1e84f3dd0314c0f7b2291e5b200ac8c7c3b925910160405180910390a350505050505050505050565b6118cc611931565b73ffffffffffffffffffffffffffffffffffffffff811661191b576040517f1e4fbdf70000000000000000000000000000000000000000000000000000000081525f600482015260240161077c565b61099981611bf5565b610cb78383836001611e24565b60055473ffffffffffffffffffffffffffffffffffffffff163314610d00576040517f118cdaa700000000000000000000000000000000000000000000000000000000815233600482015260240161077c565b73ffffffffffffffffffffffffffffffffffffffff8116611a27576040517f08c379a000000000000000000000000000000000000000000000000000000000815260206004820152602d60248201527f6f70657261746f723a207a65726f206164647265737320676976656e20666f7260448201527f206e6577206f70657261746f7200000000000000000000000000000000000000606482015260840161077c565b600e5460405173ffffffffffffffffffffffffffffffffffffffff8084169216907f74da04524d50c64947f5dd5381ef1a4dca5cba8ed1d816243f9e48aa0b5617ed905f90a3600e80547fffffffffffffffffffffffff00000000000000000000000000000000000000001673ffffffffffffffffffffffffffffffffffffffff92909216919091179055565b73ffffffffffffffffffffffffffffffffffffffff8216611b03576040517fec442f050000000000000000000000000000000000000000000000000000000081525f600482015260240161077c565b610d175f8383611f69565b73ffffffffffffffffffffffffffffffffffffffff8216611b5d576040517f96c6fd1e0000000000000000000000000000000000000000000000000000000081525f600482015260240161077c565b610d17825f83611f69565b6040805173ffffffffffffffffffffffffffffffffffffffff8416602482015260448082018490528251808303909101815260649091019091526020810180517bffffffffffffffffffffffffffffffffffffffffffffffffffffffff167fa9059cbb00000000000000000000000000000000000000000000000000000000179052610cb7908490612492565b6005805473ffffffffffffffffffffffffffffffffffffffff8381167fffffffffffffffffffffffff0000000000000000000000000000000000000000831681179093556040519116919082907f8be0079c531659141344cd1fd0a4f28419497f9722a3daafe3b4186f6b6457e0905f90a35050565b73ffffffffffffffffffffffffffffffffffffffff8084165f908152600b60209081526040808320938616835292905220547fffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffff811015611d335781811015611d25576040517ffb8f41b200000000000000000000000000000000000000000000000000000000815273ffffffffffffffffffffffffffffffffffffffff84166004820152602481018290526044810183905260640161077c565b611d3384848484035f611e24565b50505050565b5f7f80000000000000000000000000000000000000000000000000000000000000008201611d65575f5ffd5b5f8212611d7257816106d5565b6106d582612981565b73ffffffffffffffffffffffffffffffffffffffff8316611dca576040517f96c6fd1e0000000000000000000000000000000000000000000000000000000081525f600482015260240161077c565b73ffffffffffffffffffffffffffffffffffffffff8216611e19576040517fec442f050000000000000000000000000000000000000000000000000000000081525f600482015260240161077c565b610cb7838383611f69565b73ffffffffffffffffffffffffffffffffffffffff8416611e73576040517fe602df050000000000000000000000000000000000000000000000000000000081525f600482015260240161077c565b73ffffffffffffffffffffffffffffffffffffffff8316611ec2576040517f94280d620000000000000000000000000000000000000000000000000000000081525f600482015260240161077c565b73ffffffffffffffffffffffffffffffffffffffff8085165f908152600b602090815260408083209387168352929052208290558015611d33578273ffffffffffffffffffffffffffffffffffffffff168473ffffffffffffffffffffffffffffffffffffffff167f8c5be1e5ebec7d5bd14f71427d1e84f3dd0314c0f7b2291e5b200ac8c7c3b92584604051611f5b91815260200190565b60405180910390a350505050565b6fffffffffffffffffffffffffffffffff8110612008576040517f08c379a000000000000000000000000000000000000000000000000000000000815260206004820152602560248201527f55467261676d656e74733a205472616e7366657220616d6f756e7420746f6f2060448201527f6c61726765000000000000000000000000000000000000000000000000000000606482015260840161077c565b73ffffffffffffffffffffffffffffffffffffffff83166121e45773ffffffffffffffffffffffffffffffffffffffff82166120c6576040517f08c379a000000000000000000000000000000000000000000000000000000000815260206004820152602e60248201527f55467261676d656e74733a20496e76616c6964207472616e736665722066726f60448201527f6d207a65726f20746f207a65726f000000000000000000000000000000000000606482015260840161077c565b8060085f8282546120d791906127ef565b90915550506008546fffffffffffffffffffffffffffffffff101561217e576040517f08c379a000000000000000000000000000000000000000000000000000000000815260206004820152602160248201527f55467261676d656e74733a204d696e7420616d6f756e7420746f6f206c61726760448201527f6500000000000000000000000000000000000000000000000000000000000000606482015260840161077c565b60095461218b90826127d8565b73ffffffffffffffffffffffffffffffffffffffff83165f908152600a60205260409020546121ba91906127ef565b73ffffffffffffffffffffffffffffffffffffffff83165f908152600a6020526040902055612426565b73ffffffffffffffffffffffffffffffffffffffff8216612381575f61220984610cbc565b90508181101561226b576040517fe450d38c00000000000000000000000000000000000000000000000000000000815273ffffffffffffffffffffffffffffffffffffffff85166004820152602481018290526044810183905260640161077c565b60095461227890836127d8565b73ffffffffffffffffffffffffffffffffffffffff85165f908152600a60205260409020546122a791906127c5565b73ffffffffffffffffffffffffffffffffffffffff85165f908152600a6020526040902055600880548381039091558203612364576040517f08c379a000000000000000000000000000000000000000000000000000000000815260206004820152602160248201527f55467261676d656e74733a204275726e20616d6f756e7420746f6f206c61726760448201527f6500000000000000000000000000000000000000000000000000000000000000606482015260840161077c565b81600d5f82825461237591906127ef565b90915550612426915050565b5f6009548261239091906127d8565b73ffffffffffffffffffffffffffffffffffffffff85165f908152600a60205260409020549091506123c39082906127c5565b73ffffffffffffffffffffffffffffffffffffffff8086165f908152600a602052604080822093909355908516815220546123ff9082906127ef565b73ffffffffffffffffffffffffffffffffffffffff84165f908152600a6020526040902055505b8173ffffffffffffffffffffffffffffffffffffffff168373ffffffffffffffffffffffffffffffffffffffff167fddf252ad1be2c89b69c2b068fc378daa952ba7f163c4a11628f55a4df523b3ef8360405161248591815260200190565b60405180910390a3505050565b5f5f60205f8451602086015f885af1806124b1576040513d5f823e3d81fd5b50505f513d915081156124c85780600114156124e2565b73ffffffffffffffffffffffffffffffffffffffff84163b155b15611d33576040517f5274afe700000000000000000000000000000000000000000000000000000000815273ffffffffffffffffffffffffffffffffffffffff8516600482015260240161077c565b602081525f82518060208401528060208501604085015e5f6040828501015260407fffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffe0601f83011684010191505092915050565b73ffffffffffffffffffffffffffffffffffffffff81168114610999575f5ffd5b5f5f604083850312156125b6575f5ffd5b82356125c181612584565b946020939093013593505050565b5f602082840312156125df575f5ffd5b81356125ea81612584565b9392505050565b5f5f5f60608486031215612603575f5ffd5b833561260e81612584565b9250602084013561261e81612584565b929592945050506040919091013590565b5f6020828403121561263f575f5ffd5b5035919050565b5f5f5f60608486031215612658575f5ffd5b833561266381612584565b925060208401359150604084013561267a81612584565b809150509250925092565b5f5f60408385031215612696575f5ffd5b50508035926020909101359150565b5f5f604083850312156126b6575f5ffd5b82356126c181612584565b915060208301356126d181612584565b809150509250929050565b5f5f5f5f5f5f5f60e0888a0312156126f2575f5ffd5b87356126fd81612584565b9650602088013561270d81612584565b95506040880135945060608801359350608088013560ff81168114612730575f5ffd5b9699959850939692959460a0840135945060c09093013592915050565b600181811c9082168061276157607f821691505b60208210810361155e577f4e487b71000000000000000000000000000000000000000000000000000000005f52602260045260245ffd5b7f4e487b71000000000000000000000000000000000000000000000000000000005f52601160045260245ffd5b818103818111156106d5576106d5612798565b80820281158282048414176106d5576106d5612798565b808201808211156106d5576106d5612798565b7f4e487b71000000000000000000000000000000000000000000000000000000005f52601260045260245ffd5b5f8261283d5761283d612802565b500490565b6001815b600184111561287d5780850481111561286157612861612798565b600184161561286f57908102905b60019390931c928002612846565b935093915050565b5f82612893575060016106d5565b8161289f57505f6106d5565b81600181146128b557600281146128bf576128db565b60019150506106d5565b60ff8411156128d0576128d0612798565b50506001821b6106d5565b5060208310610133831016604e8410600b84101617156128fe575081810a6106d5565b6129297fffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffff8484612842565b807fffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffff0482111561295b5761295b612798565b029392505050565b5f6125ea8383612885565b5f8261297c5761297c612802565b500690565b5f7f800000000000000000000000000000000000000000000000000000000000000082036129b1576129b1612798565b505f039056fea26469706673582212209247dfcd0fa50639eaf298dc859f44eb523971d16c9a4aa8d206ef7de8c0c30164736f6c634300081c0033

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

000000000000000000000000000000000000000000000000000000000000004000000000000000000000000000000000000000000000000000000000000000800000000000000000000000000000000000000000000000000000000000000006666f67484f470000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000466484f4700000000000000000000000000000000000000000000000000000000

-----Decoded View---------------
Arg [0] : _name (string): fogHOG
Arg [1] : _symbol (string): fHOG

-----Encoded View---------------
6 Constructor Arguments found :
Arg [0] : 0000000000000000000000000000000000000000000000000000000000000040
Arg [1] : 0000000000000000000000000000000000000000000000000000000000000080
Arg [2] : 0000000000000000000000000000000000000000000000000000000000000006
Arg [3] : 666f67484f470000000000000000000000000000000000000000000000000000
Arg [4] : 0000000000000000000000000000000000000000000000000000000000000004
Arg [5] : 66484f4700000000000000000000000000000000000000000000000000000000


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