ETH Price: $3,385.32 (+6.07%)
Gas: 24 Gwei

Token

Chain Scouts (CS)
 

Overview

Max Total Supply

6,888 CS

Holders

998

Market

Volume (24H)

N/A

Min Price (24H)

N/A

Max Price (24H)

N/A
Filtered by Token Holder
schemics.eth
Balance
1 CS
0xfa39bfdcd939eec27025622ef32cf9bae44d6819
Loading...
Loading
Loading...
Loading
Loading...
Loading

OVERVIEW

6888 on-chain genesis Chain Scouts exploring the metaverse. Staking available immediately at launch.

# Exchange Pair Price  24H Volume % Volume
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:
ChainScouts

Compiler Version
v0.8.9+commit.e5eed63a

Optimization Enabled:
Yes with 200 runs

Other Settings:
default evmVersion
File 1 of 30 : ChainScouts.sol
//SPDX-License-Identifier: MIT
pragma solidity ^0.8.0;

import "./BaseTokenURIProvider.sol";
import "./ChainScoutMetadata.sol";
import "./ExtensibleERC721Enumerable.sol";
import "./Generator.sol";
import "./IChainScouts.sol";
import "./IUtilityERC20.sol";
import "./MerkleWhitelistERC721Enumerable.sol";
import "./Rng.sol";

contract ChainScouts is IChainScouts, MerkleWhitelistERC721Enumerable {
    using RngLibrary for Rng;

    mapping (string => ChainScoutsExtension) public extensions;
    Rng private rng = RngLibrary.newRng();
    mapping (uint => ChainScoutMetadata) internal tokenIdToMetadata;
    uint private _mintPriceWei = 0.068 ether;

    event MetadataChanged(uint tokenId);

    constructor(Payee[] memory payees, bytes32 merkleRoot)
    ERC721A("Chain Scouts", "CS")
    MerkleWhitelistERC721Enumerable(
        payees,        // _payees
        5,             // max mints per tx
        6888,          // supply
        3,             // max wl mints
        merkleRoot     // wl merkle root
    ) {}

    function adminCreateChainScout(ChainScoutMetadata calldata tbd, address owner) external override onlyAdmin {
        require(totalSupply() < maxSupply, "ChainScouts: totalSupply >= maxSupply");
        uint tokenId = _currentIndex;
        _mint(owner, 1, "", false);
        tokenIdToMetadata[tokenId] = tbd;
    }

    function adminSetChainScoutMetadata(uint tokenId, ChainScoutMetadata calldata tbd) external override onlyAdmin {
        tokenIdToMetadata[tokenId] = tbd;
        emit MetadataChanged(tokenId);
    }

    function adminRemoveExtension(string calldata key) external override onlyAdmin {
        delete extensions[key];
    }

    function adminSetExtension(string calldata key, ChainScoutsExtension extension) external override onlyAdmin {
        extensions[key] = extension;
    }

    function adminSetMintPriceWei(uint max) external onlyAdmin {
        _mintPriceWei = max;
    }

    function getChainScoutMetadata(uint tokenId) external view override returns (ChainScoutMetadata memory) {
        return tokenIdToMetadata[tokenId];
    }

    function createMetadataForMintedToken(uint tokenId) internal override {
        (tokenIdToMetadata[tokenId], rng) = Generator.getRandomMetadata(rng);
    }

    function tokenURI(uint tokenId) public override view returns (string memory) {
        return BaseTokenURIProvider(address(extensions["tokenUri"])).tokenURI(tokenId);
    }

    function mintPriceWei() public view override returns (uint) {
        return _mintPriceWei;
    }

    function whitelistMintAndStake(bytes32[] calldata proof, uint count) external payable returns (uint) {
        uint start = whitelistMint(proof, count);

        uint[] memory ids = new uint[](count);
        for (uint i = 0; i < count; ++i) {
            ids[i] = start + i;
        }

        IUtilityERC20(address(extensions["token"])).stake(ids);

        return start;
    }

    function publicMintAndStake(uint count) external payable returns (uint) {
        uint start = publicMint(count);

        uint[] memory ids = new uint[](count);
        for (uint i = 0; i < count; ++i) {
            ids[i] = start + i;
        }

        IUtilityERC20(address(extensions["token"])).stake(ids);

        return start;
    }
}

File 2 of 30 : BaseTokenURIProvider.sol
//SPDX-License-Identifier: MIT
pragma solidity ^0.8.0;

import "./ITokenURIProvider.sol";
import "./OpenSeaMetadata.sol";
import "./ChainScoutsExtension.sol";
import "@openzeppelin/contracts/utils/Strings.sol";

/**
 * Base class for all Token URI providers. Giving a new implementation of this class allows you to change how the metadata is created.
 */
abstract contract BaseTokenURIProvider is ITokenURIProvider, ChainScoutsExtension {
    string private baseName;
    string private defaultDescription;
    mapping (uint => string) private names;
    mapping (uint => string) private descriptions;

    constructor(string memory _baseName, string memory _defaultDescription) {
        baseName = _baseName;
        defaultDescription = _defaultDescription;
    }

    modifier stringIsJsonSafe(string memory str) {
        bytes memory b = bytes(str);
        for (uint i = 0; i < b.length; ++i) {
            uint8 char = uint8(b[i]);
            //              0-9                         A-Z                         a-z                   space
            if (!(char >= 48 && char <= 57 || char >= 65 && char <= 90 || char >= 97 && char <= 122 || char == 32)) {
                revert("BaseTokenURIProvider: All chars must be spaces or alphanumeric");
            }
        }
        _;
    }

    /**
     * @dev Sets the description of a token on OpenSea.
     * Must be an admin or the owner of the token.
     * 
     * The description may only contain A-Z, a-z, 0-9, or spaces.
     */
    function setDescription(uint tokenId, string memory description) external canAccessToken(tokenId) stringIsJsonSafe(description) {
        descriptions[tokenId] = description;
    }

    /**
     * @dev Sets the description of a token on OpenSea.
     * Must be an admin or the owner of the token.
     * 
     * The name may only contain A-Z, a-z, 0-9, or spaces.
     */
    function setName(uint tokenId, string memory name) external canAccessToken(tokenId) stringIsJsonSafe(name) {
        names[tokenId] = name;
    }

    /**
     * @dev Gets the background color of the given token ID as it appears on OpenSea.
     */
    function tokenBgColor(uint tokenId) internal view virtual returns (uint24);

    /**
     * @dev Gets the SVG of the given token ID.
     */
    function tokenSvg(uint tokenId) public view virtual returns (string memory);

    /**
     * @dev Gets the OpenSea attributes of the given token ID.
     */
    function tokenAttributes(uint tokenId) internal view virtual returns (Attribute[] memory);

    /**
     * @dev Gets the OpenSea token URI of the given token ID.
     */
    function tokenURI(uint tokenId) external view override returns (string memory) {
        string memory name = names[tokenId];
        if (bytes(name).length == 0) {
            name = string(abi.encodePacked(
                baseName,
                " #",
                Strings.toString(tokenId)
            ));
        }

        string memory description = descriptions[tokenId];
        if (bytes(description).length == 0) {
            description = defaultDescription;
        }

        return OpenSeaMetadataLibrary.makeMetadata(OpenSeaMetadata(
            tokenSvg(tokenId),
            description,
            name,
            tokenBgColor(tokenId),
            tokenAttributes(tokenId)
        ));
    }
}

File 3 of 30 : ChainScoutMetadata.sol
//SPDX-License-Identifier: MIT
pragma solidity ^0.8.0;

import "./Enums.sol";

struct KeyValuePair {
    string key;
    string value;
}

struct ChainScoutMetadata {
    Accessory accessory;
    BackAccessory backaccessory;
    Background background;
    Clothing clothing;
    Eyes eyes;
    Fur fur;
    Head head;
    Mouth mouth;
    uint24 attack;
    uint24 defense;
    uint24 luck;
    uint24 speed;
    uint24 strength;
    uint24 intelligence;
    uint16 level;
}

File 4 of 30 : ExtensibleERC721Enumerable.sol
//SPDX-License-Identifier: MIT
pragma solidity ^0.8.0;

import "erc721a/contracts/ERC721A.sol";
import "./IExtensibleERC721Enumerable.sol";
// for opensea ownership
import "@openzeppelin/contracts/access/Ownable.sol";

abstract contract ExtensibleERC721Enumerable is IExtensibleERC721Enumerable, ERC721A, Ownable {
    mapping (address => bool) public override isAdmin;
    bool public enabled = true;

    constructor() {
        isAdmin[msg.sender] = true;
    }

    modifier onlyAdmin() {
        require(isAdmin[msg.sender], "ExtensibleERC721Enumerable: admins only");
        _;
    }

    modifier whenEnabled() {
        require(enabled, "ExtensibleERC721Enumerable: currently disabled");
        _;
    }

    function addAdmin(address addr) external override onlyAdmin {
        isAdmin[addr] = true;
    }

    function removeAdmin(address addr) external override onlyAdmin {
        delete isAdmin[addr];
    }

    function adminSetEnabled(bool e) external onlyAdmin {
        enabled = e;
    }

    function canAccessToken(address addr, uint tokenId) public view override returns (bool) {
        return isAdmin[addr] || ownerOf(tokenId) == addr || address(this) == addr;
    }

    function isApprovedForAll(address owner, address operator) public view virtual override(IERC721, ERC721A) returns (bool) {
        return isAdmin[operator] || super.isApprovedForAll(owner, operator);
    }

    function transferFrom(address from, address to, uint tokenId) public override(IERC721, ERC721A) whenEnabled {
        super.transferFrom(from, to, tokenId);
    }

    function safeTransferFrom(address from, address to, uint tokenId) public override(IERC721, ERC721A) whenEnabled {
        super.safeTransferFrom(from, to, tokenId, "");
    }

    function safeTransferFrom(address from, address to, uint tokenId, bytes calldata data) public override(IERC721, ERC721A) whenEnabled {
        super.safeTransferFrom(from, to, tokenId, data);
    }

    function adminBurn(uint tokenId) external override onlyAdmin whenEnabled {
        _burn(tokenId);
    }

    function adminTransfer(address from, address to, uint tokenId) external override whenEnabled {
        require(canAccessToken(msg.sender, tokenId), "ExtensibleERC721Enumerable: you are not allowed to perform this transfer");
        super.transferFrom(from, to, tokenId);
    }
}

File 5 of 30 : Generator.sol
//SPDX-License-Identifier: MIT
pragma solidity ^0.8.0;

import "./Enums.sol";
import "./Rarities.sol";
import "./Rng.sol";
import "./ChainScoutMetadata.sol";

library Generator {
    using RngLibrary for Rng;

    function getRandom(
        Rng memory rng,
        uint256 raritySum,
        uint16[] memory rarities
    ) internal view returns (uint256) {
        uint256 rn = rng.generate(0, raritySum - 1);

        for (uint256 i = 0; i < rarities.length; ++i) {
            if (rarities[i] > rn) {
                return i;
            }
            rn -= rarities[i];
        }
        revert("rn not selected");
    }

    function makeRandomClass(Rng memory rn)
        internal
        view
        returns (BackAccessory)
    {
        uint256 r = rn.generate(1, 100);

        if (r <= 2) {
            return BackAccessory.NETRUNNER;
        } else if (r <= 15) {
            return BackAccessory.MERCENARY;
        } else if (r <= 23) {
            return BackAccessory.RONIN;
        } else if (r <= 27) {
            return BackAccessory.ENCHANTER;
        } else if (r <= 38) {
            return BackAccessory.VANGUARD;
        } else if (r <= 45) {
            return BackAccessory.MINER;
        } else if (r <= 50) {
            return BackAccessory.PATHFINDER;
        } else {
            return BackAccessory.SCOUT;
        }
    }

    function getAttack(Rng memory rn, BackAccessory sc)
        internal
        view
        returns (uint256)
    {
        if (sc == BackAccessory.SCOUT) {
            return rn.generate(1785, 2415);
        } else if (sc == BackAccessory.VANGUARD) {
            return rn.generate(1105, 1495);
        } else if (sc == BackAccessory.RONIN || sc == BackAccessory.ENCHANTER) {
            return rn.generate(2805, 3795);
        } else if (sc == BackAccessory.MINER) {
            return rn.generate(1615, 2185);
        } else if (sc == BackAccessory.NETRUNNER) {
            return rn.generate(3740, 5060);
        } else {
            return rn.generate(2125, 2875);
        }
    }

    function getDefense(Rng memory rn, BackAccessory sc)
        internal
        view
        returns (uint256)
    {
        if (sc == BackAccessory.SCOUT || sc == BackAccessory.NETRUNNER) {
            return rn.generate(1785, 2415);
        } else if (sc == BackAccessory.VANGUARD) {
            return rn.generate(4250, 5750);
        } else if (sc == BackAccessory.RONIN) {
            return rn.generate(1530, 2070);
        } else if (sc == BackAccessory.MINER) {
            return rn.generate(1615, 2185);
        } else if (sc == BackAccessory.ENCHANTER) {
            return rn.generate(2805, 3795);
        } else if (sc == BackAccessory.NETRUNNER) {
            return rn.generate(3740, 5060);
        } else {
            return rn.generate(2125, 2875);
        }
    }

    function exclude(uint trait, uint idx, uint16[][] memory rarities, uint16[] memory limits) internal pure {
        limits[trait] -= rarities[trait][idx];
        rarities[trait][idx] = 0;
    }

    function getRandomMetadata(Rng memory rng)
        external 
        view
        returns (ChainScoutMetadata memory ret, Rng memory rn)
    {
        uint16[][] memory rarities = new uint16[][](8);
        rarities[0] = Rarities.accessory();
        rarities[1] = Rarities.backaccessory();
        rarities[2] = Rarities.background();
        rarities[3] = Rarities.clothing();
        rarities[4] = Rarities.eyes();
        rarities[5] = Rarities.fur();
        rarities[6] = Rarities.head();
        rarities[7] = Rarities.mouth();

        uint16[] memory limits = new uint16[](rarities.length);
        for (uint i = 0; i < limits.length; ++i) {
            limits[i] = 10000;
        }

        // excluded traits are less likely than advertised because if an excluding trait is selected, the excluded trait's chance drops to 0%
        // one alternative is a while loop that will use wildly varying amounts of gas, which is unacceptable
        // another alternative is to boost the chance of excluded traits proportionally to the chance that they get excluded, but this will cause the excluded traits to be disproportionately likely in the event that they are not excluded
        ret.accessory = Accessory(getRandom(rng, limits[0], rarities[0]));
        if (
            ret.accessory == Accessory.AMULET ||
            ret.accessory == Accessory.CUBAN_LINK_GOLD_CHAIN ||
            ret.accessory == Accessory.FANNY_PACK ||
            ret.accessory == Accessory.GOLDEN_CHAIN
        ) {
            exclude(3, uint(Clothing.FLEET_UNIFORM__BLUE), rarities, limits);
            exclude(3, uint(Clothing.FLEET_UNIFORM__RED), rarities, limits);

            if (ret.accessory == Accessory.CUBAN_LINK_GOLD_CHAIN) {
                exclude(1, uint(BackAccessory.MINER), rarities, limits);
            }
        }
        else if (ret.accessory == Accessory.GOLD_EARRINGS) {
            exclude(6, uint(Head.CYBER_HELMET__BLUE), rarities, limits);
            exclude(6, uint(Head.CYBER_HELMET__RED), rarities, limits);
            exclude(6, uint(Head.SPACESUIT_HELMET), rarities, limits);
        }

        ret.backaccessory = BackAccessory(getRandom(rng, limits[1], rarities[1]));
        if (ret.backaccessory == BackAccessory.PATHFINDER) {
            exclude(6, uint(Head.ENERGY_FIELD), rarities, limits);
        }

        ret.background = Background(getRandom(rng, limits[2], rarities[2]));
        if (ret.background == Background.CITY__PURPLE) {
            exclude(3, uint(Clothing.FLEET_UNIFORM__BLUE), rarities, limits);
            exclude(3, uint(Clothing.MARTIAL_SUIT), rarities, limits);
            exclude(3, uint(Clothing.THUNDERDOME_ARMOR), rarities, limits);
            exclude(6, uint(Head.ENERGY_FIELD), rarities, limits);
        }
        else if (ret.background == Background.CITY__RED) {
            exclude(6, uint(Head.ENERGY_FIELD), rarities, limits);
        }

        ret.clothing = Clothing(getRandom(rng, limits[3], rarities[3]));
        if (ret.clothing == Clothing.FLEET_UNIFORM__BLUE || ret.clothing == Clothing.FLEET_UNIFORM__RED) {
            exclude(7, uint(Mouth.CHROME_RESPIRATOR), rarities, limits);
            exclude(7, uint(Mouth.GREEN_RESPIRATOR), rarities, limits);
            exclude(7, uint(Mouth.MAGENTA_RESPIRATOR), rarities, limits);
            exclude(7, uint(Mouth.NAVY_RESPIRATOR), rarities, limits);
            exclude(7, uint(Mouth.RED_RESPIRATOR), rarities, limits);
        }

        ret.eyes = Eyes(getRandom(rng, limits[4], rarities[4]));
        if (ret.eyes == Eyes.BLUE_LASER || ret.eyes == Eyes.RED_LASER) {
            exclude(6, uint(Head.BANDANA), rarities, limits);
            exclude(6, uint(Head.CYBER_HELMET__BLUE), rarities, limits);
            exclude(6, uint(Head.CYBER_HELMET__RED), rarities, limits);
            exclude(6, uint(Head.DORAG), rarities, limits);
            exclude(6, uint(Head.SPACESUIT_HELMET), rarities, limits);
            exclude(7, uint(Mouth.BANANA), rarities, limits);
            exclude(7, uint(Mouth.CHROME_RESPIRATOR), rarities, limits);
            exclude(7, uint(Mouth.GREEN_RESPIRATOR), rarities, limits);
            exclude(7, uint(Mouth.MAGENTA_RESPIRATOR), rarities, limits);
            exclude(7, uint(Mouth.MASK), rarities, limits);
            exclude(7, uint(Mouth.MEMPO), rarities, limits);
            exclude(7, uint(Mouth.NAVY_RESPIRATOR), rarities, limits);
            exclude(7, uint(Mouth.PILOT_OXYGEN_MASK), rarities, limits);
            exclude(7, uint(Mouth.RED_RESPIRATOR), rarities, limits);
        }
        else if (ret.eyes == Eyes.BLUE_SHADES || ret.eyes == Eyes.DARK_SUNGLASSES || ret.eyes == Eyes.GOLDEN_SHADES) {
            exclude(6, uint(Head.SPACESUIT_HELMET), rarities, limits);
            exclude(7, uint(Mouth.CHROME_RESPIRATOR), rarities, limits);
            exclude(7, uint(Mouth.GREEN_RESPIRATOR), rarities, limits);
            exclude(7, uint(Mouth.MAGENTA_RESPIRATOR), rarities, limits);
            exclude(7, uint(Mouth.MASK), rarities, limits);
            exclude(7, uint(Mouth.NAVY_RESPIRATOR), rarities, limits);
            exclude(7, uint(Mouth.RED_RESPIRATOR), rarities, limits);
        }
        else if (ret.eyes == Eyes.HUD_GLASSES || ret.eyes == Eyes.HIVE_GOGGLES || ret.eyes == Eyes.WHITE_SUNGLASSES) {
            exclude(6, uint(Head.DORAG), rarities, limits);
            exclude(6, uint(Head.HEADBAND), rarities, limits);
            exclude(6, uint(Head.SPACESUIT_HELMET), rarities, limits);
        }
        else if (ret.eyes == Eyes.HAPPY) {
            exclude(6, uint(Head.CAP), rarities, limits);
            exclude(6, uint(Head.LEATHER_COWBOY_HAT), rarities, limits);
            exclude(6, uint(Head.PURPLE_COWBOY_HAT), rarities, limits);
        }
        else if (ret.eyes == Eyes.HIPSTER_GLASSES) {
            exclude(6, uint(Head.BANDANA), rarities, limits);
            exclude(6, uint(Head.CYBER_HELMET__BLUE), rarities, limits);
            exclude(6, uint(Head.CYBER_HELMET__RED), rarities, limits);
            exclude(6, uint(Head.DORAG), rarities, limits);
            exclude(6, uint(Head.HEADBAND), rarities, limits);
            exclude(6, uint(Head.SPACESUIT_HELMET), rarities, limits);
            exclude(7, uint(Mouth.CHROME_RESPIRATOR), rarities, limits);
            exclude(7, uint(Mouth.GREEN_RESPIRATOR), rarities, limits);
            exclude(7, uint(Mouth.MAGENTA_RESPIRATOR), rarities, limits);
            exclude(7, uint(Mouth.MASK), rarities, limits);
            exclude(7, uint(Mouth.MEMPO), rarities, limits);
            exclude(7, uint(Mouth.NAVY_RESPIRATOR), rarities, limits);
            exclude(7, uint(Mouth.RED_RESPIRATOR), rarities, limits);
        }
        else if (ret.eyes == Eyes.MATRIX_GLASSES || ret.eyes == Eyes.NIGHT_VISION_GOGGLES || ret.eyes == Eyes.SUNGLASSES) {
            exclude(6, uint(Head.SPACESUIT_HELMET), rarities, limits);
        }
        else if (ret.eyes == Eyes.NOUNS_GLASSES) {
            exclude(6, uint(Head.BANDANA), rarities, limits);
            exclude(6, uint(Head.DORAG), rarities, limits);
            exclude(6, uint(Head.HEADBAND), rarities, limits);
            exclude(6, uint(Head.SPACESUIT_HELMET), rarities, limits);
            exclude(7, uint(Mouth.CHROME_RESPIRATOR), rarities, limits);
            exclude(7, uint(Mouth.GREEN_RESPIRATOR), rarities, limits);
            exclude(7, uint(Mouth.MAGENTA_RESPIRATOR), rarities, limits);
            exclude(7, uint(Mouth.MASK), rarities, limits);
            exclude(7, uint(Mouth.MEMPO), rarities, limits);
            exclude(7, uint(Mouth.NAVY_RESPIRATOR), rarities, limits);
            exclude(7, uint(Mouth.PILOT_OXYGEN_MASK), rarities, limits);
            exclude(7, uint(Mouth.RED_RESPIRATOR), rarities, limits);
        }
        else if (ret.eyes == Eyes.PINCENEZ) {
            exclude(6, uint(Head.SPACESUIT_HELMET), rarities, limits);
            exclude(7, uint(Mouth.MASK), rarities, limits);
            exclude(7, uint(Mouth.MEMPO), rarities, limits);
        }
        else if (ret.eyes == Eyes.SPACE_VISOR) {
            exclude(6, uint(Head.DORAG), rarities, limits);
            exclude(6, uint(Head.HEADBAND), rarities, limits);
            exclude(6, uint(Head.SPACESUIT_HELMET), rarities, limits);
            exclude(7, uint(Mouth.CHROME_RESPIRATOR), rarities, limits);
            exclude(7, uint(Mouth.GREEN_RESPIRATOR), rarities, limits);
            exclude(7, uint(Mouth.MAGENTA_RESPIRATOR), rarities, limits);
            exclude(7, uint(Mouth.MEMPO), rarities, limits);
            exclude(7, uint(Mouth.NAVY_RESPIRATOR), rarities, limits);
            exclude(7, uint(Mouth.RED_RESPIRATOR), rarities, limits);
        }

        ret.fur = Fur(getRandom(rng, limits[5], rarities[5]));

        ret.head = Head(getRandom(rng, limits[6], rarities[6]));

        if (ret.head == Head.BANDANA || ret.head == Head.DORAG) {
            exclude(7, uint(Mouth.CHROME_RESPIRATOR), rarities, limits);
            exclude(7, uint(Mouth.GREEN_RESPIRATOR), rarities, limits);
            exclude(7, uint(Mouth.MAGENTA_RESPIRATOR), rarities, limits);
            exclude(7, uint(Mouth.NAVY_RESPIRATOR), rarities, limits);
            exclude(7, uint(Mouth.RED_RESPIRATOR), rarities, limits);
        }
        else if (ret.head == Head.CYBER_HELMET__BLUE || ret.head == Head.CYBER_HELMET__RED || ret.head == Head.SPACESUIT_HELMET) {
            exclude(7, uint(Mouth.BANANA), rarities, limits);
            exclude(7, uint(Mouth.CHROME_RESPIRATOR), rarities, limits);
            exclude(7, uint(Mouth.CIGAR), rarities, limits);
            exclude(7, uint(Mouth.GREEN_RESPIRATOR), rarities, limits);
            exclude(7, uint(Mouth.MAGENTA_RESPIRATOR), rarities, limits);
            exclude(7, uint(Mouth.MEMPO), rarities, limits);
            exclude(7, uint(Mouth.NAVY_RESPIRATOR), rarities, limits);
            exclude(7, uint(Mouth.PILOT_OXYGEN_MASK), rarities, limits);
            exclude(7, uint(Mouth.PIPE), rarities, limits);
            exclude(7, uint(Mouth.RED_RESPIRATOR), rarities, limits);
            exclude(7, uint(Mouth.VAPE), rarities, limits);
        }
        // not else. spacesuit helmet includes the above
        if (ret.head == Head.SPACESUIT_HELMET) {
            exclude(7, uint(Mouth.MASK), rarities, limits);
        }

        ret.mouth = Mouth(getRandom(rng, limits[7], rarities[7]));

        ret.attack = uint16(getAttack(rng, ret.backaccessory));
        ret.defense = uint16(getDefense(rng, ret.backaccessory));
        ret.luck = uint16(rng.generate(500, 5000));
        ret.speed = uint16(rng.generate(500, 5000));
        ret.strength = uint16(rng.generate(500, 5000));
        ret.intelligence = uint16(rng.generate(500, 5000));
        ret.level = 1;

        rn = rng;
    }
}

File 6 of 30 : IChainScouts.sol
//SPDX-License-Identifier: MIT
pragma solidity ^0.8.0;

import "./IExtensibleERC721Enumerable.sol";
import "./ChainScoutsExtension.sol";
import "./ChainScoutMetadata.sol";

interface IChainScouts is IExtensibleERC721Enumerable {
    function adminCreateChainScout(
        ChainScoutMetadata calldata tbd,
        address owner
    ) external;

    function adminRemoveExtension(string calldata key) external;

    function adminSetExtension(
        string calldata key,
        ChainScoutsExtension extension
    ) external;

    function adminSetChainScoutMetadata(
        uint256 tokenId,
        ChainScoutMetadata calldata tbd
    ) external;

    function getChainScoutMetadata(uint256 tokenId)
        external
        view
        returns (ChainScoutMetadata memory);
}

File 7 of 30 : IUtilityERC20.sol
//SPDX-License-Identifier: MIT
pragma solidity ^0.8.0;

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

interface IUtilityERC20 is IERC20 {
    function adminMint(address owner, uint amountWei) external;

    function adminSetTokenTimestamp(uint tokenId, uint timestamp) external;

    function burn(address owner, uint amountWei) external;

    function claimRewards() external;

    function stake(uint[] calldata tokenId) external;
}

File 8 of 30 : MerkleWhitelistERC721Enumerable.sol
//SPDX-License-Identifier: MIT
pragma solidity ^0.8.0;

import "./ExtensibleERC721Enumerable.sol";
import "@openzeppelin/contracts/utils/Address.sol";
import "@openzeppelin/contracts/utils/cryptography/MerkleProof.sol";

enum MintingState {
    NOT_ALLOWED,
    WHITELIST_ONLY,
    PUBLIC
}

struct Payee {
    address payable addr;
    uint16 ratio;
}

abstract contract MerkleWhitelistERC721Enumerable is ExtensibleERC721Enumerable {
    mapping (address => uint) public whitelistMintsUsed;
    MintingState public mintingState = MintingState.NOT_ALLOWED;
    uint public maxMintPerTx;
    uint public maxSupply;
    uint public maxWhitelistMints;
    bytes32 internal root;
    address payable[] internal payeeAddresses;
    uint16[] internal payeeRatios;
    uint internal totalRatio;

    event MintingStateChanged(MintingState oldState, MintingState newState);

    constructor(Payee[] memory _payees, uint _maxMintPerTx, uint _maxSupply, uint _maxWhitelistMints, bytes32 _root) {
        maxMintPerTx = _maxMintPerTx;
        maxSupply = _maxSupply;
        maxWhitelistMints = _maxWhitelistMints;
        root = _root;
        payeeAddresses = new address payable[](_payees.length);
        payeeRatios = new uint16[](_payees.length);

        for (uint i = 0; i < _payees.length; ++i) {
            payeeAddresses[i] = _payees[i].addr;
            payeeRatios[i] = _payees[i].ratio;
            totalRatio += _payees[i].ratio;
        }
        if (totalRatio == 0) {
            revert("Total payee ratio must be > 0");
        }
    }

    function adminSetMaxPerTx(uint max) external onlyAdmin {
        maxMintPerTx = max;
    }

    /*
    function adminSetMaxSupply(uint max) external onlyAdmin {
        maxSupply = max;
    }
    */

    function adminSetMintingState(MintingState ms) external onlyAdmin {
        emit MintingStateChanged(mintingState, ms);
        mintingState = ms;
    }

    function adminSetMaxWhitelistMints(uint max) external onlyAdmin {
        maxWhitelistMints = max;
    }

    function adminSetMerkleRoot(bytes32 _root) external onlyAdmin {
        root = _root;
    }

    function isWhitelisted(bytes32[] calldata proof, address addr) public view returns (bool) {
        bytes32 leaf = keccak256(abi.encodePacked(addr));
        return MerkleProof.verify(proof, root, leaf);
    }

    function distributeFunds() internal virtual {
        address payable[] memory a = payeeAddresses;
        uint16[] memory r = payeeRatios;

        uint origValue = msg.value;
        uint remainingValue = msg.value;

        for (uint i = 0; i < a.length - 1; ++i) {
            uint amount = origValue * r[i] / totalRatio;
            Address.sendValue(a[i], amount);
            remainingValue -= amount;
        }
        Address.sendValue(a[a.length - 1], remainingValue);
    }

    function createMetadataForMintedToken(uint tokenId) internal virtual;

    function mintPriceWei() public view virtual returns (uint);

    function whitelistMint(bytes32[] calldata proof, uint count) public payable returns (uint) {
        require(mintingState == MintingState.WHITELIST_ONLY, "Whitelist minting is not allowed atm");
        require(isWhitelisted(proof, msg.sender), "Bad whitelist proof");
        require(maxWhitelistMints - whitelistMintsUsed[msg.sender] >= count, "Not enough whitelisted mints");
        whitelistMintsUsed[msg.sender] += count;

        return internalMint(count);
    }

    function publicMint(uint count) public payable returns (uint) {
        if (!isAdmin[msg.sender]) {
            require(mintingState == MintingState.PUBLIC, "Public minting is not allowed atm");
            require(count <= maxMintPerTx, "Cannot mint more than maxMintPerTx()");
        }
        return internalMint(count);
    }

    function internalMint(uint count) internal whenEnabled returns (uint) {
        if (!isAdmin[msg.sender]) {
            require(count >= 1, "Must mint at least one");
            require(!Address.isContract(msg.sender), "Contracts cannot mint");
            require(msg.value == count * mintPriceWei(), "Send mintPriceWei() wei for each mint");
        }

        uint supply = totalSupply();
        require(supply + count <= maxSupply, "Cannot mint over maxSupply()");

        uint startingIndex = _currentIndex;

        for (uint i = startingIndex; i < startingIndex + count; ++i) {
            createMetadataForMintedToken(i);
        }
        _mint(msg.sender, count, "", false);

        distributeFunds();

        return startingIndex;
    }
}

File 9 of 30 : Rng.sol
//SPDX-License-Identifier: MIT
pragma solidity ^0.8.0;

/**
 * @title A pseudo random number generator
 *
 * @dev This is not a true random number generator because smart contracts must be deterministic (every node a transaction goes to must produce the same result).
 *      True randomness requires an oracle which is both expensive in terms of gas and would take a critical part of the project off the chain.
 */
struct Rng {
    bytes32 state;
}

/**
 * @title A library for working with the Rng struct.
 *
 * @dev Rng cannot be a contract because then anyone could manipulate it by generating random numbers.
 */
library RngLibrary {
    /**
     * Creates a new Rng.
     */
    function newRng() internal view returns (Rng memory) {
        return Rng(getEntropy());
    }

    /**
     * Creates a pseudo-random value from the current block miner's address and sender.
     */
    function getEntropy() internal view returns (bytes32) {
        return keccak256(abi.encodePacked(block.coinbase, msg.sender));
    }

    /**
     * Generates a random uint256.
     */
    function generate(Rng memory self) internal view returns (uint256) {
        self.state = keccak256(abi.encodePacked(getEntropy(), self.state));
        return uint256(self.state);
    }

    /**
     * Generates a random uint256 from min to max inclusive.
     *
     * @dev This function is not subject to modulo bias.
     *      The chance that this function has to reroll is astronomically unlikely, but it can theoretically reroll forever.
     */
    function generate(Rng memory self, uint min, uint max) internal view returns (uint256) {
        require(min <= max, "min > max");

        uint delta = max - min;

        if (delta == 0) {
            return min;
        }

        return generate(self) % (delta + 1) + min;
    }
}

File 10 of 30 : ITokenURIProvider.sol
//SPDX-License-Identifier: MIT
pragma solidity ^0.8.0;

interface ITokenURIProvider {
    function tokenURI(uint tokenId) external view returns (string memory);
}

File 11 of 30 : OpenSeaMetadata.sol
//SPDX-License-Identifier: MIT
pragma solidity ^0.8.0;

import "./Base64.sol";
import "./Integer.sol";
import "@openzeppelin/contracts/utils/Strings.sol";

enum NumericAttributeType {
    NUMBER,
    BOOST_PERCENTAGE,
    BOOST_NUMBER,
    DATE
}

struct Attribute {
    string displayType;
    string key;
    string serializedValue;
    string maxValue;
}

struct OpenSeaMetadata {
    string svg;
    string description;
    string name;
    uint24 backgroundColor;
    Attribute[] attributes;
}

library OpenSeaMetadataLibrary {
    using Strings for uint;

    struct ObjectKeyValuePair {
        string key;
        string serializedValue;
    }

    function uintToColorString(uint value, uint nBytes) internal pure returns (string memory) {
        bytes memory symbols = "0123456789ABCDEF";
        bytes memory buf = new bytes(nBytes * 2);

        for (uint i = 0; i < nBytes * 2; ++i) {
            buf[nBytes * 2 - 1 - i] = symbols[Integer.bitsFrom(value, (i * 4) + 3, i * 4)];
        }

        return string(buf);
    }

    function quote(string memory str) internal pure returns (string memory output) {
        return bytes(str).length > 0 ? string(abi.encodePacked(
            '"',
            str,
            '"'
        )) : "";
    }

    function makeStringAttribute(string memory key, string memory value) internal pure returns (Attribute memory) {
        return Attribute("", key, quote(value), "");
    }

    function makeNumericAttribute(NumericAttributeType nat, string memory key, string memory value, string memory maxValue) private pure returns (Attribute memory) {
        string memory s = "number";
        if (nat == NumericAttributeType.BOOST_PERCENTAGE) {
            s = "boost_percentage";
        }
        else if (nat == NumericAttributeType.BOOST_NUMBER) {
            s = "boost_number";
        }
        else if (nat == NumericAttributeType.DATE) {
            s = "date";
        }

        return Attribute(s, key, value, maxValue);
    }

    function makeFixedPoint(uint value, uint decimals) internal pure returns (string memory) {
        bytes memory st = bytes(value.toString());

        while (st.length < decimals) {
            st = abi.encodePacked(
                "0",
                st
            );
        }

        bytes memory ret = new bytes(st.length + 1);

        if (decimals >= st.length) {
            return string(abi.encodePacked("0.", st));
        }

        uint dl = st.length - decimals;

        uint i = 0;
        uint j = 0;

        while (i < ret.length) {
            if (i == dl) {
                ret[i] = '.';
                i++;
                continue;
            }

            ret[i] = st[j];

            i++;
            j++;
        }

        return string(ret);
    }

    function makeFixedPointAttribute(NumericAttributeType nat, string memory key, uint value, uint maxValue, uint decimals) internal pure returns (Attribute memory) {
        return makeNumericAttribute(nat, key, makeFixedPoint(value, decimals), maxValue == 0 ? "" : makeFixedPoint(maxValue, decimals));
    }

    function makeUintAttribute(NumericAttributeType nat, string memory key, uint value, uint maxValue) internal pure returns (Attribute memory) {
        return makeNumericAttribute(nat, key, value.toString(), maxValue == 0 ? "" : maxValue.toString());
    }

    function makeBooleanAttribute(string memory key, bool value) internal pure returns (Attribute memory) {
        return Attribute("", key, value ? "true" : "false", "");
    }

    function makeAttributesArray(Attribute[] memory attributes) internal pure returns (string memory output) {
        output = "[";
        bool empty = true;

        for (uint i = 0; i < attributes.length; ++i) {
            if (bytes(attributes[i].serializedValue).length > 0) {
                ObjectKeyValuePair[] memory kvps = new ObjectKeyValuePair[](4);
                kvps[0] = ObjectKeyValuePair("trait_type", quote(attributes[i].key));
                kvps[1] = ObjectKeyValuePair("display_type", quote(attributes[i].displayType));
                kvps[2] = ObjectKeyValuePair("value", attributes[i].serializedValue);
                kvps[3] = ObjectKeyValuePair("max_value", attributes[i].maxValue);

                output = string(abi.encodePacked(
                    output,
                    empty ? "" : ",",
                    makeObject(kvps)
                ));
                empty = false;
            }
        }

        output = string(abi.encodePacked(output, "]"));
    }

    function notEmpty(string memory s) internal pure returns (bool) {
        return bytes(s).length > 0;
    }

    function makeObject(ObjectKeyValuePair[] memory kvps) internal pure returns (string memory output) {
        output = "{";
        bool empty = true;

        for (uint i = 0; i < kvps.length; ++i) {
            if (bytes(kvps[i].serializedValue).length > 0) {
                output = string(abi.encodePacked(
                    output,
                    empty ? "" : ",",
                    '"',
                    kvps[i].key,
                    '":',
                    kvps[i].serializedValue
                ));
                empty = false;
            }
        }

        output = string(abi.encodePacked(output, "}"));
    }

    function makeMetadataWithExtraKvps(OpenSeaMetadata memory metadata, ObjectKeyValuePair[] memory extra) internal pure returns (string memory output) {
        /*
        string memory svgUrl = string(abi.encodePacked(
            "data:image/svg+xml;base64,",
            string(Base64.encode(bytes(metadata.svg)))
        ));
        */

        string memory svgUrl = string(abi.encodePacked(
            "data:image/svg+xml;utf8,",
            metadata.svg
        ));

        ObjectKeyValuePair[] memory kvps = new ObjectKeyValuePair[](5 + extra.length);
        kvps[0] = ObjectKeyValuePair("name", quote(metadata.name));
        kvps[1] = ObjectKeyValuePair("description", quote(metadata.description));
        kvps[2] = ObjectKeyValuePair("image", quote(svgUrl));
        kvps[3] = ObjectKeyValuePair("background_color", quote(uintToColorString(metadata.backgroundColor, 3)));
        kvps[4] = ObjectKeyValuePair("attributes", makeAttributesArray(metadata.attributes));
        for (uint i = 0; i < extra.length; ++i) {
            kvps[i + 5] = extra[i];
        }

        return string(abi.encodePacked(
            "data:application/json;base64,",
            Base64.encode(bytes(makeObject(kvps)))
        ));
    }

    function makeMetadata(OpenSeaMetadata memory metadata) internal pure returns (string memory output) {
        return makeMetadataWithExtraKvps(metadata, new ObjectKeyValuePair[](0));
    }

    function makeERC1155Metadata(OpenSeaMetadata memory metadata, string memory symbol) internal pure returns (string memory output) {
        ObjectKeyValuePair[] memory kvps = new ObjectKeyValuePair[](1);
        kvps[0] = ObjectKeyValuePair("symbol", quote(symbol));
        return makeMetadataWithExtraKvps(metadata, kvps);
    }
}

File 12 of 30 : ChainScoutsExtension.sol
//SPDX-License-Identifier: MIT
pragma solidity ^0.8.0;

import "./IChainScouts.sol";

abstract contract ChainScoutsExtension {
    IChainScouts internal chainScouts;
    bool public enabled = true;

    modifier canAccessToken(uint tokenId) {
        require(chainScouts.canAccessToken(msg.sender, tokenId), "ChainScoutsExtension: you don't own the token");
        _;
    }

    modifier onlyAdmin() {
        require(chainScouts.isAdmin(msg.sender), "ChainScoutsExtension: admins only");
        _;
    }

    modifier whenEnabled() {
        require(enabled, "ChainScoutsExtension: currently disabled");
        _;
    }

    function adminSetEnabled(bool e) external onlyAdmin {
        enabled = e;
    }

    function extensionKey() public virtual view returns (string memory);

    function setChainScouts(IChainScouts _contract) external {
        require(address(0) == address(chainScouts) || chainScouts.isAdmin(msg.sender), "ChainScoutsExtension: The Chain Scouts contract must not be set or you must be an admin");
        chainScouts = _contract;
        chainScouts.adminSetExtension(extensionKey(), this);
    }
}

File 13 of 30 : Strings.sol
// SPDX-License-Identifier: MIT
// OpenZeppelin Contracts v4.4.1 (utils/Strings.sol)

pragma solidity ^0.8.0;

/**
 * @dev String operations.
 */
library Strings {
    bytes16 private constant _HEX_SYMBOLS = "0123456789abcdef";

    /**
     * @dev Converts a `uint256` to its ASCII `string` decimal representation.
     */
    function toString(uint256 value) internal pure returns (string memory) {
        // Inspired by OraclizeAPI's implementation - MIT licence
        // https://github.com/oraclize/ethereum-api/blob/b42146b063c7d6ee1358846c198246239e9360e8/oraclizeAPI_0.4.25.sol

        if (value == 0) {
            return "0";
        }
        uint256 temp = value;
        uint256 digits;
        while (temp != 0) {
            digits++;
            temp /= 10;
        }
        bytes memory buffer = new bytes(digits);
        while (value != 0) {
            digits -= 1;
            buffer[digits] = bytes1(uint8(48 + uint256(value % 10)));
            value /= 10;
        }
        return string(buffer);
    }

    /**
     * @dev Converts a `uint256` to its ASCII `string` hexadecimal representation.
     */
    function toHexString(uint256 value) internal pure returns (string memory) {
        if (value == 0) {
            return "0x00";
        }
        uint256 temp = value;
        uint256 length = 0;
        while (temp != 0) {
            length++;
            temp >>= 8;
        }
        return toHexString(value, length);
    }

    /**
     * @dev Converts a `uint256` to its ASCII `string` hexadecimal representation with fixed length.
     */
    function toHexString(uint256 value, uint256 length) internal pure returns (string memory) {
        bytes memory buffer = new bytes(2 * length + 2);
        buffer[0] = "0";
        buffer[1] = "x";
        for (uint256 i = 2 * length + 1; i > 1; --i) {
            buffer[i] = _HEX_SYMBOLS[value & 0xf];
            value >>= 4;
        }
        require(value == 0, "Strings: hex length insufficient");
        return string(buffer);
    }
}

File 14 of 30 : Base64.sol
//SPDX-License-Identifier: MIT
pragma solidity ^0.8.0;

// shamelessly stolen from the anonymice contract
library Base64 {
    string internal constant TABLE =
        "ABCDEFGHIJKLMNOPQRSTUVWXYZabcdefghijklmnopqrstuvwxyz0123456789+/";

    /**
     * @dev Converts the input data into a base64 string.
     */
    function encode(bytes memory data) internal pure returns (string memory) {
        if (data.length == 0) return "";

        // load the table into memory
        string memory table = TABLE;

        // multiply by 4/3 rounded up
        uint256 encodedLen = 4 * ((data.length + 2) / 3);

        // add some extra buffer at the end required for the writing
        string memory result = new string(encodedLen + 32);

        assembly {
            // set the actual output length
            mstore(result, encodedLen)

            // prepare the lookup table
            let tablePtr := add(table, 1)

            // input ptr
            let dataPtr := data
            let endPtr := add(dataPtr, mload(data))

            // result ptr, jump over length
            let resultPtr := add(result, 32)

            // run over the input, 3 bytes at a time
            for {

            } lt(dataPtr, endPtr) {

            } {
                dataPtr := add(dataPtr, 3)

                // read 3 bytes
                let input := mload(dataPtr)

                // write 4 characters
                mstore(
                    resultPtr,
                    shl(248, mload(add(tablePtr, and(shr(18, input), 0x3F))))
                )
                resultPtr := add(resultPtr, 1)
                mstore(
                    resultPtr,
                    shl(248, mload(add(tablePtr, and(shr(12, input), 0x3F))))
                )
                resultPtr := add(resultPtr, 1)
                mstore(
                    resultPtr,
                    shl(248, mload(add(tablePtr, and(shr(6, input), 0x3F))))
                )
                resultPtr := add(resultPtr, 1)
                mstore(
                    resultPtr,
                    shl(248, mload(add(tablePtr, and(input, 0x3F))))
                )
                resultPtr := add(resultPtr, 1)
            }

            // padding with '='
            switch mod(mload(data), 3)
            case 1 {
                mstore(sub(resultPtr, 2), shl(240, 0x3d3d))
            }
            case 2 {
                mstore(sub(resultPtr, 1), shl(248, 0x3d))
            }
        }

        return result;
    }
}

File 15 of 30 : Integer.sol
//SPDX-License-Identifier: MIT
pragma solidity ^0.8.0;

library Integer {
    /**
     * @dev Gets the bit at the given position in the given integer.
     *      255 is the leftmost bit, 0 is the rightmost bit.
     *
     *      For example: bitAt(2, 0) == 0, because the rightmost bit of 10 is 0
     *                   bitAt(2, 1) == 1, because the second to last bit of 10 is 1
     */
    function bitAt(uint integer, uint pos) internal pure returns (uint) {
        require(pos <= 255, "pos > 255");

        return (integer & (1 << pos)) >> pos;
    }

    function setBitAt(uint integer, uint pos) internal pure returns (uint) {
        return integer | (1 << pos);
    }

    /**
     * @dev Gets the value of the bits between left and right, both inclusive, in the given integer.
     *      255 is the leftmost bit, 0 is the rightmost bit.
     *      
     *      For example: bitsFrom(10, 3, 1) == 7 (101 in binary), because 10 is *101*0 in binary
     *                   bitsFrom(10, 2, 0) == 2 (010 in binary), because 10 is 1*010* in binary
     */
    function bitsFrom(uint integer, uint left, uint right) internal pure returns (uint) {
        require(left >= right, "left > right");
        require(left <= 255, "left > 255");

        uint delta = left - right + 1;

        return (integer & (((1 << delta) - 1) << right)) >> right;
    }
}

File 16 of 30 : IExtensibleERC721Enumerable.sol
//SPDX-License-Identifier: MIT
pragma solidity ^0.8.0;

import "@openzeppelin/contracts/token/ERC721/extensions/IERC721Enumerable.sol";

interface IExtensibleERC721Enumerable is IERC721Enumerable {
    function isAdmin(address addr) external view returns (bool);

    function addAdmin(address addr) external;

    function removeAdmin(address addr) external;

    function canAccessToken(address addr, uint tokenId) external view returns (bool);

    function adminBurn(uint tokenId) external;

    function adminTransfer(address from, address to, uint tokenId) external;
}

File 17 of 30 : IERC721Enumerable.sol
// SPDX-License-Identifier: MIT
// OpenZeppelin Contracts v4.4.1 (token/ERC721/extensions/IERC721Enumerable.sol)

pragma solidity ^0.8.0;

import "../IERC721.sol";

/**
 * @title ERC-721 Non-Fungible Token Standard, optional enumeration extension
 * @dev See https://eips.ethereum.org/EIPS/eip-721
 */
interface IERC721Enumerable is IERC721 {
    /**
     * @dev Returns the total amount of tokens stored by the contract.
     */
    function totalSupply() external view returns (uint256);

    /**
     * @dev Returns a token ID owned by `owner` at a given `index` of its token list.
     * Use along with {balanceOf} to enumerate all of ``owner``'s tokens.
     */
    function tokenOfOwnerByIndex(address owner, uint256 index) external view returns (uint256 tokenId);

    /**
     * @dev Returns a token ID at a given `index` of all the tokens stored by the contract.
     * Use along with {totalSupply} to enumerate all tokens.
     */
    function tokenByIndex(uint256 index) external view returns (uint256);
}

File 18 of 30 : IERC721.sol
// SPDX-License-Identifier: MIT
// OpenZeppelin Contracts v4.4.1 (token/ERC721/IERC721.sol)

pragma solidity ^0.8.0;

import "../../utils/introspection/IERC165.sol";

/**
 * @dev Required interface of an ERC721 compliant contract.
 */
interface IERC721 is IERC165 {
    /**
     * @dev Emitted when `tokenId` token is transferred from `from` to `to`.
     */
    event Transfer(address indexed from, address indexed to, uint256 indexed tokenId);

    /**
     * @dev Emitted when `owner` enables `approved` to manage the `tokenId` token.
     */
    event Approval(address indexed owner, address indexed approved, uint256 indexed tokenId);

    /**
     * @dev Emitted when `owner` enables or disables (`approved`) `operator` to manage all of its assets.
     */
    event ApprovalForAll(address indexed owner, address indexed operator, bool approved);

    /**
     * @dev Returns the number of tokens in ``owner``'s account.
     */
    function balanceOf(address owner) external view returns (uint256 balance);

    /**
     * @dev Returns the owner of the `tokenId` token.
     *
     * Requirements:
     *
     * - `tokenId` must exist.
     */
    function ownerOf(uint256 tokenId) external view returns (address owner);

    /**
     * @dev Safely transfers `tokenId` token from `from` to `to`, checking first that contract recipients
     * are aware of the ERC721 protocol to prevent tokens from being forever locked.
     *
     * Requirements:
     *
     * - `from` cannot be the zero address.
     * - `to` cannot be the zero address.
     * - `tokenId` token must exist and be owned by `from`.
     * - If the caller is not `from`, it must be have been allowed to move this token by either {approve} or {setApprovalForAll}.
     * - If `to` refers to a smart contract, it must implement {IERC721Receiver-onERC721Received}, which is called upon a safe transfer.
     *
     * Emits a {Transfer} event.
     */
    function safeTransferFrom(
        address from,
        address to,
        uint256 tokenId
    ) external;

    /**
     * @dev Transfers `tokenId` token from `from` to `to`.
     *
     * WARNING: Usage of this method is discouraged, use {safeTransferFrom} whenever possible.
     *
     * Requirements:
     *
     * - `from` cannot be the zero address.
     * - `to` cannot be the zero address.
     * - `tokenId` token must be owned by `from`.
     * - If the caller is not `from`, it must be approved to move this token by either {approve} or {setApprovalForAll}.
     *
     * Emits a {Transfer} event.
     */
    function transferFrom(
        address from,
        address to,
        uint256 tokenId
    ) external;

    /**
     * @dev Gives permission to `to` to transfer `tokenId` token to another account.
     * The approval is cleared when the token is transferred.
     *
     * Only a single account can be approved at a time, so approving the zero address clears previous approvals.
     *
     * Requirements:
     *
     * - The caller must own the token or be an approved operator.
     * - `tokenId` must exist.
     *
     * Emits an {Approval} event.
     */
    function approve(address to, uint256 tokenId) external;

    /**
     * @dev Returns the account approved for `tokenId` token.
     *
     * Requirements:
     *
     * - `tokenId` must exist.
     */
    function getApproved(uint256 tokenId) external view returns (address operator);

    /**
     * @dev Approve or remove `operator` as an operator for the caller.
     * Operators can call {transferFrom} or {safeTransferFrom} for any token owned by the caller.
     *
     * Requirements:
     *
     * - The `operator` cannot be the caller.
     *
     * Emits an {ApprovalForAll} event.
     */
    function setApprovalForAll(address operator, bool _approved) external;

    /**
     * @dev Returns if the `operator` is allowed to manage all of the assets of `owner`.
     *
     * See {setApprovalForAll}
     */
    function isApprovedForAll(address owner, address operator) external view returns (bool);

    /**
     * @dev Safely transfers `tokenId` token from `from` to `to`.
     *
     * Requirements:
     *
     * - `from` cannot be the zero address.
     * - `to` cannot be the zero address.
     * - `tokenId` token must exist and be owned by `from`.
     * - If the caller is not `from`, it must be approved to move this token by either {approve} or {setApprovalForAll}.
     * - If `to` refers to a smart contract, it must implement {IERC721Receiver-onERC721Received}, which is called upon a safe transfer.
     *
     * Emits a {Transfer} event.
     */
    function safeTransferFrom(
        address from,
        address to,
        uint256 tokenId,
        bytes calldata data
    ) external;
}

File 19 of 30 : IERC165.sol
// SPDX-License-Identifier: MIT
// OpenZeppelin Contracts v4.4.1 (utils/introspection/IERC165.sol)

pragma solidity ^0.8.0;

/**
 * @dev Interface of the ERC165 standard, as defined in the
 * https://eips.ethereum.org/EIPS/eip-165[EIP].
 *
 * 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[EIP 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);
}

File 20 of 30 : Enums.sol
//SPDX-License-Identifier: MIT
pragma solidity ^0.8.0;

enum Accessory {
    GOLD_EARRINGS,
    SCARS,
    GOLDEN_CHAIN,
    AMULET,
    CUBAN_LINK_GOLD_CHAIN,
    FANNY_PACK,
    NONE
}

enum BackAccessory {
    NETRUNNER,
    MERCENARY,
    RONIN,
    ENCHANTER,
    VANGUARD,
    MINER,
    PATHFINDER,
    SCOUT
}

enum Background {
    STARRY_PINK,
    STARRY_YELLOW,
    STARRY_PURPLE,
    STARRY_GREEN,
    NEBULA,
    STARRY_RED,
    STARRY_BLUE,
    SUNSET,
    MORNING,
    INDIGO,
    CITY__PURPLE,
    CONTROL_ROOM,
    LAB,
    GREEN,
    ORANGE,
    PURPLE,
    CITY__GREEN,
    CITY__RED,
    STATION,
    BOUNTY,
    BLUE_SKY,
    RED_SKY,
    GREEN_SKY
}

enum Clothing {
    MARTIAL_SUIT,
    AMETHYST_ARMOR,
    SHIRT_AND_TIE,
    THUNDERDOME_ARMOR,
    FLEET_UNIFORM__BLUE,
    BANANITE_SHIRT,
    EXPLORER,
    COSMIC_GHILLIE_SUIT__BLUE,
    COSMIC_GHILLIE_SUIT__GOLD,
    CYBER_JUMPSUIT,
    ENCHANTER_ROBES,
    HOODIE,
    SPACESUIT,
    MECHA_ARMOR,
    LAB_COAT,
    FLEET_UNIFORM__RED,
    GOLD_ARMOR,
    ENERGY_ARMOR__BLUE,
    ENERGY_ARMOR__RED,
    MISSION_SUIT__BLACK,
    MISSION_SUIT__PURPLE,
    COWBOY,
    GLITCH_ARMOR,
    NONE
}

enum Eyes {
    SPACE_VISOR,
    ADORABLE,
    VETERAN,
    SUNGLASSES,
    WHITE_SUNGLASSES,
    RED_EYES,
    WINK,
    CASUAL,
    CLOSED,
    DOWNCAST,
    HAPPY,
    BLUE_EYES,
    HUD_GLASSES,
    DARK_SUNGLASSES,
    NIGHT_VISION_GOGGLES,
    BIONIC,
    HIVE_GOGGLES,
    MATRIX_GLASSES,
    GREEN_GLOW,
    ORANGE_GLOW,
    RED_GLOW,
    PURPLE_GLOW,
    BLUE_GLOW,
    SKY_GLOW,
    RED_LASER,
    BLUE_LASER,
    GOLDEN_SHADES,
    HIPSTER_GLASSES,
    PINCENEZ,
    BLUE_SHADES,
    BLIT_GLASSES,
    NOUNS_GLASSES
}

enum Fur {
    MAGENTA,
    BLUE,
    GREEN,
    RED,
    BLACK,
    BROWN,
    SILVER,
    PURPLE,
    PINK,
    SEANCE,
    TURQUOISE,
    CRIMSON,
    GREENYELLOW,
    GOLD,
    DIAMOND,
    METALLIC
}

enum Head {
    HALO,
    ENERGY_FIELD,
    BLUE_TOP_HAT,
    RED_TOP_HAT,
    ENERGY_CRYSTAL,
    CROWN,
    BANDANA,
    BUCKET_HAT,
    HOMBURG_HAT,
    PROPELLER_HAT,
    HEADBAND,
    DORAG,
    PURPLE_COWBOY_HAT,
    SPACESUIT_HELMET,
    PARTY_HAT,
    CAP,
    LEATHER_COWBOY_HAT,
    CYBER_HELMET__BLUE,
    CYBER_HELMET__RED,
    SAMURAI_HAT,
    NONE
}

enum Mouth {
    SMIRK,
    SURPRISED,
    SMILE,
    PIPE,
    OPEN_SMILE,
    NEUTRAL,
    MASK,
    TONGUE_OUT,
    GOLD_GRILL,
    DIAMOND_GRILL,
    NAVY_RESPIRATOR,
    RED_RESPIRATOR,
    MAGENTA_RESPIRATOR,
    GREEN_RESPIRATOR,
    MEMPO,
    VAPE,
    PILOT_OXYGEN_MASK,
    CIGAR,
    BANANA,
    CHROME_RESPIRATOR,
    STOIC
}

library Enums {
    function toString(Accessory v) external pure returns (string memory) {
        if (v == Accessory.GOLD_EARRINGS) {
            return "Gold Earrings";
        }

        if (v == Accessory.SCARS) {
            return "Scars";
        }

        if (v == Accessory.GOLDEN_CHAIN) {
            return "Golden Chain";
        }

        if (v == Accessory.AMULET) {
            return "Amulet";
        }

        if (v == Accessory.CUBAN_LINK_GOLD_CHAIN) {
            return "Cuban Link Gold Chain";
        }

        if (v == Accessory.FANNY_PACK) {
            return "Fanny Pack";
        }

        if (v == Accessory.NONE) {
            return "None";
        }
        revert("invalid accessory");
    }

    function toString(BackAccessory v) external pure returns (string memory) {
        if (v == BackAccessory.NETRUNNER) {
            return "Netrunner";
        }

        if (v == BackAccessory.MERCENARY) {
            return "Mercenary";
        }

        if (v == BackAccessory.RONIN) {
            return "Ronin";
        }

        if (v == BackAccessory.ENCHANTER) {
            return "Enchanter";
        }

        if (v == BackAccessory.VANGUARD) {
            return "Vanguard";
        }

        if (v == BackAccessory.MINER) {
            return "Miner";
        }

        if (v == BackAccessory.PATHFINDER) {
            return "Pathfinder";
        }

        if (v == BackAccessory.SCOUT) {
            return "Scout";
        }
        revert("invalid back accessory");
    }

    function toString(Background v) external pure returns (string memory) {
        if (v == Background.STARRY_PINK) {
            return "Starry Pink";
        }

        if (v == Background.STARRY_YELLOW) {
            return "Starry Yellow";
        }

        if (v == Background.STARRY_PURPLE) {
            return "Starry Purple";
        }

        if (v == Background.STARRY_GREEN) {
            return "Starry Green";
        }

        if (v == Background.NEBULA) {
            return "Nebula";
        }

        if (v == Background.STARRY_RED) {
            return "Starry Red";
        }

        if (v == Background.STARRY_BLUE) {
            return "Starry Blue";
        }

        if (v == Background.SUNSET) {
            return "Sunset";
        }

        if (v == Background.MORNING) {
            return "Morning";
        }

        if (v == Background.INDIGO) {
            return "Indigo";
        }

        if (v == Background.CITY__PURPLE) {
            return "City - Purple";
        }

        if (v == Background.CONTROL_ROOM) {
            return "Control Room";
        }

        if (v == Background.LAB) {
            return "Lab";
        }

        if (v == Background.GREEN) {
            return "Green";
        }

        if (v == Background.ORANGE) {
            return "Orange";
        }

        if (v == Background.PURPLE) {
            return "Purple";
        }

        if (v == Background.CITY__GREEN) {
            return "City - Green";
        }

        if (v == Background.CITY__RED) {
            return "City - Red";
        }

        if (v == Background.STATION) {
            return "Station";
        }

        if (v == Background.BOUNTY) {
            return "Bounty";
        }

        if (v == Background.BLUE_SKY) {
            return "Blue Sky";
        }

        if (v == Background.RED_SKY) {
            return "Red Sky";
        }

        if (v == Background.GREEN_SKY) {
            return "Green Sky";
        }
        revert("invalid background");
    }

    function toString(Clothing v) external pure returns (string memory) {
        if (v == Clothing.MARTIAL_SUIT) {
            return "Martial Suit";
        }

        if (v == Clothing.AMETHYST_ARMOR) {
            return "Amethyst Armor";
        }

        if (v == Clothing.SHIRT_AND_TIE) {
            return "Shirt and Tie";
        }

        if (v == Clothing.THUNDERDOME_ARMOR) {
            return "Thunderdome Armor";
        }

        if (v == Clothing.FLEET_UNIFORM__BLUE) {
            return "Fleet Uniform - Blue";
        }

        if (v == Clothing.BANANITE_SHIRT) {
            return "Bananite Shirt";
        }

        if (v == Clothing.EXPLORER) {
            return "Explorer";
        }

        if (v == Clothing.COSMIC_GHILLIE_SUIT__BLUE) {
            return "Cosmic Ghillie Suit - Blue";
        }

        if (v == Clothing.COSMIC_GHILLIE_SUIT__GOLD) {
            return "Cosmic Ghillie Suit - Gold";
        }

        if (v == Clothing.CYBER_JUMPSUIT) {
            return "Cyber Jumpsuit";
        }

        if (v == Clothing.ENCHANTER_ROBES) {
            return "Enchanter Robes";
        }

        if (v == Clothing.HOODIE) {
            return "Hoodie";
        }

        if (v == Clothing.SPACESUIT) {
            return "Spacesuit";
        }

        if (v == Clothing.MECHA_ARMOR) {
            return "Mecha Armor";
        }

        if (v == Clothing.LAB_COAT) {
            return "Lab Coat";
        }

        if (v == Clothing.FLEET_UNIFORM__RED) {
            return "Fleet Uniform - Red";
        }

        if (v == Clothing.GOLD_ARMOR) {
            return "Gold Armor";
        }

        if (v == Clothing.ENERGY_ARMOR__BLUE) {
            return "Energy Armor - Blue";
        }

        if (v == Clothing.ENERGY_ARMOR__RED) {
            return "Energy Armor - Red";
        }

        if (v == Clothing.MISSION_SUIT__BLACK) {
            return "Mission Suit - Black";
        }

        if (v == Clothing.MISSION_SUIT__PURPLE) {
            return "Mission Suit - Purple";
        }

        if (v == Clothing.COWBOY) {
            return "Cowboy";
        }

        if (v == Clothing.GLITCH_ARMOR) {
            return "Glitch Armor";
        }

        if (v == Clothing.NONE) {
            return "None";
        }
        revert("invalid clothing");
    }

    function toString(Eyes v) external pure returns (string memory) {
        if (v == Eyes.SPACE_VISOR) {
            return "Space Visor";
        }

        if (v == Eyes.ADORABLE) {
            return "Adorable";
        }

        if (v == Eyes.VETERAN) {
            return "Veteran";
        }

        if (v == Eyes.SUNGLASSES) {
            return "Sunglasses";
        }

        if (v == Eyes.WHITE_SUNGLASSES) {
            return "White Sunglasses";
        }

        if (v == Eyes.RED_EYES) {
            return "Red Eyes";
        }

        if (v == Eyes.WINK) {
            return "Wink";
        }

        if (v == Eyes.CASUAL) {
            return "Casual";
        }

        if (v == Eyes.CLOSED) {
            return "Closed";
        }

        if (v == Eyes.DOWNCAST) {
            return "Downcast";
        }

        if (v == Eyes.HAPPY) {
            return "Happy";
        }

        if (v == Eyes.BLUE_EYES) {
            return "Blue Eyes";
        }

        if (v == Eyes.HUD_GLASSES) {
            return "HUD Glasses";
        }

        if (v == Eyes.DARK_SUNGLASSES) {
            return "Dark Sunglasses";
        }

        if (v == Eyes.NIGHT_VISION_GOGGLES) {
            return "Night Vision Goggles";
        }

        if (v == Eyes.BIONIC) {
            return "Bionic";
        }

        if (v == Eyes.HIVE_GOGGLES) {
            return "Hive Goggles";
        }

        if (v == Eyes.MATRIX_GLASSES) {
            return "Matrix Glasses";
        }

        if (v == Eyes.GREEN_GLOW) {
            return "Green Glow";
        }

        if (v == Eyes.ORANGE_GLOW) {
            return "Orange Glow";
        }

        if (v == Eyes.RED_GLOW) {
            return "Red Glow";
        }

        if (v == Eyes.PURPLE_GLOW) {
            return "Purple Glow";
        }

        if (v == Eyes.BLUE_GLOW) {
            return "Blue Glow";
        }

        if (v == Eyes.SKY_GLOW) {
            return "Sky Glow";
        }

        if (v == Eyes.RED_LASER) {
            return "Red Laser";
        }

        if (v == Eyes.BLUE_LASER) {
            return "Blue Laser";
        }

        if (v == Eyes.GOLDEN_SHADES) {
            return "Golden Shades";
        }

        if (v == Eyes.HIPSTER_GLASSES) {
            return "Hipster Glasses";
        }

        if (v == Eyes.PINCENEZ) {
            return "Pince-nez";
        }

        if (v == Eyes.BLUE_SHADES) {
            return "Blue Shades";
        }

        if (v == Eyes.BLIT_GLASSES) {
            return "Blit GLasses";
        }

        if (v == Eyes.NOUNS_GLASSES) {
            return "Nouns Glasses";
        }
        revert("invalid eyes");
    }

    function toString(Fur v) external pure returns (string memory) {
        if (v == Fur.MAGENTA) {
            return "Magenta";
        }

        if (v == Fur.BLUE) {
            return "Blue";
        }

        if (v == Fur.GREEN) {
            return "Green";
        }

        if (v == Fur.RED) {
            return "Red";
        }

        if (v == Fur.BLACK) {
            return "Black";
        }

        if (v == Fur.BROWN) {
            return "Brown";
        }

        if (v == Fur.SILVER) {
            return "Silver";
        }

        if (v == Fur.PURPLE) {
            return "Purple";
        }

        if (v == Fur.PINK) {
            return "Pink";
        }

        if (v == Fur.SEANCE) {
            return "Seance";
        }

        if (v == Fur.TURQUOISE) {
            return "Turquoise";
        }

        if (v == Fur.CRIMSON) {
            return "Crimson";
        }

        if (v == Fur.GREENYELLOW) {
            return "Green-Yellow";
        }

        if (v == Fur.GOLD) {
            return "Gold";
        }

        if (v == Fur.DIAMOND) {
            return "Diamond";
        }

        if (v == Fur.METALLIC) {
            return "Metallic";
        }
        revert("invalid fur");
    }

    function toString(Head v) external pure returns (string memory) {
        if (v == Head.HALO) {
            return "Halo";
        }

        if (v == Head.ENERGY_FIELD) {
            return "Energy Field";
        }

        if (v == Head.BLUE_TOP_HAT) {
            return "Blue Top Hat";
        }

        if (v == Head.RED_TOP_HAT) {
            return "Red Top Hat";
        }

        if (v == Head.ENERGY_CRYSTAL) {
            return "Energy Crystal";
        }

        if (v == Head.CROWN) {
            return "Crown";
        }

        if (v == Head.BANDANA) {
            return "Bandana";
        }

        if (v == Head.BUCKET_HAT) {
            return "Bucket Hat";
        }

        if (v == Head.HOMBURG_HAT) {
            return "Homburg Hat";
        }

        if (v == Head.PROPELLER_HAT) {
            return "Propeller Hat";
        }

        if (v == Head.HEADBAND) {
            return "Headband";
        }

        if (v == Head.DORAG) {
            return "Do-rag";
        }

        if (v == Head.PURPLE_COWBOY_HAT) {
            return "Purple Cowboy Hat";
        }

        if (v == Head.SPACESUIT_HELMET) {
            return "Spacesuit Helmet";
        }

        if (v == Head.PARTY_HAT) {
            return "Party Hat";
        }

        if (v == Head.CAP) {
            return "Cap";
        }

        if (v == Head.LEATHER_COWBOY_HAT) {
            return "Leather Cowboy Hat";
        }

        if (v == Head.CYBER_HELMET__BLUE) {
            return "Cyber Helmet - Blue";
        }

        if (v == Head.CYBER_HELMET__RED) {
            return "Cyber Helmet - Red";
        }

        if (v == Head.SAMURAI_HAT) {
            return "Samurai Hat";
        }

        if (v == Head.NONE) {
            return "None";
        }
        revert("invalid head");
    }

    function toString(Mouth v) external pure returns (string memory) {
        if (v == Mouth.SMIRK) {
            return "Smirk";
        }

        if (v == Mouth.SURPRISED) {
            return "Surprised";
        }

        if (v == Mouth.SMILE) {
            return "Smile";
        }

        if (v == Mouth.PIPE) {
            return "Pipe";
        }

        if (v == Mouth.OPEN_SMILE) {
            return "Open Smile";
        }

        if (v == Mouth.NEUTRAL) {
            return "Neutral";
        }

        if (v == Mouth.MASK) {
            return "Mask";
        }

        if (v == Mouth.TONGUE_OUT) {
            return "Tongue Out";
        }

        if (v == Mouth.GOLD_GRILL) {
            return "Gold Grill";
        }

        if (v == Mouth.DIAMOND_GRILL) {
            return "Diamond Grill";
        }

        if (v == Mouth.NAVY_RESPIRATOR) {
            return "Navy Respirator";
        }

        if (v == Mouth.RED_RESPIRATOR) {
            return "Red Respirator";
        }

        if (v == Mouth.MAGENTA_RESPIRATOR) {
            return "Magenta Respirator";
        }

        if (v == Mouth.GREEN_RESPIRATOR) {
            return "Green Respirator";
        }

        if (v == Mouth.MEMPO) {
            return "Mempo";
        }

        if (v == Mouth.VAPE) {
            return "Vape";
        }

        if (v == Mouth.PILOT_OXYGEN_MASK) {
            return "Pilot Oxygen Mask";
        }

        if (v == Mouth.CIGAR) {
            return "Cigar";
        }

        if (v == Mouth.BANANA) {
            return "Banana";
        }

        if (v == Mouth.CHROME_RESPIRATOR) {
            return "Chrome Respirator";
        }

        if (v == Mouth.STOIC) {
            return "Stoic";
        }
        revert("invalid mouth");
    }
}

File 21 of 30 : ERC721A.sol
// SPDX-License-Identifier: MIT
// Creator: Chiru Labs

pragma solidity ^0.8.4;

import '@openzeppelin/contracts/token/ERC721/IERC721.sol';
import '@openzeppelin/contracts/token/ERC721/IERC721Receiver.sol';
import '@openzeppelin/contracts/token/ERC721/extensions/IERC721Metadata.sol';
import '@openzeppelin/contracts/token/ERC721/extensions/IERC721Enumerable.sol';
import '@openzeppelin/contracts/utils/Address.sol';
import '@openzeppelin/contracts/utils/Context.sol';
import '@openzeppelin/contracts/utils/Strings.sol';
import '@openzeppelin/contracts/utils/introspection/ERC165.sol';

error ApprovalCallerNotOwnerNorApproved();
error ApprovalQueryForNonexistentToken();
error ApproveToCaller();
error ApprovalToCurrentOwner();
error BalanceQueryForZeroAddress();
error MintedQueryForZeroAddress();
error BurnedQueryForZeroAddress();
error MintToZeroAddress();
error MintZeroQuantity();
error OwnerIndexOutOfBounds();
error OwnerQueryForNonexistentToken();
error TokenIndexOutOfBounds();
error TransferCallerNotOwnerNorApproved();
error TransferFromIncorrectOwner();
error TransferToNonERC721ReceiverImplementer();
error TransferToZeroAddress();
error URIQueryForNonexistentToken();

/**
 * @dev Implementation of https://eips.ethereum.org/EIPS/eip-721[ERC721] Non-Fungible Token Standard, including
 * the Metadata and Enumerable extension. Built to optimize for lower gas during batch mints.
 *
 * Assumes serials are sequentially minted starting at 0 (e.g. 0, 1, 2, 3..).
 *
 * Assumes that an owner cannot have more than 2**64 - 1 (max value of uint64) of supply.
 *
 * Assumes that the maximum token id cannot exceed 2**128 - 1 (max value of uint128).
 */
contract ERC721A is Context, ERC165, IERC721, IERC721Metadata, IERC721Enumerable {
    using Address for address;
    using Strings for uint256;

    // Compiler will pack this into a single 256bit word.
    struct TokenOwnership {
        // The address of the owner.
        address addr;
        // Keeps track of the start time of ownership with minimal overhead for tokenomics.
        uint64 startTimestamp;
        // Whether the token has been burned.
        bool burned;
    }

    // Compiler will pack this into a single 256bit word.
    struct AddressData {
        // Realistically, 2**64-1 is more than enough.
        uint64 balance;
        // Keeps track of mint count with minimal overhead for tokenomics.
        uint64 numberMinted;
        // Keeps track of burn count with minimal overhead for tokenomics.
        uint64 numberBurned;
    }

    // Compiler will pack the following 
    // _currentIndex and _burnCounter into a single 256bit word.
    
    // The tokenId of the next token to be minted.
    uint128 internal _currentIndex;

    // The number of tokens burned.
    uint128 internal _burnCounter;

    // Token name
    string private _name;

    // Token symbol
    string private _symbol;

    // Mapping from token ID to ownership details
    // An empty struct value does not necessarily mean the token is unowned. See ownershipOf implementation for details.
    mapping(uint256 => TokenOwnership) internal _ownerships;

    // Mapping owner address to address data
    mapping(address => AddressData) private _addressData;

    // Mapping from token ID to approved address
    mapping(uint256 => address) private _tokenApprovals;

    // Mapping from owner to operator approvals
    mapping(address => mapping(address => bool)) private _operatorApprovals;

    constructor(string memory name_, string memory symbol_) {
        _name = name_;
        _symbol = symbol_;
    }

    /**
     * @dev See {IERC721Enumerable-totalSupply}.
     */
    function totalSupply() public view override returns (uint256) {
        // Counter underflow is impossible as _burnCounter cannot be incremented
        // more than _currentIndex times
        unchecked {
            return _currentIndex - _burnCounter;    
        }
    }

    /**
     * @dev See {IERC721Enumerable-tokenByIndex}.
     * This read function is O(totalSupply). If calling from a separate contract, be sure to test gas first.
     * It may also degrade with extremely large collection sizes (e.g >> 10000), test for your use case.
     */
    function tokenByIndex(uint256 index) public view override returns (uint256) {
        uint256 numMintedSoFar = _currentIndex;
        uint256 tokenIdsIdx;

        // Counter overflow is impossible as the loop breaks when
        // uint256 i is equal to another uint256 numMintedSoFar.
        unchecked {
            for (uint256 i; i < numMintedSoFar; i++) {
                TokenOwnership memory ownership = _ownerships[i];
                if (!ownership.burned) {
                    if (tokenIdsIdx == index) {
                        return i;
                    }
                    tokenIdsIdx++;
                }
            }
        }
        revert TokenIndexOutOfBounds();
    }

    /**
     * @dev See {IERC721Enumerable-tokenOfOwnerByIndex}.
     * This read function is O(totalSupply). If calling from a separate contract, be sure to test gas first.
     * It may also degrade with extremely large collection sizes (e.g >> 10000), test for your use case.
     */
    function tokenOfOwnerByIndex(address owner, uint256 index) public view override returns (uint256) {
        if (index >= balanceOf(owner)) revert OwnerIndexOutOfBounds();
        uint256 numMintedSoFar = _currentIndex;
        uint256 tokenIdsIdx;
        address currOwnershipAddr;

        // Counter overflow is impossible as the loop breaks when
        // uint256 i is equal to another uint256 numMintedSoFar.
        unchecked {
            for (uint256 i; i < numMintedSoFar; i++) {
                TokenOwnership memory ownership = _ownerships[i];
                if (ownership.burned) {
                    continue;
                }
                if (ownership.addr != address(0)) {
                    currOwnershipAddr = ownership.addr;
                }
                if (currOwnershipAddr == owner) {
                    if (tokenIdsIdx == index) {
                        return i;
                    }
                    tokenIdsIdx++;
                }
            }
        }

        // Execution should never reach this point.
        revert();
    }

    /**
     * @dev See {IERC165-supportsInterface}.
     */
    function supportsInterface(bytes4 interfaceId) public view virtual override(ERC165, IERC165) returns (bool) {
        return
            interfaceId == type(IERC721).interfaceId ||
            interfaceId == type(IERC721Metadata).interfaceId ||
            interfaceId == type(IERC721Enumerable).interfaceId ||
            super.supportsInterface(interfaceId);
    }

    /**
     * @dev See {IERC721-balanceOf}.
     */
    function balanceOf(address owner) public view override returns (uint256) {
        if (owner == address(0)) revert BalanceQueryForZeroAddress();
        return uint256(_addressData[owner].balance);
    }

    function _numberMinted(address owner) internal view returns (uint256) {
        if (owner == address(0)) revert MintedQueryForZeroAddress();
        return uint256(_addressData[owner].numberMinted);
    }

    function _numberBurned(address owner) internal view returns (uint256) {
        if (owner == address(0)) revert BurnedQueryForZeroAddress();
        return uint256(_addressData[owner].numberBurned);
    }

    /**
     * Gas spent here starts off proportional to the maximum mint batch size.
     * It gradually moves to O(1) as tokens get transferred around in the collection over time.
     */
    function ownershipOf(uint256 tokenId) internal view returns (TokenOwnership memory) {
        uint256 curr = tokenId;

        unchecked {
            if (curr < _currentIndex) {
                TokenOwnership memory ownership = _ownerships[curr];
                if (!ownership.burned) {
                    if (ownership.addr != address(0)) {
                        return ownership;
                    }
                    // Invariant: 
                    // There will always be an ownership that has an address and is not burned 
                    // before an ownership that does not have an address and is not burned.
                    // Hence, curr will not underflow.
                    while (true) {
                        curr--;
                        ownership = _ownerships[curr];
                        if (ownership.addr != address(0)) {
                            return ownership;
                        }
                    }
                }
            }
        }
        revert OwnerQueryForNonexistentToken();
    }

    /**
     * @dev See {IERC721-ownerOf}.
     */
    function ownerOf(uint256 tokenId) public view override returns (address) {
        return ownershipOf(tokenId).addr;
    }

    /**
     * @dev See {IERC721Metadata-name}.
     */
    function name() public view virtual override returns (string memory) {
        return _name;
    }

    /**
     * @dev See {IERC721Metadata-symbol}.
     */
    function symbol() public view virtual override returns (string memory) {
        return _symbol;
    }

    /**
     * @dev See {IERC721Metadata-tokenURI}.
     */
    function tokenURI(uint256 tokenId) public view virtual override returns (string memory) {
        if (!_exists(tokenId)) revert URIQueryForNonexistentToken();

        string memory baseURI = _baseURI();
        return bytes(baseURI).length != 0 ? string(abi.encodePacked(baseURI, tokenId.toString())) : '';
    }

    /**
     * @dev Base URI for computing {tokenURI}. If set, the resulting URI for each
     * token will be the concatenation of the `baseURI` and the `tokenId`. Empty
     * by default, can be overriden in child contracts.
     */
    function _baseURI() internal view virtual returns (string memory) {
        return '';
    }

    /**
     * @dev See {IERC721-approve}.
     */
    function approve(address to, uint256 tokenId) public override {
        address owner = ERC721A.ownerOf(tokenId);
        if (to == owner) revert ApprovalToCurrentOwner();

        if (_msgSender() != owner && !isApprovedForAll(owner, _msgSender())) {
            revert ApprovalCallerNotOwnerNorApproved();
        }

        _approve(to, tokenId, owner);
    }

    /**
     * @dev See {IERC721-getApproved}.
     */
    function getApproved(uint256 tokenId) public view override returns (address) {
        if (!_exists(tokenId)) revert ApprovalQueryForNonexistentToken();

        return _tokenApprovals[tokenId];
    }

    /**
     * @dev See {IERC721-setApprovalForAll}.
     */
    function setApprovalForAll(address operator, bool approved) public override {
        if (operator == _msgSender()) revert ApproveToCaller();

        _operatorApprovals[_msgSender()][operator] = approved;
        emit ApprovalForAll(_msgSender(), operator, approved);
    }

    /**
     * @dev See {IERC721-isApprovedForAll}.
     */
    function isApprovedForAll(address owner, address operator) public view virtual override returns (bool) {
        return _operatorApprovals[owner][operator];
    }

    /**
     * @dev See {IERC721-transferFrom}.
     */
    function transferFrom(
        address from,
        address to,
        uint256 tokenId
    ) public virtual override {
        _transfer(from, to, tokenId);
    }

    /**
     * @dev See {IERC721-safeTransferFrom}.
     */
    function safeTransferFrom(
        address from,
        address to,
        uint256 tokenId
    ) public virtual override {
        safeTransferFrom(from, to, tokenId, '');
    }

    /**
     * @dev See {IERC721-safeTransferFrom}.
     */
    function safeTransferFrom(
        address from,
        address to,
        uint256 tokenId,
        bytes memory _data
    ) public virtual override {
        _transfer(from, to, tokenId);
        if (!_checkOnERC721Received(from, to, tokenId, _data)) {
            revert TransferToNonERC721ReceiverImplementer();
        }
    }

    /**
     * @dev Returns whether `tokenId` exists.
     *
     * Tokens can be managed by their owner or approved accounts via {approve} or {setApprovalForAll}.
     *
     * Tokens start existing when they are minted (`_mint`),
     */
    function _exists(uint256 tokenId) internal view returns (bool) {
        return tokenId < _currentIndex && !_ownerships[tokenId].burned;
    }

    function _safeMint(address to, uint256 quantity) internal {
        _safeMint(to, quantity, '');
    }

    /**
     * @dev Safely mints `quantity` tokens and transfers them to `to`.
     *
     * Requirements:
     *
     * - If `to` refers to a smart contract, it must implement {IERC721Receiver-onERC721Received}, which is called for each safe transfer.
     * - `quantity` must be greater than 0.
     *
     * Emits a {Transfer} event.
     */
    function _safeMint(
        address to,
        uint256 quantity,
        bytes memory _data
    ) internal {
        _mint(to, quantity, _data, true);
    }

    /**
     * @dev Mints `quantity` tokens and transfers them to `to`.
     *
     * Requirements:
     *
     * - `to` cannot be the zero address.
     * - `quantity` must be greater than 0.
     *
     * Emits a {Transfer} event.
     */
    function _mint(
        address to,
        uint256 quantity,
        bytes memory _data,
        bool safe
    ) internal {
        uint256 startTokenId = _currentIndex;
        if (to == address(0)) revert MintToZeroAddress();
        if (quantity == 0) revert MintZeroQuantity();

        _beforeTokenTransfers(address(0), to, startTokenId, quantity);

        // Overflows are incredibly unrealistic.
        // balance or numberMinted overflow if current value of either + quantity > 3.4e38 (2**128) - 1
        // updatedIndex overflows if _currentIndex + quantity > 3.4e38 (2**128) - 1
        unchecked {
            _addressData[to].balance += uint64(quantity);
            _addressData[to].numberMinted += uint64(quantity);

            _ownerships[startTokenId].addr = to;
            _ownerships[startTokenId].startTimestamp = uint64(block.timestamp);

            uint256 updatedIndex = startTokenId;

            for (uint256 i; i < quantity; i++) {
                emit Transfer(address(0), to, updatedIndex);
                if (safe && !_checkOnERC721Received(address(0), to, updatedIndex, _data)) {
                    revert TransferToNonERC721ReceiverImplementer();
                }
                updatedIndex++;
            }

            _currentIndex = uint128(updatedIndex);
        }
        _afterTokenTransfers(address(0), to, startTokenId, quantity);
    }

    /**
     * @dev Transfers `tokenId` from `from` to `to`.
     *
     * Requirements:
     *
     * - `to` cannot be the zero address.
     * - `tokenId` token must be owned by `from`.
     *
     * Emits a {Transfer} event.
     */
    function _transfer(
        address from,
        address to,
        uint256 tokenId
    ) private {
        TokenOwnership memory prevOwnership = ownershipOf(tokenId);

        bool isApprovedOrOwner = (_msgSender() == prevOwnership.addr ||
            isApprovedForAll(prevOwnership.addr, _msgSender()) ||
            getApproved(tokenId) == _msgSender());

        if (!isApprovedOrOwner) revert TransferCallerNotOwnerNorApproved();
        if (prevOwnership.addr != from) revert TransferFromIncorrectOwner();
        if (to == address(0)) revert TransferToZeroAddress();

        _beforeTokenTransfers(from, to, tokenId, 1);

        // Clear approvals from the previous owner
        _approve(address(0), tokenId, prevOwnership.addr);

        // Underflow of the sender's balance is impossible because we check for
        // ownership above and the recipient's balance can't realistically overflow.
        // Counter overflow is incredibly unrealistic as tokenId would have to be 2**128.
        unchecked {
            _addressData[from].balance -= 1;
            _addressData[to].balance += 1;

            _ownerships[tokenId].addr = to;
            _ownerships[tokenId].startTimestamp = uint64(block.timestamp);

            // If the ownership slot of tokenId+1 is not explicitly set, that means the transfer initiator owns it.
            // Set the slot of tokenId+1 explicitly in storage to maintain correctness for ownerOf(tokenId+1) calls.
            uint256 nextTokenId = tokenId + 1;
            if (_ownerships[nextTokenId].addr == address(0)) {
                // This will suffice for checking _exists(nextTokenId),
                // as a burned slot cannot contain the zero address.
                if (nextTokenId < _currentIndex) {
                    _ownerships[nextTokenId].addr = prevOwnership.addr;
                    _ownerships[nextTokenId].startTimestamp = prevOwnership.startTimestamp;
                }
            }
        }

        emit Transfer(from, to, tokenId);
        _afterTokenTransfers(from, to, tokenId, 1);
    }

    /**
     * @dev Destroys `tokenId`.
     * The approval is cleared when the token is burned.
     *
     * Requirements:
     *
     * - `tokenId` must exist.
     *
     * Emits a {Transfer} event.
     */
    function _burn(uint256 tokenId) internal virtual {
        TokenOwnership memory prevOwnership = ownershipOf(tokenId);

        _beforeTokenTransfers(prevOwnership.addr, address(0), tokenId, 1);

        // Clear approvals from the previous owner
        _approve(address(0), tokenId, prevOwnership.addr);

        // Underflow of the sender's balance is impossible because we check for
        // ownership above and the recipient's balance can't realistically overflow.
        // Counter overflow is incredibly unrealistic as tokenId would have to be 2**128.
        unchecked {
            _addressData[prevOwnership.addr].balance -= 1;
            _addressData[prevOwnership.addr].numberBurned += 1;

            // Keep track of who burned the token, and the timestamp of burning.
            _ownerships[tokenId].addr = prevOwnership.addr;
            _ownerships[tokenId].startTimestamp = uint64(block.timestamp);
            _ownerships[tokenId].burned = true;

            // If the ownership slot of tokenId+1 is not explicitly set, that means the burn initiator owns it.
            // Set the slot of tokenId+1 explicitly in storage to maintain correctness for ownerOf(tokenId+1) calls.
            uint256 nextTokenId = tokenId + 1;
            if (_ownerships[nextTokenId].addr == address(0)) {
                // This will suffice for checking _exists(nextTokenId),
                // as a burned slot cannot contain the zero address.
                if (nextTokenId < _currentIndex) {
                    _ownerships[nextTokenId].addr = prevOwnership.addr;
                    _ownerships[nextTokenId].startTimestamp = prevOwnership.startTimestamp;
                }
            }
        }

        emit Transfer(prevOwnership.addr, address(0), tokenId);
        _afterTokenTransfers(prevOwnership.addr, address(0), tokenId, 1);

        // Overflow not possible, as _burnCounter cannot be exceed _currentIndex times.
        unchecked { 
            _burnCounter++;
        }
    }

    /**
     * @dev Approve `to` to operate on `tokenId`
     *
     * Emits a {Approval} event.
     */
    function _approve(
        address to,
        uint256 tokenId,
        address owner
    ) private {
        _tokenApprovals[tokenId] = to;
        emit Approval(owner, to, tokenId);
    }

    /**
     * @dev Internal function to invoke {IERC721Receiver-onERC721Received} on a target address.
     * The call is not executed if the target address is not a contract.
     *
     * @param from address representing the previous owner of the given token ID
     * @param to target address that will receive the tokens
     * @param tokenId uint256 ID of the token to be transferred
     * @param _data bytes optional data to send along with the call
     * @return bool whether the call correctly returned the expected magic value
     */
    function _checkOnERC721Received(
        address from,
        address to,
        uint256 tokenId,
        bytes memory _data
    ) private returns (bool) {
        if (to.isContract()) {
            try IERC721Receiver(to).onERC721Received(_msgSender(), from, tokenId, _data) returns (bytes4 retval) {
                return retval == IERC721Receiver(to).onERC721Received.selector;
            } catch (bytes memory reason) {
                if (reason.length == 0) {
                    revert TransferToNonERC721ReceiverImplementer();
                } else {
                    assembly {
                        revert(add(32, reason), mload(reason))
                    }
                }
            }
        } else {
            return true;
        }
    }

    /**
     * @dev Hook that is called before a set of serially-ordered token ids are about to be transferred. This includes minting.
     * And also called before burning one token.
     *
     * startTokenId - the first token id to be transferred
     * quantity - the amount to be transferred
     *
     * Calling conditions:
     *
     * - When `from` and `to` are both non-zero, `from`'s `tokenId` will be
     * transferred to `to`.
     * - When `from` is zero, `tokenId` will be minted for `to`.
     * - When `to` is zero, `tokenId` will be burned by `from`.
     * - `from` and `to` are never both zero.
     */
    function _beforeTokenTransfers(
        address from,
        address to,
        uint256 startTokenId,
        uint256 quantity
    ) internal virtual {}

    /**
     * @dev Hook that is called after a set of serially-ordered token ids have been transferred. This includes
     * minting.
     * And also called after one token has been burned.
     *
     * startTokenId - the first token id to be transferred
     * quantity - the amount to be transferred
     *
     * Calling conditions:
     *
     * - When `from` and `to` are both non-zero, `from`'s `tokenId` has been
     * transferred to `to`.
     * - When `from` is zero, `tokenId` has been minted for `to`.
     * - When `to` is zero, `tokenId` has been burned by `from`.
     * - `from` and `to` are never both zero.
     */
    function _afterTokenTransfers(
        address from,
        address to,
        uint256 startTokenId,
        uint256 quantity
    ) internal virtual {}
}

File 22 of 30 : Ownable.sol
// SPDX-License-Identifier: MIT
// OpenZeppelin Contracts v4.4.1 (access/Ownable.sol)

pragma solidity ^0.8.0;

import "../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.
 *
 * By default, the owner account will be the one that deploys the contract. This
 * can later be changed with {transferOwnership}.
 *
 * This module is used through inheritance. It will make available the modifier
 * `onlyOwner`, which can be applied to your functions to restrict their use to
 * the owner.
 */
abstract contract Ownable is Context {
    address private _owner;

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

    /**
     * @dev Initializes the contract setting the deployer as the initial owner.
     */
    constructor() {
        _transferOwnership(_msgSender());
    }

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

    /**
     * @dev Throws if called by any account other than the owner.
     */
    modifier onlyOwner() {
        require(owner() == _msgSender(), "Ownable: caller is not the owner");
        _;
    }

    /**
     * @dev Leaves the contract without owner. It will not be possible to call
     * `onlyOwner` functions anymore. Can only be called by the current owner.
     *
     * NOTE: Renouncing ownership will leave the contract without an owner,
     * thereby removing any functionality that is only available to the owner.
     */
    function renounceOwnership() public virtual onlyOwner {
        _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 {
        require(newOwner != address(0), "Ownable: new owner is the zero address");
        _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 23 of 30 : IERC721Receiver.sol
// SPDX-License-Identifier: MIT
// OpenZeppelin Contracts v4.4.1 (token/ERC721/IERC721Receiver.sol)

pragma solidity ^0.8.0;

/**
 * @title ERC721 token receiver interface
 * @dev Interface for any contract that wants to support safeTransfers
 * from ERC721 asset contracts.
 */
interface IERC721Receiver {
    /**
     * @dev Whenever an {IERC721} `tokenId` token is transferred to this contract via {IERC721-safeTransferFrom}
     * by `operator` from `from`, this function is called.
     *
     * It must return its Solidity selector to confirm the token transfer.
     * If any other value is returned or the interface is not implemented by the recipient, the transfer will be reverted.
     *
     * The selector can be obtained in Solidity with `IERC721.onERC721Received.selector`.
     */
    function onERC721Received(
        address operator,
        address from,
        uint256 tokenId,
        bytes calldata data
    ) external returns (bytes4);
}

File 24 of 30 : IERC721Metadata.sol
// SPDX-License-Identifier: MIT
// OpenZeppelin Contracts v4.4.1 (token/ERC721/extensions/IERC721Metadata.sol)

pragma solidity ^0.8.0;

import "../IERC721.sol";

/**
 * @title ERC-721 Non-Fungible Token Standard, optional metadata extension
 * @dev See https://eips.ethereum.org/EIPS/eip-721
 */
interface IERC721Metadata is IERC721 {
    /**
     * @dev Returns the token collection name.
     */
    function name() external view returns (string memory);

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

    /**
     * @dev Returns the Uniform Resource Identifier (URI) for `tokenId` token.
     */
    function tokenURI(uint256 tokenId) external view returns (string memory);
}

File 25 of 30 : Address.sol
// SPDX-License-Identifier: MIT
// OpenZeppelin Contracts v4.4.1 (utils/Address.sol)

pragma solidity ^0.8.0;

/**
 * @dev Collection of functions related to the address type
 */
library Address {
    /**
     * @dev Returns true if `account` is a contract.
     *
     * [IMPORTANT]
     * ====
     * It is unsafe to assume that an address for which this function returns
     * false is an externally-owned account (EOA) and not a contract.
     *
     * Among others, `isContract` will return false for the following
     * types of addresses:
     *
     *  - an externally-owned account
     *  - a contract in construction
     *  - an address where a contract will be created
     *  - an address where a contract lived, but was destroyed
     * ====
     */
    function isContract(address account) internal view returns (bool) {
        // This method relies on extcodesize, which returns 0 for contracts in
        // construction, since the code is only stored at the end of the
        // constructor execution.

        uint256 size;
        assembly {
            size := extcodesize(account)
        }
        return size > 0;
    }

    /**
     * @dev Replacement for Solidity's `transfer`: sends `amount` wei to
     * `recipient`, forwarding all available gas and reverting on errors.
     *
     * https://eips.ethereum.org/EIPS/eip-1884[EIP1884] increases the gas cost
     * of certain opcodes, possibly making contracts go over the 2300 gas limit
     * imposed by `transfer`, making them unable to receive funds via
     * `transfer`. {sendValue} removes this limitation.
     *
     * https://diligence.consensys.net/posts/2019/09/stop-using-soliditys-transfer-now/[Learn more].
     *
     * IMPORTANT: because control is transferred to `recipient`, care must be
     * taken to not create reentrancy vulnerabilities. Consider using
     * {ReentrancyGuard} or the
     * https://solidity.readthedocs.io/en/v0.5.11/security-considerations.html#use-the-checks-effects-interactions-pattern[checks-effects-interactions pattern].
     */
    function sendValue(address payable recipient, uint256 amount) internal {
        require(address(this).balance >= amount, "Address: insufficient balance");

        (bool success, ) = recipient.call{value: amount}("");
        require(success, "Address: unable to send value, recipient may have reverted");
    }

    /**
     * @dev Performs a Solidity function call using a low level `call`. A
     * plain `call` is an unsafe replacement for a function call: use this
     * function instead.
     *
     * If `target` reverts with a revert reason, it is bubbled up by this
     * function (like regular Solidity function calls).
     *
     * Returns the raw returned data. To convert to the expected return value,
     * use https://solidity.readthedocs.io/en/latest/units-and-global-variables.html?highlight=abi.decode#abi-encoding-and-decoding-functions[`abi.decode`].
     *
     * Requirements:
     *
     * - `target` must be a contract.
     * - calling `target` with `data` must not revert.
     *
     * _Available since v3.1._
     */
    function functionCall(address target, bytes memory data) internal returns (bytes memory) {
        return functionCall(target, data, "Address: low-level call failed");
    }

    /**
     * @dev Same as {xref-Address-functionCall-address-bytes-}[`functionCall`], but with
     * `errorMessage` as a fallback revert reason when `target` reverts.
     *
     * _Available since v3.1._
     */
    function functionCall(
        address target,
        bytes memory data,
        string memory errorMessage
    ) internal returns (bytes memory) {
        return functionCallWithValue(target, data, 0, errorMessage);
    }

    /**
     * @dev Same as {xref-Address-functionCall-address-bytes-}[`functionCall`],
     * but also transferring `value` wei to `target`.
     *
     * Requirements:
     *
     * - the calling contract must have an ETH balance of at least `value`.
     * - the called Solidity function must be `payable`.
     *
     * _Available since v3.1._
     */
    function functionCallWithValue(
        address target,
        bytes memory data,
        uint256 value
    ) internal returns (bytes memory) {
        return functionCallWithValue(target, data, value, "Address: low-level call with value failed");
    }

    /**
     * @dev Same as {xref-Address-functionCallWithValue-address-bytes-uint256-}[`functionCallWithValue`], but
     * with `errorMessage` as a fallback revert reason when `target` reverts.
     *
     * _Available since v3.1._
     */
    function functionCallWithValue(
        address target,
        bytes memory data,
        uint256 value,
        string memory errorMessage
    ) internal returns (bytes memory) {
        require(address(this).balance >= value, "Address: insufficient balance for call");
        require(isContract(target), "Address: call to non-contract");

        (bool success, bytes memory returndata) = target.call{value: value}(data);
        return verifyCallResult(success, returndata, errorMessage);
    }

    /**
     * @dev Same as {xref-Address-functionCall-address-bytes-}[`functionCall`],
     * but performing a static call.
     *
     * _Available since v3.3._
     */
    function functionStaticCall(address target, bytes memory data) internal view returns (bytes memory) {
        return functionStaticCall(target, data, "Address: low-level static call failed");
    }

    /**
     * @dev Same as {xref-Address-functionCall-address-bytes-string-}[`functionCall`],
     * but performing a static call.
     *
     * _Available since v3.3._
     */
    function functionStaticCall(
        address target,
        bytes memory data,
        string memory errorMessage
    ) internal view returns (bytes memory) {
        require(isContract(target), "Address: static call to non-contract");

        (bool success, bytes memory returndata) = target.staticcall(data);
        return verifyCallResult(success, returndata, errorMessage);
    }

    /**
     * @dev Same as {xref-Address-functionCall-address-bytes-}[`functionCall`],
     * but performing a delegate call.
     *
     * _Available since v3.4._
     */
    function functionDelegateCall(address target, bytes memory data) internal returns (bytes memory) {
        return functionDelegateCall(target, data, "Address: low-level delegate call failed");
    }

    /**
     * @dev Same as {xref-Address-functionCall-address-bytes-string-}[`functionCall`],
     * but performing a delegate call.
     *
     * _Available since v3.4._
     */
    function functionDelegateCall(
        address target,
        bytes memory data,
        string memory errorMessage
    ) internal returns (bytes memory) {
        require(isContract(target), "Address: delegate call to non-contract");

        (bool success, bytes memory returndata) = target.delegatecall(data);
        return verifyCallResult(success, returndata, errorMessage);
    }

    /**
     * @dev Tool to verifies that a low level call was successful, and revert if it wasn't, either by bubbling the
     * revert reason using the provided one.
     *
     * _Available since v4.3._
     */
    function verifyCallResult(
        bool success,
        bytes memory returndata,
        string memory errorMessage
    ) internal pure returns (bytes memory) {
        if (success) {
            return returndata;
        } else {
            // Look for revert reason and bubble it up if present
            if (returndata.length > 0) {
                // The easiest way to bubble the revert reason is using memory via assembly

                assembly {
                    let returndata_size := mload(returndata)
                    revert(add(32, returndata), returndata_size)
                }
            } else {
                revert(errorMessage);
            }
        }
    }
}

File 26 of 30 : Context.sol
// SPDX-License-Identifier: MIT
// OpenZeppelin Contracts v4.4.1 (utils/Context.sol)

pragma solidity ^0.8.0;

/**
 * @dev Provides information about the current execution context, including the
 * sender of the transaction and its data. While these are generally available
 * via msg.sender and msg.data, they should not be accessed in such a direct
 * manner, since when dealing with 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;
    }
}

File 27 of 30 : ERC165.sol
// SPDX-License-Identifier: MIT
// OpenZeppelin Contracts v4.4.1 (utils/introspection/ERC165.sol)

pragma solidity ^0.8.0;

import "./IERC165.sol";

/**
 * @dev Implementation of the {IERC165} interface.
 *
 * Contracts that want to implement ERC165 should inherit from this contract and override {supportsInterface} to check
 * for the additional interface id that will be supported. For example:
 *
 * ```solidity
 * function supportsInterface(bytes4 interfaceId) public view virtual override returns (bool) {
 *     return interfaceId == type(MyInterface).interfaceId || super.supportsInterface(interfaceId);
 * }
 * ```
 *
 * Alternatively, {ERC165Storage} provides an easier to use but more expensive implementation.
 */
abstract contract ERC165 is IERC165 {
    /**
     * @dev See {IERC165-supportsInterface}.
     */
    function supportsInterface(bytes4 interfaceId) public view virtual override returns (bool) {
        return interfaceId == type(IERC165).interfaceId;
    }
}

File 28 of 30 : Rarities.sol
//SPDX-License-Identifier: MIT
pragma solidity ^0.8.0;

import "./Enums.sol";

library Rarities {
    function accessory() internal pure returns (uint16[] memory ret) {
        ret = new uint16[](7);
        ret[0] = 1200;
        ret[1] = 800;
        ret[2] = 800;
        ret[3] = 400;
        ret[4] = 400;
        ret[5] = 400;
        ret[6] = 6000;
    }

    function backaccessory() internal pure returns (uint16[] memory ret) {
        ret = new uint16[](8);
        ret[0] = 200;
        ret[1] = 1300;
        ret[2] = 800;
        ret[3] = 400;
        ret[4] = 1100;
        ret[5] = 700;
        ret[6] = 500;
        ret[7] = 5000;
    }

    function background() internal pure returns (uint16[] memory ret) {
        ret = new uint16[](23);
        ret[0] = 600;
        ret[1] = 600;
        ret[2] = 600;
        ret[3] = 600;
        ret[4] = 500;
        ret[5] = 500;
        ret[6] = 500;
        ret[7] = 500;
        ret[8] = 500;
        ret[9] = 500;
        ret[10] = 100;
        ret[11] = 100;
        ret[12] = 100;
        ret[13] = 600;
        ret[14] = 600;
        ret[15] = 600;
        ret[16] = 100;
        ret[17] = 100;
        ret[18] = 400;
        ret[19] = 400;
        ret[20] = 500;
        ret[21] = 500;
        ret[22] = 500;
    }

    function clothing() internal pure returns (uint16[] memory ret) {
        ret = new uint16[](24);
        ret[0] = 500;
        ret[1] = 500;
        ret[2] = 300;
        ret[3] = 300;
        ret[4] = 500;
        ret[5] = 400;
        ret[6] = 300;
        ret[7] = 250;
        ret[8] = 250;
        ret[9] = 500;
        ret[10] = 100;
        ret[11] = 500;
        ret[12] = 300;
        ret[13] = 500;
        ret[14] = 500;
        ret[15] = 500;
        ret[16] = 100;
        ret[17] = 400;
        ret[18] = 400;
        ret[19] = 250;
        ret[20] = 250;
        ret[21] = 250;
        ret[22] = 150;
        ret[23] = 2000;
    }

    function eyes() internal pure returns (uint16[] memory ret) {
        ret = new uint16[](32);
        ret[0] = 250;
        ret[1] = 700;
        ret[2] = 225;
        ret[3] = 350;
        ret[4] = 125;
        ret[5] = 450;
        ret[6] = 700;
        ret[7] = 700;
        ret[8] = 350;
        ret[9] = 350;
        ret[10] = 600;
        ret[11] = 450;
        ret[12] = 250;
        ret[13] = 350;
        ret[14] = 350;
        ret[15] = 225;
        ret[16] = 125;
        ret[17] = 350;
        ret[18] = 200;
        ret[19] = 200;
        ret[20] = 200;
        ret[21] = 200;
        ret[22] = 200;
        ret[23] = 200;
        ret[24] = 50;
        ret[25] = 50;
        ret[26] = 450;
        ret[27] = 450;
        ret[28] = 400;
        ret[29] = 450;
        ret[30] = 25;
        ret[31] = 25;
    }

    function fur() internal pure returns (uint16[] memory ret) {
        ret = new uint16[](16);
        ret[0] = 1100;
        ret[1] = 1100;
        ret[2] = 1100;
        ret[3] = 525;
        ret[4] = 350;
        ret[5] = 1100;
        ret[6] = 350;
        ret[7] = 1100;
        ret[8] = 1000;
        ret[9] = 525;
        ret[10] = 525;
        ret[11] = 500;
        ret[12] = 525;
        ret[13] = 100;
        ret[14] = 50;
        ret[15] = 50;
    }

    function head() internal pure returns (uint16[] memory ret) {
        ret = new uint16[](21);
        ret[0] = 200;
        ret[1] = 200;
        ret[2] = 350;
        ret[3] = 350;
        ret[4] = 350;
        ret[5] = 150;
        ret[6] = 600;
        ret[7] = 350;
        ret[8] = 350;
        ret[9] = 350;
        ret[10] = 600;
        ret[11] = 600;
        ret[12] = 600;
        ret[13] = 200;
        ret[14] = 350;
        ret[15] = 600;
        ret[16] = 600;
        ret[17] = 50;
        ret[18] = 50;
        ret[19] = 100;
        ret[20] = 3000;
    }

    function mouth() internal pure returns (uint16[] memory ret) {
        ret = new uint16[](21);
        ret[0] = 1000;
        ret[1] = 1000;
        ret[2] = 1000;
        ret[3] = 650;
        ret[4] = 1000;
        ret[5] = 900;
        ret[6] = 750;
        ret[7] = 650;
        ret[8] = 100;
        ret[9] = 50;
        ret[10] = 100;
        ret[11] = 100;
        ret[12] = 100;
        ret[13] = 100;
        ret[14] = 50;
        ret[15] = 100;
        ret[16] = 100;
        ret[17] = 600;
        ret[18] = 600;
        ret[19] = 50;
        ret[20] = 1000;
    }
}

File 29 of 30 : IERC20.sol
// SPDX-License-Identifier: MIT
// OpenZeppelin Contracts v4.4.1 (token/ERC20/IERC20.sol)

pragma solidity ^0.8.0;

/**
 * @dev Interface of the ERC20 standard as defined in the EIP.
 */
interface IERC20 {
    /**
     * @dev Returns the amount of tokens in existence.
     */
    function totalSupply() external view returns (uint256);

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

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

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

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

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

    /**
     * @dev Emitted when `value` tokens are moved from one account (`from`) to
     * another (`to`).
     *
     * Note that `value` may be zero.
     */
    event Transfer(address indexed from, address indexed to, uint256 value);

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

File 30 of 30 : MerkleProof.sol
// SPDX-License-Identifier: MIT
// OpenZeppelin Contracts v4.4.1 (utils/cryptography/MerkleProof.sol)

pragma solidity ^0.8.0;

/**
 * @dev These functions deal with verification of Merkle Trees proofs.
 *
 * The proofs can be generated using the JavaScript library
 * https://github.com/miguelmota/merkletreejs[merkletreejs].
 * Note: the hashing algorithm should be keccak256 and pair sorting should be enabled.
 *
 * See `test/utils/cryptography/MerkleProof.test.js` for some examples.
 */
library MerkleProof {
    /**
     * @dev Returns true if a `leaf` can be proved to be a part of a Merkle tree
     * defined by `root`. For this, a `proof` must be provided, containing
     * sibling hashes on the branch from the leaf to the root of the tree. Each
     * pair of leaves and each pair of pre-images are assumed to be sorted.
     */
    function verify(
        bytes32[] memory proof,
        bytes32 root,
        bytes32 leaf
    ) internal pure returns (bool) {
        return processProof(proof, leaf) == root;
    }

    /**
     * @dev Returns the rebuilt hash obtained by traversing a Merklee tree up
     * from `leaf` using `proof`. A `proof` is valid if and only if the rebuilt
     * hash matches the root of the tree. When processing the proof, the pairs
     * of leafs & pre-images are assumed to be sorted.
     *
     * _Available since v4.4._
     */
    function processProof(bytes32[] memory proof, bytes32 leaf) internal pure returns (bytes32) {
        bytes32 computedHash = leaf;
        for (uint256 i = 0; i < proof.length; i++) {
            bytes32 proofElement = proof[i];
            if (computedHash <= proofElement) {
                // Hash(current computed hash + current element of the proof)
                computedHash = keccak256(abi.encodePacked(computedHash, proofElement));
            } else {
                // Hash(current element of the proof + current computed hash)
                computedHash = keccak256(abi.encodePacked(proofElement, computedHash));
            }
        }
        return computedHash;
    }
}

Settings
{
  "optimizer": {
    "enabled": true,
    "runs": 200
  },
  "outputSelection": {
    "*": {
      "*": [
        "evm.bytecode",
        "evm.deployedBytecode",
        "devdoc",
        "userdoc",
        "metadata",
        "abi"
      ]
    }
  },
  "libraries": {
    "contracts/Generator.sol": {
      "Generator": "0xc87f9d93feb408e0589051c06f88b6a269c3ec19"
    }
  }
}

Contract Security Audit

Contract ABI

[{"inputs":[{"components":[{"internalType":"address payable","name":"addr","type":"address"},{"internalType":"uint16","name":"ratio","type":"uint16"}],"internalType":"struct Payee[]","name":"payees","type":"tuple[]"},{"internalType":"bytes32","name":"merkleRoot","type":"bytes32"}],"stateMutability":"nonpayable","type":"constructor"},{"inputs":[],"name":"ApprovalCallerNotOwnerNorApproved","type":"error"},{"inputs":[],"name":"ApprovalQueryForNonexistentToken","type":"error"},{"inputs":[],"name":"ApprovalToCurrentOwner","type":"error"},{"inputs":[],"name":"ApproveToCaller","type":"error"},{"inputs":[],"name":"BalanceQueryForZeroAddress","type":"error"},{"inputs":[],"name":"MintToZeroAddress","type":"error"},{"inputs":[],"name":"MintZeroQuantity","type":"error"},{"inputs":[],"name":"OwnerIndexOutOfBounds","type":"error"},{"inputs":[],"name":"OwnerQueryForNonexistentToken","type":"error"},{"inputs":[],"name":"TokenIndexOutOfBounds","type":"error"},{"inputs":[],"name":"TransferCallerNotOwnerNorApproved","type":"error"},{"inputs":[],"name":"TransferFromIncorrectOwner","type":"error"},{"inputs":[],"name":"TransferToNonERC721ReceiverImplementer","type":"error"},{"inputs":[],"name":"TransferToZeroAddress","type":"error"},{"anonymous":false,"inputs":[{"indexed":true,"internalType":"address","name":"owner","type":"address"},{"indexed":true,"internalType":"address","name":"approved","type":"address"},{"indexed":true,"internalType":"uint256","name":"tokenId","type":"uint256"}],"name":"Approval","type":"event"},{"anonymous":false,"inputs":[{"indexed":true,"internalType":"address","name":"owner","type":"address"},{"indexed":true,"internalType":"address","name":"operator","type":"address"},{"indexed":false,"internalType":"bool","name":"approved","type":"bool"}],"name":"ApprovalForAll","type":"event"},{"anonymous":false,"inputs":[{"indexed":false,"internalType":"uint256","name":"tokenId","type":"uint256"}],"name":"MetadataChanged","type":"event"},{"anonymous":false,"inputs":[{"indexed":false,"internalType":"enum MintingState","name":"oldState","type":"uint8"},{"indexed":false,"internalType":"enum MintingState","name":"newState","type":"uint8"}],"name":"MintingStateChanged","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":true,"internalType":"uint256","name":"tokenId","type":"uint256"}],"name":"Transfer","type":"event"},{"inputs":[{"internalType":"address","name":"addr","type":"address"}],"name":"addAdmin","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"uint256","name":"tokenId","type":"uint256"}],"name":"adminBurn","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"components":[{"internalType":"enum Accessory","name":"accessory","type":"uint8"},{"internalType":"enum BackAccessory","name":"backaccessory","type":"uint8"},{"internalType":"enum Background","name":"background","type":"uint8"},{"internalType":"enum Clothing","name":"clothing","type":"uint8"},{"internalType":"enum Eyes","name":"eyes","type":"uint8"},{"internalType":"enum Fur","name":"fur","type":"uint8"},{"internalType":"enum Head","name":"head","type":"uint8"},{"internalType":"enum Mouth","name":"mouth","type":"uint8"},{"internalType":"uint24","name":"attack","type":"uint24"},{"internalType":"uint24","name":"defense","type":"uint24"},{"internalType":"uint24","name":"luck","type":"uint24"},{"internalType":"uint24","name":"speed","type":"uint24"},{"internalType":"uint24","name":"strength","type":"uint24"},{"internalType":"uint24","name":"intelligence","type":"uint24"},{"internalType":"uint16","name":"level","type":"uint16"}],"internalType":"struct ChainScoutMetadata","name":"tbd","type":"tuple"},{"internalType":"address","name":"owner","type":"address"}],"name":"adminCreateChainScout","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"string","name":"key","type":"string"}],"name":"adminRemoveExtension","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"uint256","name":"tokenId","type":"uint256"},{"components":[{"internalType":"enum Accessory","name":"accessory","type":"uint8"},{"internalType":"enum BackAccessory","name":"backaccessory","type":"uint8"},{"internalType":"enum Background","name":"background","type":"uint8"},{"internalType":"enum Clothing","name":"clothing","type":"uint8"},{"internalType":"enum Eyes","name":"eyes","type":"uint8"},{"internalType":"enum Fur","name":"fur","type":"uint8"},{"internalType":"enum Head","name":"head","type":"uint8"},{"internalType":"enum Mouth","name":"mouth","type":"uint8"},{"internalType":"uint24","name":"attack","type":"uint24"},{"internalType":"uint24","name":"defense","type":"uint24"},{"internalType":"uint24","name":"luck","type":"uint24"},{"internalType":"uint24","name":"speed","type":"uint24"},{"internalType":"uint24","name":"strength","type":"uint24"},{"internalType":"uint24","name":"intelligence","type":"uint24"},{"internalType":"uint16","name":"level","type":"uint16"}],"internalType":"struct ChainScoutMetadata","name":"tbd","type":"tuple"}],"name":"adminSetChainScoutMetadata","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"bool","name":"e","type":"bool"}],"name":"adminSetEnabled","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"string","name":"key","type":"string"},{"internalType":"contract ChainScoutsExtension","name":"extension","type":"address"}],"name":"adminSetExtension","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"uint256","name":"max","type":"uint256"}],"name":"adminSetMaxPerTx","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"uint256","name":"max","type":"uint256"}],"name":"adminSetMaxWhitelistMints","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"bytes32","name":"_root","type":"bytes32"}],"name":"adminSetMerkleRoot","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"uint256","name":"max","type":"uint256"}],"name":"adminSetMintPriceWei","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"enum MintingState","name":"ms","type":"uint8"}],"name":"adminSetMintingState","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"address","name":"from","type":"address"},{"internalType":"address","name":"to","type":"address"},{"internalType":"uint256","name":"tokenId","type":"uint256"}],"name":"adminTransfer","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"address","name":"to","type":"address"},{"internalType":"uint256","name":"tokenId","type":"uint256"}],"name":"approve","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"address","name":"owner","type":"address"}],"name":"balanceOf","outputs":[{"internalType":"uint256","name":"","type":"uint256"}],"stateMutability":"view","type":"function"},{"inputs":[{"internalType":"address","name":"addr","type":"address"},{"internalType":"uint256","name":"tokenId","type":"uint256"}],"name":"canAccessToken","outputs":[{"internalType":"bool","name":"","type":"bool"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"enabled","outputs":[{"internalType":"bool","name":"","type":"bool"}],"stateMutability":"view","type":"function"},{"inputs":[{"internalType":"string","name":"","type":"string"}],"name":"extensions","outputs":[{"internalType":"contract ChainScoutsExtension","name":"","type":"address"}],"stateMutability":"view","type":"function"},{"inputs":[{"internalType":"uint256","name":"tokenId","type":"uint256"}],"name":"getApproved","outputs":[{"internalType":"address","name":"","type":"address"}],"stateMutability":"view","type":"function"},{"inputs":[{"internalType":"uint256","name":"tokenId","type":"uint256"}],"name":"getChainScoutMetadata","outputs":[{"components":[{"internalType":"enum Accessory","name":"accessory","type":"uint8"},{"internalType":"enum BackAccessory","name":"backaccessory","type":"uint8"},{"internalType":"enum Background","name":"background","type":"uint8"},{"internalType":"enum Clothing","name":"clothing","type":"uint8"},{"internalType":"enum Eyes","name":"eyes","type":"uint8"},{"internalType":"enum Fur","name":"fur","type":"uint8"},{"internalType":"enum Head","name":"head","type":"uint8"},{"internalType":"enum Mouth","name":"mouth","type":"uint8"},{"internalType":"uint24","name":"attack","type":"uint24"},{"internalType":"uint24","name":"defense","type":"uint24"},{"internalType":"uint24","name":"luck","type":"uint24"},{"internalType":"uint24","name":"speed","type":"uint24"},{"internalType":"uint24","name":"strength","type":"uint24"},{"internalType":"uint24","name":"intelligence","type":"uint24"},{"internalType":"uint16","name":"level","type":"uint16"}],"internalType":"struct ChainScoutMetadata","name":"","type":"tuple"}],"stateMutability":"view","type":"function"},{"inputs":[{"internalType":"address","name":"","type":"address"}],"name":"isAdmin","outputs":[{"internalType":"bool","name":"","type":"bool"}],"stateMutability":"view","type":"function"},{"inputs":[{"internalType":"address","name":"owner","type":"address"},{"internalType":"address","name":"operator","type":"address"}],"name":"isApprovedForAll","outputs":[{"internalType":"bool","name":"","type":"bool"}],"stateMutability":"view","type":"function"},{"inputs":[{"internalType":"bytes32[]","name":"proof","type":"bytes32[]"},{"internalType":"address","name":"addr","type":"address"}],"name":"isWhitelisted","outputs":[{"internalType":"bool","name":"","type":"bool"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"maxMintPerTx","outputs":[{"internalType":"uint256","name":"","type":"uint256"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"maxSupply","outputs":[{"internalType":"uint256","name":"","type":"uint256"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"maxWhitelistMints","outputs":[{"internalType":"uint256","name":"","type":"uint256"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"mintPriceWei","outputs":[{"internalType":"uint256","name":"","type":"uint256"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"mintingState","outputs":[{"internalType":"enum MintingState","name":"","type":"uint8"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"name","outputs":[{"internalType":"string","name":"","type":"string"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"owner","outputs":[{"internalType":"address","name":"","type":"address"}],"stateMutability":"view","type":"function"},{"inputs":[{"internalType":"uint256","name":"tokenId","type":"uint256"}],"name":"ownerOf","outputs":[{"internalType":"address","name":"","type":"address"}],"stateMutability":"view","type":"function"},{"inputs":[{"internalType":"uint256","name":"count","type":"uint256"}],"name":"publicMint","outputs":[{"internalType":"uint256","name":"","type":"uint256"}],"stateMutability":"payable","type":"function"},{"inputs":[{"internalType":"uint256","name":"count","type":"uint256"}],"name":"publicMintAndStake","outputs":[{"internalType":"uint256","name":"","type":"uint256"}],"stateMutability":"payable","type":"function"},{"inputs":[{"internalType":"address","name":"addr","type":"address"}],"name":"removeAdmin","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[],"name":"renounceOwnership","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"address","name":"from","type":"address"},{"internalType":"address","name":"to","type":"address"},{"internalType":"uint256","name":"tokenId","type":"uint256"}],"name":"safeTransferFrom","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"address","name":"from","type":"address"},{"internalType":"address","name":"to","type":"address"},{"internalType":"uint256","name":"tokenId","type":"uint256"},{"internalType":"bytes","name":"data","type":"bytes"}],"name":"safeTransferFrom","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"address","name":"operator","type":"address"},{"internalType":"bool","name":"approved","type":"bool"}],"name":"setApprovalForAll","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"bytes4","name":"interfaceId","type":"bytes4"}],"name":"supportsInterface","outputs":[{"internalType":"bool","name":"","type":"bool"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"symbol","outputs":[{"internalType":"string","name":"","type":"string"}],"stateMutability":"view","type":"function"},{"inputs":[{"internalType":"uint256","name":"index","type":"uint256"}],"name":"tokenByIndex","outputs":[{"internalType":"uint256","name":"","type":"uint256"}],"stateMutability":"view","type":"function"},{"inputs":[{"internalType":"address","name":"owner","type":"address"},{"internalType":"uint256","name":"index","type":"uint256"}],"name":"tokenOfOwnerByIndex","outputs":[{"internalType":"uint256","name":"","type":"uint256"}],"stateMutability":"view","type":"function"},{"inputs":[{"internalType":"uint256","name":"tokenId","type":"uint256"}],"name":"tokenURI","outputs":[{"internalType":"string","name":"","type":"string"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"totalSupply","outputs":[{"internalType":"uint256","name":"","type":"uint256"}],"stateMutability":"view","type":"function"},{"inputs":[{"internalType":"address","name":"from","type":"address"},{"internalType":"address","name":"to","type":"address"},{"internalType":"uint256","name":"tokenId","type":"uint256"}],"name":"transferFrom","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"address","name":"newOwner","type":"address"}],"name":"transferOwnership","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"bytes32[]","name":"proof","type":"bytes32[]"},{"internalType":"uint256","name":"count","type":"uint256"}],"name":"whitelistMint","outputs":[{"internalType":"uint256","name":"","type":"uint256"}],"stateMutability":"payable","type":"function"},{"inputs":[{"internalType":"bytes32[]","name":"proof","type":"bytes32[]"},{"internalType":"uint256","name":"count","type":"uint256"}],"name":"whitelistMintAndStake","outputs":[{"internalType":"uint256","name":"","type":"uint256"}],"stateMutability":"payable","type":"function"},{"inputs":[{"internalType":"address","name":"","type":"address"}],"name":"whitelistMintsUsed","outputs":[{"internalType":"uint256","name":"","type":"uint256"}],"stateMutability":"view","type":"function"}]

608060405260098054600160ff1991821617909155600b80549091169055620000336200037b602090811b62001e2e17901c565b5160145566f195a3c4ba00006016553480156200004f57600080fd5b50604051620048303803806200483083398101604081905262000072916200065d565b816005611ae86003846040518060400160405280600c81526020016b436861696e2053636f75747360a01b81525060405180604001604052806002815260200161435360f01b8152508160019080519060200190620000d392919062000445565b508051620000e990600290602084019062000445565b5050506200010662000100620003ac60201b60201c565b620003b0565b336000908152600860205260409020805460ff19166001179055600c849055600d839055600e829055600f81905584516001600160401b03811115620001505762000150620005e9565b6040519080825280602002602001820160405280156200017a578160200160208202803683370190505b5080516200019191601091602090910190620004d4565b5084516001600160401b03811115620001ae57620001ae620005e9565b604051908082528060200260200182016040528015620001d8578160200160208202803683370190505b508051620001ef916011916020909101906200052c565b5060005b8551811015620003195785818151811062000212576200021262000765565b6020026020010151600001516010828154811062000234576200023462000765565b9060005260206000200160006101000a8154816001600160a01b0302191690836001600160a01b0316021790555085818151811062000277576200027762000765565b6020026020010151602001516011828154811062000299576200029962000765565b90600052602060002090601091828204019190066002026101000a81548161ffff021916908361ffff160217905550858181518110620002dd57620002dd62000765565b60200260200101516020015161ffff166012600082825462000300919062000791565b9091555062000311905081620007ac565b9050620001f3565b506012546200036e5760405162461bcd60e51b815260206004820152601d60248201527f546f74616c20706179656520726174696f206d757374206265203e2030000000604482015260640160405180910390fd5b5050505050505062000807565b6040805160208101909152600081526040518060200160405280620003a56200040260201b60201c565b9052919050565b3390565b600780546001600160a01b038381166001600160a01b0319831681179093556040519116919082907f8be0079c531659141344cd1fd0a4f28419497f9722a3daafe3b4186f6b6457e090600090a35050565b6040516001600160601b031941606090811b8216602084015233901b16603482015260009060480160405160208183030381529060405280519060200120905090565b8280546200045390620007ca565b90600052602060002090601f016020900481019282620004775760008555620004c2565b82601f106200049257805160ff1916838001178555620004c2565b82800160010185558215620004c2579182015b82811115620004c2578251825591602001919060010190620004a5565b50620004d0929150620005d2565b5090565b828054828255906000526020600020908101928215620004c2579160200282015b82811115620004c257825182546001600160a01b0319166001600160a01b03909116178255602090920191600190910190620004f5565b82805482825590600052602060002090600f01601090048101928215620004c25791602002820160005b838211156200059857835183826101000a81548161ffff021916908361ffff160217905550926020019260020160208160010104928301926001030262000556565b8015620005c85782816101000a81549061ffff021916905560020160208160010104928301926001030262000598565b5050620004d09291505b5b80821115620004d05760008155600101620005d3565b634e487b7160e01b600052604160045260246000fd5b604080519081016001600160401b0381118282101715620006245762000624620005e9565b60405290565b604051601f8201601f191681016001600160401b0381118282101715620006555762000655620005e9565b604052919050565b60008060408084860312156200067257600080fd5b83516001600160401b03808211156200068a57600080fd5b818601915086601f8301126200069f57600080fd5b8151602082821115620006b657620006b6620005e9565b620006c6818360051b016200062a565b828152818101935060069290921b840181019189831115620006e757600080fd5b938101935b82851015620007555785858b031215620007065760008081fd5b62000710620005ff565b85516001600160a01b0381168114620007295760008081fd5b81528583015161ffff81168114620007415760008081fd5b8184015284529385019392810192620006ec565b9701519698969750505050505050565b634e487b7160e01b600052603260045260246000fd5b634e487b7160e01b600052601160045260246000fd5b60008219821115620007a757620007a76200077b565b500190565b6000600019821415620007c357620007c36200077b565b5060010190565b600181811c90821680620007df57607f821691505b602082108114156200080157634e487b7160e01b600052602260045260246000fd5b50919050565b61401980620008176000396000f3fe6080604052600436106102ae5760003560e01c80638da5cb5b11610175578063cc6465c0116100dc578063debefaa611610095578063eb250c711161006f578063eb250c7114610847578063f2fde38b14610867578063ff11388c14610887578063ff6e36ed146108c857600080fd5b8063debefaa6146107e7578063e90b622014610807578063e985e9c51461082757600080fd5b8063cc6465c01461073b578063d1b3f31614610768578063d5abeb011461077b578063d6f56c8a14610791578063da72c1e8146107b1578063de7fcb1d146107d157600080fd5b8063b52190551161012e578063b521905514610686578063b562afe2146106a6578063b88d4fde146106c6578063badb97ff146106e6578063c87b56dd14610706578063cb2c97221461072657600080fd5b80638da5cb5b146105c657806395d89b41146105e4578063a22cb465146105f9578063a6c3b3c214610619578063a9d1401914610639578063b4375dc91461066657600080fd5b806324d7806c1161021957806356f4d0bb116101d257806356f4d0bb1461051e5780636352211e14610531578063704802751461055157806370a0823114610571578063715018a614610591578063742426b9146105a657600080fd5b806324d7806c146104685780632904e6d9146104985780632db11544146104ab5780632f745c59146104be57806342842e0e146104de5780634f6ccce7146104fe57600080fd5b80630e6d3a891161026b5780630e6d3a89146103a45780630fd38f8e146103cb5780631785f53c146103eb57806318160ddd1461040b578063238dafe01461042e57806323b872dd1461044857600080fd5b806301368c79146102b357806301ffc9a7146102d557806306fdde031461030a578063081812fc1461032c578063081b14a314610364578063095ea7b314610384575b600080fd5b3480156102bf57600080fd5b506102d36102ce366004612fc1565b6108de565b005b3480156102e157600080fd5b506102f56102f0366004613011565b6109ca565b60405190151581526020015b60405180910390f35b34801561031657600080fd5b5061031f610a37565b6040516103019190613086565b34801561033857600080fd5b5061034c610347366004613099565b610ac9565b6040516001600160a01b039091168152602001610301565b34801561037057600080fd5b506102f561037f3660046130b2565b610b0d565b34801561039057600080fd5b506102d361039f3660046130b2565b610b67565b3480156103b057600080fd5b50600b546103be9060ff1681565b6040516103019190613108565b3480156103d757600080fd5b506102d36103e636600461315e565b610bf5565b3480156103f757600080fd5b506102d36104063660046131b4565b610c6b565b34801561041757600080fd5b50610420610cbb565b604051908152602001610301565b34801561043a57600080fd5b506009546102f59060ff1681565b34801561045457600080fd5b506102d36104633660046131d1565b610cda565b34801561047457600080fd5b506102f56104833660046131b4565b60086020526000908152604090205460ff1681565b6104206104a6366004613256565b610d07565b6104206104b9366004613099565b610e6a565b3480156104ca57600080fd5b506104206104d93660046130b2565b610f58565b3480156104ea57600080fd5b506102d36104f93660046131d1565b611054565b34801561050a57600080fd5b50610420610519366004613099565b611091565b61042061052c366004613256565b61113b565b34801561053d57600080fd5b5061034c61054c366004613099565b61125c565b34801561055d57600080fd5b506102d361056c3660046131b4565b61126e565b34801561057d57600080fd5b5061042061058c3660046131b4565b6112c1565b34801561059d57600080fd5b506102d361130f565b3480156105b257600080fd5b506102d36105c1366004613099565b611375565b3480156105d257600080fd5b506007546001600160a01b031661034c565b3480156105f057600080fd5b5061031f6113a9565b34801561060557600080fd5b506102d36106143660046132b1565b6113b8565b34801561062557600080fd5b506102d3610634366004613099565b61144e565b34801561064557600080fd5b50610659610654366004613099565b611482565b604051610301919061335f565b34801561067257600080fd5b506102d3610681366004613465565b61172f565b34801561069257600080fd5b506102d36106a1366004613480565b611771565b3480156106b257600080fd5b506102d36106c13660046134a1565b611808565b3480156106d257600080fd5b506102d36106e13660046134c6565b61188a565b3480156106f257600080fd5b506102d3610701366004613099565b6118ee565b34801561071257600080fd5b5061031f610721366004613099565b61194b565b34801561073257600080fd5b50601654610420565b34801561074757600080fd5b506104206107563660046131b4565b600a6020526000908152604090205481565b610420610776366004613099565b6119fa565b34801561078757600080fd5b50610420600d5481565b34801561079d57600080fd5b506102d36107ac366004613099565b611b17565b3480156107bd57600080fd5b506102d36107cc3660046131d1565b611b4b565b3480156107dd57600080fd5b50610420600c5481565b3480156107f357600080fd5b506102f5610802366004613538565b611bfa565b34801561081357600080fd5b506102d3610822366004613099565b611c80565b34801561083357600080fd5b506102f561084236600461356f565b611cb4565b34801561085357600080fd5b506102d361086236600461359d565b611d04565b34801561087357600080fd5b506102d36108823660046131b4565b611d66565b34801561089357600080fd5b5061034c6108a2366004613674565b80516020818301810180516013825292820191909301209152546001600160a01b031681565b3480156108d457600080fd5b50610420600e5481565b3360009081526008602052604090205460ff166109165760405162461bcd60e51b815260040161090d906136f3565b60405180910390fd5b600d54610921610cbb565b1061097c5760405162461bcd60e51b815260206004820152602560248201527f436861696e53636f7574733a20746f74616c537570706c79203e3d206d6178536044820152647570706c7960d81b606482015260840161090d565b6000805460408051602081019091528281526001600160801b03909116916109a991849160019190611e9a565b600081815260156020526040902083906109c3828261397a565b5050505050565b60006001600160e01b031982166380ac58cd60e01b14806109fb57506001600160e01b03198216635b5e139f60e01b145b80610a1657506001600160e01b0319821663780e9d6360e01b145b80610a3157506301ffc9a760e01b6001600160e01b03198316145b92915050565b606060018054610a4690613b85565b80601f0160208091040260200160405190810160405280929190818152602001828054610a7290613b85565b8015610abf5780601f10610a9457610100808354040283529160200191610abf565b820191906000526020600020905b815481529060010190602001808311610aa257829003601f168201915b5050505050905090565b6000610ad48261201d565b610af1576040516333d1c03960e21b815260040160405180910390fd5b506000908152600560205260409020546001600160a01b031690565b6001600160a01b03821660009081526008602052604081205460ff1680610b4d5750826001600160a01b0316610b428361125c565b6001600160a01b0316145b80610b605750306001600160a01b038416145b9392505050565b6000610b728261125c565b9050806001600160a01b0316836001600160a01b03161415610ba75760405163250fdee360e21b815260040160405180910390fd5b336001600160a01b03821614801590610bc75750610bc58133611cb4565b155b15610be5576040516367d9dca160e11b815260040160405180910390fd5b610bf0838383612051565b505050565b3360009081526008602052604090205460ff16610c245760405162461bcd60e51b815260040161090d906136f3565b8060138484604051610c37929190613bba565b90815260405190819003602001902080546001600160a01b03929092166001600160a01b0319909216919091179055505050565b3360009081526008602052604090205460ff16610c9a5760405162461bcd60e51b815260040161090d906136f3565b6001600160a01b03166000908152600860205260409020805460ff19169055565b6000546001600160801b03600160801b82048116918116919091031690565b60095460ff16610cfc5760405162461bcd60e51b815260040161090d90613bca565b610bf08383836120ad565b60006001600b5460ff166002811115610d2257610d226130de565b14610d7b5760405162461bcd60e51b8152602060048201526024808201527f57686974656c697374206d696e74696e67206973206e6f7420616c6c6f7765646044820152632061746d60e01b606482015260840161090d565b610d86848433611bfa565b610dc85760405162461bcd60e51b81526020600482015260136024820152722130b2103bb434ba32b634b9ba10383937b7b360691b604482015260640161090d565b336000908152600a6020526040902054600e548391610de691613c2e565b1015610e345760405162461bcd60e51b815260206004820152601c60248201527f4e6f7420656e6f7567682077686974656c6973746564206d696e747300000000604482015260640161090d565b336000908152600a602052604081208054849290610e53908490613c45565b90915550610e629050826120b8565b949350505050565b3360009081526008602052604081205460ff16610f4f576002600b5460ff166002811115610e9a57610e9a6130de565b14610ef15760405162461bcd60e51b815260206004820152602160248201527f5075626c6963206d696e74696e67206973206e6f7420616c6c6f7765642061746044820152606d60f81b606482015260840161090d565b600c54821115610f4f5760405162461bcd60e51b8152602060048201526024808201527f43616e6e6f74206d696e74206d6f7265207468616e206d61784d696e745065726044820152635478282960e01b606482015260840161090d565b610a31826120b8565b6000610f63836112c1565b8210610f82576040516306ed618760e11b815260040160405180910390fd5b600080546001600160801b03169080805b8381101561104e57600081815260036020908152604091829020825160608101845290546001600160a01b0381168252600160a01b81046001600160401b031692820192909252600160e01b90910460ff161580159282019290925290610ffa5750611046565b80516001600160a01b03161561100f57805192505b876001600160a01b0316836001600160a01b03161415611044578684141561103d57509350610a3192505050565b6001909301925b505b600101610f93565b50600080fd5b60095460ff166110765760405162461bcd60e51b815260040161090d90613bca565b610bf0838383604051806020016040528060008152506122bc565b600080546001600160801b031681805b8281101561112157600081815260036020908152604091829020825160608101845290546001600160a01b0381168252600160a01b81046001600160401b031692820192909252600160e01b90910460ff1615159181018290529061111857858314156111115750949350505050565b6001909201915b506001016110a1565b506040516329c8c00760e21b815260040160405180910390fd5b600080611149858585610d07565b90506000836001600160401b03811115611165576111656135de565b60405190808252806020026020018201604052801561118e578160200160208202803683370190505b50905060005b848110156111d3576111a68184613c45565b8282815181106111b8576111b8613c5d565b60209081029190910101526111cc81613c73565b9050611194565b50604051643a37b5b2b760d91b815260139060050190815260405190819003602001812054630fbf0a9360e01b82526001600160a01b031690630fbf0a9390611220908490600401613c8e565b600060405180830381600087803b15801561123a57600080fd5b505af115801561124e573d6000803e3d6000fd5b509398975050505050505050565b6000611267826122f6565b5192915050565b3360009081526008602052604090205460ff1661129d5760405162461bcd60e51b815260040161090d906136f3565b6001600160a01b03166000908152600860205260409020805460ff19166001179055565b60006001600160a01b0382166112ea576040516323d3ad8160e21b815260040160405180910390fd5b506001600160a01b03166000908152600460205260409020546001600160401b031690565b6007546001600160a01b031633146113695760405162461bcd60e51b815260206004820181905260248201527f4f776e61626c653a2063616c6c6572206973206e6f7420746865206f776e6572604482015260640161090d565b6113736000612418565b565b3360009081526008602052604090205460ff166113a45760405162461bcd60e51b815260040161090d906136f3565b600f55565b606060028054610a4690613b85565b6001600160a01b0382163314156113e25760405163b06307db60e01b815260040160405180910390fd5b3360008181526006602090815260408083206001600160a01b03871680855290835292819020805460ff191686151590811790915590519081529192917f17307eab39ab6107e8899845ad3d59bd9653f200f220920489ca2b5937696c31910160405180910390a35050565b3360009081526008602052604090205460ff1661147d5760405162461bcd60e51b815260040161090d906136f3565b601655565b6114fc604080516101e0810190915280600081526020016000815260200160008152602001600081526020016000815260200160008152602001600081526020016000815260006020820181905260408201819052606082018190526080820181905260a0820181905260c0820181905260e09091015290565b6000828152601560205260409081902081516101e081019092528054829060ff16600681111561152e5761152e6130de565b600681111561153f5761153f6130de565b81528154602090910190610100900460ff166007811115611562576115626130de565b6007811115611573576115736130de565b8152815460209091019062010000900460ff166016811115611597576115976130de565b60168111156115a8576115a86130de565b815281546020909101906301000000900460ff1660178111156115cd576115cd6130de565b60178111156115de576115de6130de565b81528154602090910190640100000000900460ff16601f811115611604576116046130de565b601f811115611615576116156130de565b8152815460209091019065010000000000900460ff16600f81111561163c5761163c6130de565b600f81111561164d5761164d6130de565b815281546020909101906601000000000000900460ff166014811115611675576116756130de565b6014811115611686576116866130de565b81528154602090910190600160381b900460ff1660148111156116ab576116ab6130de565b60148111156116bc576116bc6130de565b8152905462ffffff600160401b820481166020840152600160581b820481166040840152600160701b820481166060840152600160881b820481166080840152600160a01b8204811660a0840152600160b81b82041660c083015261ffff600160d01b9091041660e09091015292915050565b3360009081526008602052604090205460ff1661175e5760405162461bcd60e51b815260040161090d906136f3565b6009805460ff1916911515919091179055565b3360009081526008602052604090205460ff166117a05760405162461bcd60e51b815260040161090d906136f3565b600b546040517f6e4999ccb7e14c8f587a4a8f8f53a0592e48dc532e3554efd2a7118ce879be84916117d99160ff909116908490613cd2565b60405180910390a1600b805482919060ff19166001836002811115611800576118006130de565b021790555050565b3360009081526008602052604090205460ff166118375760405162461bcd60e51b815260040161090d906136f3565b60008281526015602052604090208190611851828261397a565b50506040518281527fed8c59f3f58a8de9ce9ed7ceeb9a72b1d60a6c5201eeac3fe2122ca0a512df2b9060200160405180910390a15050565b60095460ff166118ac5760405162461bcd60e51b815260040161090d90613bca565b6109c385858585858080601f0160208091040260200160405190810160405280939291908181526020018383808284376000920191909152506122bc92505050565b3360009081526008602052604090205460ff1661191d5760405162461bcd60e51b815260040161090d906136f3565b60095460ff1661193f5760405162461bcd60e51b815260040161090d90613bca565b6119488161246a565b50565b6060601360405161196a9067746f6b656e55726960c01b815260080190565b9081526040519081900360200181205463c87b56dd60e01b82526001600160a01b03169063c87b56dd906119a690859060040190815260200190565b60006040518083038186803b1580156119be57600080fd5b505afa1580156119d2573d6000803e3d6000fd5b505050506040513d6000823e601f3d908101601f19168201604052610a319190810190613ced565b600080611a0683610e6a565b90506000836001600160401b03811115611a2257611a226135de565b604051908082528060200260200182016040528015611a4b578160200160208202803683370190505b50905060005b84811015611a9057611a638184613c45565b828281518110611a7557611a75613c5d565b6020908102919091010152611a8981613c73565b9050611a51565b50604051643a37b5b2b760d91b815260139060050190815260405190819003602001812054630fbf0a9360e01b82526001600160a01b031690630fbf0a9390611add908490600401613c8e565b600060405180830381600087803b158015611af757600080fd5b505af1158015611b0b573d6000803e3d6000fd5b50939695505050505050565b3360009081526008602052604090205460ff16611b465760405162461bcd60e51b815260040161090d906136f3565b600e55565b60095460ff16611b6d5760405162461bcd60e51b815260040161090d90613bca565b611b773382610b0d565b610cfc5760405162461bcd60e51b815260206004820152604860248201527f457874656e7369626c65455243373231456e756d657261626c653a20796f752060448201527f617265206e6f7420616c6c6f77656420746f20706572666f726d2074686973206064820152673a3930b739b332b960c11b608482015260a40161090d565b6040516bffffffffffffffffffffffff19606083901b1660208201526000908190603401604051602081830303815290604052805190602001209050611c7785858080602002602001604051908101604052809392919081815260200183836020028082843760009201919091525050600f54915084905061260d565b95945050505050565b3360009081526008602052604090205460ff16611caf5760405162461bcd60e51b815260040161090d906136f3565b600c55565b6001600160a01b03811660009081526008602052604081205460ff1680610b6057506001600160a01b0380841660009081526006602090815260408083209386168352929052205460ff16610b60565b3360009081526008602052604090205460ff16611d335760405162461bcd60e51b815260040161090d906136f3565b60138282604051611d45929190613bba565b90815260405190819003602001902080546001600160a01b03191690555050565b6007546001600160a01b03163314611dc05760405162461bcd60e51b815260206004820181905260248201527f4f776e61626c653a2063616c6c6572206973206e6f7420746865206f776e6572604482015260640161090d565b6001600160a01b038116611e255760405162461bcd60e51b815260206004820152602660248201527f4f776e61626c653a206e6577206f776e657220697320746865207a65726f206160448201526564647265737360d01b606482015260840161090d565b61194881612418565b6040805160208101909152600081526040518060200160405280611e936040516bffffffffffffffffffffffff1941606090811b8216602084015233901b16603482015260009060480160405160208183030381529060405280519060200120905090565b9052919050565b6000546001600160801b03166001600160a01b038516611ecc57604051622e076360e81b815260040160405180910390fd5b83611eea5760405163b562e8dd60e01b815260040160405180910390fd5b6001600160a01b038516600081815260046020908152604080832080546001600160801b031981166001600160401b038083168c018116918217600160401b67ffffffffffffffff1990941690921783900481168c018116909202179091558584526003909252822080546001600160e01b031916909317600160a01b42909216919091021790915581905b85811015611ff75760405182906001600160a01b038916906000907fddf252ad1be2c89b69c2b068fc378daa952ba7f163c4a11628f55a4df523b3ef908290a4838015611fcd5750611fcb6000888488612623565b155b15611feb576040516368d2bf6b60e11b815260040160405180910390fd5b60019182019101611f76565b50600080546001600160801b0319166001600160801b03929092169190911790556109c3565b600080546001600160801b031682108015610a31575050600090815260036020526040902054600160e01b900460ff161590565b60008281526005602052604080822080546001600160a01b0319166001600160a01b0387811691821790925591518593918516917f8c5be1e5ebec7d5bd14f71427d1e84f3dd0314c0f7b2291e5b200ac8c7c3b92591a4505050565b610bf0838383612731565b60095460009060ff166120dd5760405162461bcd60e51b815260040161090d90613bca565b3360009081526008602052604090205460ff166121ee57600182101561213e5760405162461bcd60e51b81526020600482015260166024820152754d757374206d696e74206174206c65617374206f6e6560501b604482015260640161090d565b333b156121855760405162461bcd60e51b815260206004820152601560248201527410dbdb9d1c9858dd1cc818d85b9b9bdd081b5a5b9d605a1b604482015260640161090d565b6016546121929083613d5a565b34146121ee5760405162461bcd60e51b815260206004820152602560248201527f53656e64206d696e74507269636557656928292077656920666f722065616368604482015264081b5a5b9d60da1b606482015260840161090d565b60006121f8610cbb565b600d549091506122088483613c45565b11156122565760405162461bcd60e51b815260206004820152601c60248201527f43616e6e6f74206d696e74206f766572206d6178537570706c79282900000000604482015260640161090d565b6000546001600160801b0316805b61226e8583613c45565b81101561228e5761227e8161294b565b61228781613c73565b9050612264565b506122ab3385604051806020016040528060008152506000611e9a565b6122b3612c36565b9150505b919050565b6122c7848484612731565b6122d384848484612623565b6122f0576040516368d2bf6b60e11b815260040160405180910390fd5b50505050565b60408051606081018252600080825260208201819052918101829052905482906001600160801b03168110156123ff57600081815260036020908152604091829020825160608101845290546001600160a01b0381168252600160a01b81046001600160401b031692820192909252600160e01b90910460ff161515918101829052906123fd5780516001600160a01b031615612394579392505050565b5060001901600081815260036020908152604091829020825160608101845290546001600160a01b038116808352600160a01b82046001600160401b031693830193909352600160e01b900460ff16151592810192909252156123f8579392505050565b612394565b505b604051636f96cda160e11b815260040160405180910390fd5b600780546001600160a01b038381166001600160a01b0319831681179093556040519116919082907f8be0079c531659141344cd1fd0a4f28419497f9722a3daafe3b4186f6b6457e090600090a35050565b6000612475826122f6565b90506124876000838360000151612051565b80516001600160a01b039081166000908152600460209081526040808320805467ffffffffffffffff1981166001600160401b0391821660001901821617909155855185168452818420805467ffffffffffffffff60801b198116600160801b9182900484166001908101851690920217909155865188865260039094528285208054600160e01b9588166001600160e01b031990911617600160a01b42909416939093029290921760ff60e01b19169390931790559085018083529120549091166125a7576000546001600160801b03168110156125a757815160008281526003602090815260409091208054918501516001600160401b0316600160a01b026001600160e01b03199092166001600160a01b03909316929092171790555b50805160405183916000916001600160a01b03909116907fddf252ad1be2c89b69c2b068fc378daa952ba7f163c4a11628f55a4df523b3ef908390a450506000805460016001600160801b03600160801b80840482169290920181169091029116179055565b60008261261a8584612dce565b14949350505050565b60006001600160a01b0384163b1561272657604051630a85bd0160e11b81526001600160a01b0385169063150b7a0290612667903390899088908890600401613d79565b602060405180830381600087803b15801561268157600080fd5b505af19250505080156126b1575060408051601f3d908101601f191682019092526126ae91810190613db6565b60015b61270c573d8080156126df576040519150601f19603f3d011682016040523d82523d6000602084013e6126e4565b606091505b508051612704576040516368d2bf6b60e11b815260040160405180910390fd5b805181602001fd5b6001600160e01b031916630a85bd0160e11b149050610e62565b506001949350505050565b600061273c826122f6565b80519091506000906001600160a01b0316336001600160a01b0316148061276a5750815161276a9033611cb4565b8061278557503361277a84610ac9565b6001600160a01b0316145b9050806127a557604051632ce44b5f60e11b815260040160405180910390fd5b846001600160a01b031682600001516001600160a01b0316146127da5760405162a1148160e81b815260040160405180910390fd5b6001600160a01b03841661280157604051633a954ecd60e21b815260040160405180910390fd5b6128116000848460000151612051565b6001600160a01b038581166000908152600460209081526040808320805467ffffffffffffffff198082166001600160401b0392831660001901831617909255898616808652838620805493841693831660019081018416949094179055898652600390945282852080546001600160e01b031916909417600160a01b429092169190910217909255908601808352912054909116612904576000546001600160801b031681101561290457825160008281526003602090815260409091208054918601516001600160401b0316600160a01b026001600160e01b03199092166001600160a01b03909316929092171790555b5082846001600160a01b0316866001600160a01b03167fddf252ad1be2c89b69c2b068fc378daa952ba7f163c4a11628f55a4df523b3ef60405160405180910390a46109c3565b60405163281d83af60e21b8152601454600482015273c87f9d93feb408e0589051c06f88b6a269c3ec199063a0760ebc906024016102006040518083038186803b15801561299857600080fd5b505af41580156129ac573d6000803e3d6000fd5b505050506040513d601f19601f820116820180604052508101906129d09190613e77565b600083815260156020526040902081516014558251815484929190829060ff19166001836006811115612a0557612a056130de565b021790555060208201518154829061ff001916610100836007811115612a2d57612a2d6130de565b021790555060408201518154829062ff0000191662010000836016811115612a5757612a576130de565b021790555060608201518154829063ff00000019166301000000836017811115612a8357612a836130de565b021790555060808201518154829064ff00000000191664010000000083601f811115612ab157612ab16130de565b021790555060a08201518154829065ff000000000019166501000000000083600f811115612ae157612ae16130de565b021790555060c08201518154829066ff00000000000019166601000000000000836014811115612b1357612b136130de565b021790555060e08201518154829067ff000000000000001916600160381b836014811115612b4357612b436130de565b021790555061010082015181546101208401516101408501516101608601516101808701516101a08801516101c0909801516dffffffffffff000000000000000019909516600160401b62ffffff9788160262ffffff60581b191617600160581b948716949094029390931765ffffffffffff60701b1916600160701b9286169290920262ffffff60881b191691909117600160881b918516919091021765ffffffffffff60a01b1916600160a01b9184169190910262ffffff60b81b191617600160b81b92909416919091029290921761ffff60d01b1916600160d01b61ffff90931692909202919091179055505050565b60006010805480602002602001604051908101604052809291908181526020018280548015612c8e57602002820191906000526020600020905b81546001600160a01b03168152600190910190602001808311612c70575b5050505050905060006011805480602002602001604051908101604052809291908181526020018280548015612d0b57602002820191906000526020600020906000905b82829054906101000a900461ffff1661ffff1681526020019060020190602082600101049283019260010382029150808411612cd25790505b5093945034935083925060009150505b60018551612d299190613c2e565b811015612dab576000601254858381518110612d4757612d47613c5d565b602002602001015161ffff1685612d5e9190613d5a565b612d689190613fc1565b9050612d8d868381518110612d7f57612d7f613c5d565b602002602001015182612e7a565b612d978184613c2e565b92505080612da490613c73565b9050612d1b565b506122f08460018651612dbe9190613c2e565b81518110612d7f57612d7f613c5d565b600081815b8451811015612e72576000858281518110612df057612df0613c5d565b60200260200101519050808311612e32576040805160208101859052908101829052606001604051602081830303815290604052805190602001209250612e5f565b60408051602081018390529081018490526060016040516020818303038152906040528051906020012092505b5080612e6a81613c73565b915050612dd3565b509392505050565b80471015612eca5760405162461bcd60e51b815260206004820152601d60248201527f416464726573733a20696e73756666696369656e742062616c616e6365000000604482015260640161090d565b6000826001600160a01b03168260405160006040518083038185875af1925050503d8060008114612f17576040519150601f19603f3d011682016040523d82523d6000602084013e612f1c565b606091505b5050905080610bf05760405162461bcd60e51b815260206004820152603a60248201527f416464726573733a20756e61626c6520746f2073656e642076616c75652c207260448201527f6563697069656e74206d61792068617665207265766572746564000000000000606482015260840161090d565b60006101e08284031215612fa657600080fd5b50919050565b6001600160a01b038116811461194857600080fd5b6000806102008385031215612fd557600080fd5b612fdf8484612f93565b91506101e0830135612ff081612fac565b809150509250929050565b6001600160e01b03198116811461194857600080fd5b60006020828403121561302357600080fd5b8135610b6081612ffb565b60005b83811015613049578181015183820152602001613031565b838111156122f05750506000910152565b6000815180845261307281602086016020860161302e565b601f01601f19169290920160200192915050565b602081526000610b60602083018461305a565b6000602082840312156130ab57600080fd5b5035919050565b600080604083850312156130c557600080fd5b82356130d081612fac565b946020939093013593505050565b634e487b7160e01b600052602160045260246000fd5b60038110613104576131046130de565b9052565b60208101610a3182846130f4565b60008083601f84011261312857600080fd5b5081356001600160401b0381111561313f57600080fd5b60208301915083602082850101111561315757600080fd5b9250929050565b60008060006040848603121561317357600080fd5b83356001600160401b0381111561318957600080fd5b61319586828701613116565b90945092505060208401356131a981612fac565b809150509250925092565b6000602082840312156131c657600080fd5b8135610b6081612fac565b6000806000606084860312156131e657600080fd5b83356131f181612fac565b9250602084013561320181612fac565b929592945050506040919091013590565b60008083601f84011261322457600080fd5b5081356001600160401b0381111561323b57600080fd5b6020830191508360208260051b850101111561315757600080fd5b60008060006040848603121561326b57600080fd5b83356001600160401b0381111561328157600080fd5b61328d86828701613212565b909790965060209590950135949350505050565b803580151581146122b757600080fd5b600080604083850312156132c457600080fd5b82356132cf81612fac565b91506132dd602084016132a1565b90509250929050565b60078110613104576131046130de565b60088110613104576131046130de565b60178110613104576131046130de565b60188110613104576131046130de565b60208110613104576131046130de565b60108110613104576131046130de565b60158110611948576119486130de565b61310481613346565b60006101e0820190506133738284516132e6565b602083015161338560208401826132f6565b5060408301516133986040840182613306565b5060608301516133ab6060840182613316565b5060808301516133be6080840182613326565b5060a08301516133d160a0840182613336565b5060c08301516133e460c0840182613356565b5060e08301516133f760e0840182613356565b506101008381015162ffffff90811691840191909152610120808501518216908401526101408085015182169084015261016080850151821690840152610180808501518216908401526101a080850151909116908301526101c09283015161ffff16929091019190915290565b60006020828403121561347757600080fd5b610b60826132a1565b60006020828403121561349257600080fd5b813560038110610b6057600080fd5b60008061020083850312156134b557600080fd5b823591506132dd8460208501612f93565b6000806000806000608086880312156134de57600080fd5b85356134e981612fac565b945060208601356134f981612fac565b93506040860135925060608601356001600160401b0381111561351b57600080fd5b61352788828901613116565b969995985093965092949392505050565b60008060006040848603121561354d57600080fd5b83356001600160401b0381111561356357600080fd5b61319586828701613212565b6000806040838503121561358257600080fd5b823561358d81612fac565b91506020830135612ff081612fac565b600080602083850312156135b057600080fd5b82356001600160401b038111156135c657600080fd5b6135d285828601613116565b90969095509350505050565b634e487b7160e01b600052604160045260246000fd5b6040516101e081016001600160401b0381118282101715613617576136176135de565b60405290565b604051601f8201601f191681016001600160401b0381118282101715613645576136456135de565b604052919050565b60006001600160401b03821115613666576136666135de565b50601f01601f191660200190565b60006020828403121561368657600080fd5b81356001600160401b0381111561369c57600080fd5b8201601f810184136136ad57600080fd5b80356136c06136bb8261364d565b61361d565b8181528560208385010111156136d557600080fd5b81602084016020830137600091810160200191909152949350505050565b60208082526027908201527f457874656e7369626c65455243373231456e756d657261626c653a2061646d696040820152666e73206f6e6c7960c81b606082015260800190565b6007811061194857600080fd5b60008135610a318161373a565b60078210613764576137646130de565b60ff1981541660ff831681178255505050565b6008811061194857600080fd5b60008135610a3181613777565b600882106137a1576137a16130de565b805461ff008360081b1661ff00198216178255505050565b6017811061194857600080fd5b60008135610a31816137b9565b601782106137e3576137e36130de565b805462ff00008360101b1662ff0000198216178255505050565b6018811061194857600080fd5b60008135610a31816137fd565b60188210613827576138276130de565b805463ff0000008360181b1663ff000000198216178255505050565b6020811061194857600080fd5b60008135610a3181613843565b6020821061386d5761386d6130de565b805464ff000000008360201b1664ff00000000198216178255505050565b6010811061194857600080fd5b60008135610a318161388b565b601082106138b5576138b56130de565b805465ff00000000008360281b1665ff0000000000198216178255505050565b6015811061194857600080fd5b60008135610a31816138d5565b6138f882613346565b805466ff0000000000008360301b1666ff000000000000198216178255505050565b61392382613346565b805460ff60381b8360381b1660ff60381b198216178255505050565b62ffffff8116811461194857600080fd5b60008135610a318161393f565b61ffff8116811461194857600080fd5b60008135610a318161395d565b61398c61398683613747565b82613754565b6139a161399b60208401613784565b82613791565b6139b66139b0604084016137c6565b826137d3565b6139cb6139c56060840161380a565b82613817565b6139e06139da60808401613850565b8261385d565b6139f56139ef60a08401613898565b826138a5565b613a0a613a0460c084016138e2565b826138ef565b613a1f613a1960e084016138e2565b8261391a565b613a57613a2f6101008401613950565b82546affffff0000000000000000191660409190911b6affffff000000000000000016178255565b613a89613a676101208401613950565b82805462ffffff60581b191660589290921b62ffffff60581b16919091179055565b613abb613a996101408401613950565b82805462ffffff60701b191660709290921b62ffffff60701b16919091179055565b613aed613acb6101608401613950565b82805462ffffff60881b191660889290921b62ffffff60881b16919091179055565b613b1f613afd6101808401613950565b82805462ffffff60a01b191660a09290921b62ffffff60a01b16919091179055565b613b51613b2f6101a08401613950565b82805462ffffff60b81b191660b89290921b62ffffff60b81b16919091179055565b613b81613b616101c0840161396d565b82805461ffff60d01b191660d09290921b61ffff60d01b16919091179055565b5050565b600181811c90821680613b9957607f821691505b60208210811415612fa657634e487b7160e01b600052602260045260246000fd5b8183823760009101908152919050565b6020808252602e908201527f457874656e7369626c65455243373231456e756d657261626c653a206375727260408201526d195b9d1b1e48191a5cd8589b195960921b606082015260800190565b634e487b7160e01b600052601160045260246000fd5b600082821015613c4057613c40613c18565b500390565b60008219821115613c5857613c58613c18565b500190565b634e487b7160e01b600052603260045260246000fd5b6000600019821415613c8757613c87613c18565b5060010190565b6020808252825182820181905260009190848201906040850190845b81811015613cc657835183529284019291840191600101613caa565b50909695505050505050565b60408101613ce082856130f4565b610b6060208301846130f4565b600060208284031215613cff57600080fd5b81516001600160401b03811115613d1557600080fd5b8201601f81018413613d2657600080fd5b8051613d346136bb8261364d565b818152856020838501011115613d4957600080fd5b611c7782602083016020860161302e565b6000816000190483118215151615613d7457613d74613c18565b500290565b6001600160a01b0385811682528416602082015260408101839052608060608201819052600090613dac9083018461305a565b9695505050505050565b600060208284031215613dc857600080fd5b8151610b6081612ffb565b80516122b78161373a565b80516122b781613777565b80516122b7816137b9565b80516122b7816137fd565b80516122b781613843565b80516122b78161388b565b80516122b7816138d5565b80516122b78161393f565b80516122b78161395d565b600060208284031215613e4857600080fd5b604051602081018181106001600160401b0382111715613e6a57613e6a6135de565b6040529151825250919050565b600080828403610200811215613e8c57600080fd5b6101e080821215613e9c57600080fd5b613ea46135f4565b9150613eaf85613dd3565b8252613ebd60208601613dde565b6020830152613ece60408601613de9565b6040830152613edf60608601613df4565b6060830152613ef060808601613dff565b6080830152613f0160a08601613e0a565b60a0830152613f1260c08601613e15565b60c0830152613f2360e08601613e15565b60e0830152610100613f36818701613e20565b90830152610120613f48868201613e20565b90830152610140613f5a868201613e20565b90830152610160613f6c868201613e20565b90830152610180613f7e868201613e20565b908301526101a0613f90868201613e20565b908301526101c0613fa2868201613e2b565b8184015250819350613fb686828701613e36565b925050509250929050565b600082613fde57634e487b7160e01b600052601260045260246000fd5b50049056fea2646970667358221220a1e4fc9a57b01b91ec8c068ec5bb4a2a3907d317c94af991d38e91b54f7c673864736f6c6343000809003300000000000000000000000000000000000000000000000000000000000000401c80f5159a53813745e294d30dfc537618cb6b9fe8b4e9310eb8703166b8b4e90000000000000000000000000000000000000000000000000000000000000005000000000000000000000000441f5c9d10020740f61e233d9f5592f834e17917000000000000000000000000000000000000000000000000000000000000000c00000000000000000000000077e04a00c36874ae346a5bea2462cf4fbb45d0d100000000000000000000000000000000000000000000000000000000000000070000000000000000000000005bc6dfa2a8aa1fb3872e4cc094266b5faed38a6d000000000000000000000000000000000000000000000000000000000000002c0000000000000000000000007d0187f74f331510f93a1cec1f10f281fbea0fd700000000000000000000000000000000000000000000000000000000000000160000000000000000000000007c495fdc4c4647912f072c06096198b52b1e39e9000000000000000000000000000000000000000000000000000000000000000f

Deployed Bytecode

0x6080604052600436106102ae5760003560e01c80638da5cb5b11610175578063cc6465c0116100dc578063debefaa611610095578063eb250c711161006f578063eb250c7114610847578063f2fde38b14610867578063ff11388c14610887578063ff6e36ed146108c857600080fd5b8063debefaa6146107e7578063e90b622014610807578063e985e9c51461082757600080fd5b8063cc6465c01461073b578063d1b3f31614610768578063d5abeb011461077b578063d6f56c8a14610791578063da72c1e8146107b1578063de7fcb1d146107d157600080fd5b8063b52190551161012e578063b521905514610686578063b562afe2146106a6578063b88d4fde146106c6578063badb97ff146106e6578063c87b56dd14610706578063cb2c97221461072657600080fd5b80638da5cb5b146105c657806395d89b41146105e4578063a22cb465146105f9578063a6c3b3c214610619578063a9d1401914610639578063b4375dc91461066657600080fd5b806324d7806c1161021957806356f4d0bb116101d257806356f4d0bb1461051e5780636352211e14610531578063704802751461055157806370a0823114610571578063715018a614610591578063742426b9146105a657600080fd5b806324d7806c146104685780632904e6d9146104985780632db11544146104ab5780632f745c59146104be57806342842e0e146104de5780634f6ccce7146104fe57600080fd5b80630e6d3a891161026b5780630e6d3a89146103a45780630fd38f8e146103cb5780631785f53c146103eb57806318160ddd1461040b578063238dafe01461042e57806323b872dd1461044857600080fd5b806301368c79146102b357806301ffc9a7146102d557806306fdde031461030a578063081812fc1461032c578063081b14a314610364578063095ea7b314610384575b600080fd5b3480156102bf57600080fd5b506102d36102ce366004612fc1565b6108de565b005b3480156102e157600080fd5b506102f56102f0366004613011565b6109ca565b60405190151581526020015b60405180910390f35b34801561031657600080fd5b5061031f610a37565b6040516103019190613086565b34801561033857600080fd5b5061034c610347366004613099565b610ac9565b6040516001600160a01b039091168152602001610301565b34801561037057600080fd5b506102f561037f3660046130b2565b610b0d565b34801561039057600080fd5b506102d361039f3660046130b2565b610b67565b3480156103b057600080fd5b50600b546103be9060ff1681565b6040516103019190613108565b3480156103d757600080fd5b506102d36103e636600461315e565b610bf5565b3480156103f757600080fd5b506102d36104063660046131b4565b610c6b565b34801561041757600080fd5b50610420610cbb565b604051908152602001610301565b34801561043a57600080fd5b506009546102f59060ff1681565b34801561045457600080fd5b506102d36104633660046131d1565b610cda565b34801561047457600080fd5b506102f56104833660046131b4565b60086020526000908152604090205460ff1681565b6104206104a6366004613256565b610d07565b6104206104b9366004613099565b610e6a565b3480156104ca57600080fd5b506104206104d93660046130b2565b610f58565b3480156104ea57600080fd5b506102d36104f93660046131d1565b611054565b34801561050a57600080fd5b50610420610519366004613099565b611091565b61042061052c366004613256565b61113b565b34801561053d57600080fd5b5061034c61054c366004613099565b61125c565b34801561055d57600080fd5b506102d361056c3660046131b4565b61126e565b34801561057d57600080fd5b5061042061058c3660046131b4565b6112c1565b34801561059d57600080fd5b506102d361130f565b3480156105b257600080fd5b506102d36105c1366004613099565b611375565b3480156105d257600080fd5b506007546001600160a01b031661034c565b3480156105f057600080fd5b5061031f6113a9565b34801561060557600080fd5b506102d36106143660046132b1565b6113b8565b34801561062557600080fd5b506102d3610634366004613099565b61144e565b34801561064557600080fd5b50610659610654366004613099565b611482565b604051610301919061335f565b34801561067257600080fd5b506102d3610681366004613465565b61172f565b34801561069257600080fd5b506102d36106a1366004613480565b611771565b3480156106b257600080fd5b506102d36106c13660046134a1565b611808565b3480156106d257600080fd5b506102d36106e13660046134c6565b61188a565b3480156106f257600080fd5b506102d3610701366004613099565b6118ee565b34801561071257600080fd5b5061031f610721366004613099565b61194b565b34801561073257600080fd5b50601654610420565b34801561074757600080fd5b506104206107563660046131b4565b600a6020526000908152604090205481565b610420610776366004613099565b6119fa565b34801561078757600080fd5b50610420600d5481565b34801561079d57600080fd5b506102d36107ac366004613099565b611b17565b3480156107bd57600080fd5b506102d36107cc3660046131d1565b611b4b565b3480156107dd57600080fd5b50610420600c5481565b3480156107f357600080fd5b506102f5610802366004613538565b611bfa565b34801561081357600080fd5b506102d3610822366004613099565b611c80565b34801561083357600080fd5b506102f561084236600461356f565b611cb4565b34801561085357600080fd5b506102d361086236600461359d565b611d04565b34801561087357600080fd5b506102d36108823660046131b4565b611d66565b34801561089357600080fd5b5061034c6108a2366004613674565b80516020818301810180516013825292820191909301209152546001600160a01b031681565b3480156108d457600080fd5b50610420600e5481565b3360009081526008602052604090205460ff166109165760405162461bcd60e51b815260040161090d906136f3565b60405180910390fd5b600d54610921610cbb565b1061097c5760405162461bcd60e51b815260206004820152602560248201527f436861696e53636f7574733a20746f74616c537570706c79203e3d206d6178536044820152647570706c7960d81b606482015260840161090d565b6000805460408051602081019091528281526001600160801b03909116916109a991849160019190611e9a565b600081815260156020526040902083906109c3828261397a565b5050505050565b60006001600160e01b031982166380ac58cd60e01b14806109fb57506001600160e01b03198216635b5e139f60e01b145b80610a1657506001600160e01b0319821663780e9d6360e01b145b80610a3157506301ffc9a760e01b6001600160e01b03198316145b92915050565b606060018054610a4690613b85565b80601f0160208091040260200160405190810160405280929190818152602001828054610a7290613b85565b8015610abf5780601f10610a9457610100808354040283529160200191610abf565b820191906000526020600020905b815481529060010190602001808311610aa257829003601f168201915b5050505050905090565b6000610ad48261201d565b610af1576040516333d1c03960e21b815260040160405180910390fd5b506000908152600560205260409020546001600160a01b031690565b6001600160a01b03821660009081526008602052604081205460ff1680610b4d5750826001600160a01b0316610b428361125c565b6001600160a01b0316145b80610b605750306001600160a01b038416145b9392505050565b6000610b728261125c565b9050806001600160a01b0316836001600160a01b03161415610ba75760405163250fdee360e21b815260040160405180910390fd5b336001600160a01b03821614801590610bc75750610bc58133611cb4565b155b15610be5576040516367d9dca160e11b815260040160405180910390fd5b610bf0838383612051565b505050565b3360009081526008602052604090205460ff16610c245760405162461bcd60e51b815260040161090d906136f3565b8060138484604051610c37929190613bba565b90815260405190819003602001902080546001600160a01b03929092166001600160a01b0319909216919091179055505050565b3360009081526008602052604090205460ff16610c9a5760405162461bcd60e51b815260040161090d906136f3565b6001600160a01b03166000908152600860205260409020805460ff19169055565b6000546001600160801b03600160801b82048116918116919091031690565b60095460ff16610cfc5760405162461bcd60e51b815260040161090d90613bca565b610bf08383836120ad565b60006001600b5460ff166002811115610d2257610d226130de565b14610d7b5760405162461bcd60e51b8152602060048201526024808201527f57686974656c697374206d696e74696e67206973206e6f7420616c6c6f7765646044820152632061746d60e01b606482015260840161090d565b610d86848433611bfa565b610dc85760405162461bcd60e51b81526020600482015260136024820152722130b2103bb434ba32b634b9ba10383937b7b360691b604482015260640161090d565b336000908152600a6020526040902054600e548391610de691613c2e565b1015610e345760405162461bcd60e51b815260206004820152601c60248201527f4e6f7420656e6f7567682077686974656c6973746564206d696e747300000000604482015260640161090d565b336000908152600a602052604081208054849290610e53908490613c45565b90915550610e629050826120b8565b949350505050565b3360009081526008602052604081205460ff16610f4f576002600b5460ff166002811115610e9a57610e9a6130de565b14610ef15760405162461bcd60e51b815260206004820152602160248201527f5075626c6963206d696e74696e67206973206e6f7420616c6c6f7765642061746044820152606d60f81b606482015260840161090d565b600c54821115610f4f5760405162461bcd60e51b8152602060048201526024808201527f43616e6e6f74206d696e74206d6f7265207468616e206d61784d696e745065726044820152635478282960e01b606482015260840161090d565b610a31826120b8565b6000610f63836112c1565b8210610f82576040516306ed618760e11b815260040160405180910390fd5b600080546001600160801b03169080805b8381101561104e57600081815260036020908152604091829020825160608101845290546001600160a01b0381168252600160a01b81046001600160401b031692820192909252600160e01b90910460ff161580159282019290925290610ffa5750611046565b80516001600160a01b03161561100f57805192505b876001600160a01b0316836001600160a01b03161415611044578684141561103d57509350610a3192505050565b6001909301925b505b600101610f93565b50600080fd5b60095460ff166110765760405162461bcd60e51b815260040161090d90613bca565b610bf0838383604051806020016040528060008152506122bc565b600080546001600160801b031681805b8281101561112157600081815260036020908152604091829020825160608101845290546001600160a01b0381168252600160a01b81046001600160401b031692820192909252600160e01b90910460ff1615159181018290529061111857858314156111115750949350505050565b6001909201915b506001016110a1565b506040516329c8c00760e21b815260040160405180910390fd5b600080611149858585610d07565b90506000836001600160401b03811115611165576111656135de565b60405190808252806020026020018201604052801561118e578160200160208202803683370190505b50905060005b848110156111d3576111a68184613c45565b8282815181106111b8576111b8613c5d565b60209081029190910101526111cc81613c73565b9050611194565b50604051643a37b5b2b760d91b815260139060050190815260405190819003602001812054630fbf0a9360e01b82526001600160a01b031690630fbf0a9390611220908490600401613c8e565b600060405180830381600087803b15801561123a57600080fd5b505af115801561124e573d6000803e3d6000fd5b509398975050505050505050565b6000611267826122f6565b5192915050565b3360009081526008602052604090205460ff1661129d5760405162461bcd60e51b815260040161090d906136f3565b6001600160a01b03166000908152600860205260409020805460ff19166001179055565b60006001600160a01b0382166112ea576040516323d3ad8160e21b815260040160405180910390fd5b506001600160a01b03166000908152600460205260409020546001600160401b031690565b6007546001600160a01b031633146113695760405162461bcd60e51b815260206004820181905260248201527f4f776e61626c653a2063616c6c6572206973206e6f7420746865206f776e6572604482015260640161090d565b6113736000612418565b565b3360009081526008602052604090205460ff166113a45760405162461bcd60e51b815260040161090d906136f3565b600f55565b606060028054610a4690613b85565b6001600160a01b0382163314156113e25760405163b06307db60e01b815260040160405180910390fd5b3360008181526006602090815260408083206001600160a01b03871680855290835292819020805460ff191686151590811790915590519081529192917f17307eab39ab6107e8899845ad3d59bd9653f200f220920489ca2b5937696c31910160405180910390a35050565b3360009081526008602052604090205460ff1661147d5760405162461bcd60e51b815260040161090d906136f3565b601655565b6114fc604080516101e0810190915280600081526020016000815260200160008152602001600081526020016000815260200160008152602001600081526020016000815260006020820181905260408201819052606082018190526080820181905260a0820181905260c0820181905260e09091015290565b6000828152601560205260409081902081516101e081019092528054829060ff16600681111561152e5761152e6130de565b600681111561153f5761153f6130de565b81528154602090910190610100900460ff166007811115611562576115626130de565b6007811115611573576115736130de565b8152815460209091019062010000900460ff166016811115611597576115976130de565b60168111156115a8576115a86130de565b815281546020909101906301000000900460ff1660178111156115cd576115cd6130de565b60178111156115de576115de6130de565b81528154602090910190640100000000900460ff16601f811115611604576116046130de565b601f811115611615576116156130de565b8152815460209091019065010000000000900460ff16600f81111561163c5761163c6130de565b600f81111561164d5761164d6130de565b815281546020909101906601000000000000900460ff166014811115611675576116756130de565b6014811115611686576116866130de565b81528154602090910190600160381b900460ff1660148111156116ab576116ab6130de565b60148111156116bc576116bc6130de565b8152905462ffffff600160401b820481166020840152600160581b820481166040840152600160701b820481166060840152600160881b820481166080840152600160a01b8204811660a0840152600160b81b82041660c083015261ffff600160d01b9091041660e09091015292915050565b3360009081526008602052604090205460ff1661175e5760405162461bcd60e51b815260040161090d906136f3565b6009805460ff1916911515919091179055565b3360009081526008602052604090205460ff166117a05760405162461bcd60e51b815260040161090d906136f3565b600b546040517f6e4999ccb7e14c8f587a4a8f8f53a0592e48dc532e3554efd2a7118ce879be84916117d99160ff909116908490613cd2565b60405180910390a1600b805482919060ff19166001836002811115611800576118006130de565b021790555050565b3360009081526008602052604090205460ff166118375760405162461bcd60e51b815260040161090d906136f3565b60008281526015602052604090208190611851828261397a565b50506040518281527fed8c59f3f58a8de9ce9ed7ceeb9a72b1d60a6c5201eeac3fe2122ca0a512df2b9060200160405180910390a15050565b60095460ff166118ac5760405162461bcd60e51b815260040161090d90613bca565b6109c385858585858080601f0160208091040260200160405190810160405280939291908181526020018383808284376000920191909152506122bc92505050565b3360009081526008602052604090205460ff1661191d5760405162461bcd60e51b815260040161090d906136f3565b60095460ff1661193f5760405162461bcd60e51b815260040161090d90613bca565b6119488161246a565b50565b6060601360405161196a9067746f6b656e55726960c01b815260080190565b9081526040519081900360200181205463c87b56dd60e01b82526001600160a01b03169063c87b56dd906119a690859060040190815260200190565b60006040518083038186803b1580156119be57600080fd5b505afa1580156119d2573d6000803e3d6000fd5b505050506040513d6000823e601f3d908101601f19168201604052610a319190810190613ced565b600080611a0683610e6a565b90506000836001600160401b03811115611a2257611a226135de565b604051908082528060200260200182016040528015611a4b578160200160208202803683370190505b50905060005b84811015611a9057611a638184613c45565b828281518110611a7557611a75613c5d565b6020908102919091010152611a8981613c73565b9050611a51565b50604051643a37b5b2b760d91b815260139060050190815260405190819003602001812054630fbf0a9360e01b82526001600160a01b031690630fbf0a9390611add908490600401613c8e565b600060405180830381600087803b158015611af757600080fd5b505af1158015611b0b573d6000803e3d6000fd5b50939695505050505050565b3360009081526008602052604090205460ff16611b465760405162461bcd60e51b815260040161090d906136f3565b600e55565b60095460ff16611b6d5760405162461bcd60e51b815260040161090d90613bca565b611b773382610b0d565b610cfc5760405162461bcd60e51b815260206004820152604860248201527f457874656e7369626c65455243373231456e756d657261626c653a20796f752060448201527f617265206e6f7420616c6c6f77656420746f20706572666f726d2074686973206064820152673a3930b739b332b960c11b608482015260a40161090d565b6040516bffffffffffffffffffffffff19606083901b1660208201526000908190603401604051602081830303815290604052805190602001209050611c7785858080602002602001604051908101604052809392919081815260200183836020028082843760009201919091525050600f54915084905061260d565b95945050505050565b3360009081526008602052604090205460ff16611caf5760405162461bcd60e51b815260040161090d906136f3565b600c55565b6001600160a01b03811660009081526008602052604081205460ff1680610b6057506001600160a01b0380841660009081526006602090815260408083209386168352929052205460ff16610b60565b3360009081526008602052604090205460ff16611d335760405162461bcd60e51b815260040161090d906136f3565b60138282604051611d45929190613bba565b90815260405190819003602001902080546001600160a01b03191690555050565b6007546001600160a01b03163314611dc05760405162461bcd60e51b815260206004820181905260248201527f4f776e61626c653a2063616c6c6572206973206e6f7420746865206f776e6572604482015260640161090d565b6001600160a01b038116611e255760405162461bcd60e51b815260206004820152602660248201527f4f776e61626c653a206e6577206f776e657220697320746865207a65726f206160448201526564647265737360d01b606482015260840161090d565b61194881612418565b6040805160208101909152600081526040518060200160405280611e936040516bffffffffffffffffffffffff1941606090811b8216602084015233901b16603482015260009060480160405160208183030381529060405280519060200120905090565b9052919050565b6000546001600160801b03166001600160a01b038516611ecc57604051622e076360e81b815260040160405180910390fd5b83611eea5760405163b562e8dd60e01b815260040160405180910390fd5b6001600160a01b038516600081815260046020908152604080832080546001600160801b031981166001600160401b038083168c018116918217600160401b67ffffffffffffffff1990941690921783900481168c018116909202179091558584526003909252822080546001600160e01b031916909317600160a01b42909216919091021790915581905b85811015611ff75760405182906001600160a01b038916906000907fddf252ad1be2c89b69c2b068fc378daa952ba7f163c4a11628f55a4df523b3ef908290a4838015611fcd5750611fcb6000888488612623565b155b15611feb576040516368d2bf6b60e11b815260040160405180910390fd5b60019182019101611f76565b50600080546001600160801b0319166001600160801b03929092169190911790556109c3565b600080546001600160801b031682108015610a31575050600090815260036020526040902054600160e01b900460ff161590565b60008281526005602052604080822080546001600160a01b0319166001600160a01b0387811691821790925591518593918516917f8c5be1e5ebec7d5bd14f71427d1e84f3dd0314c0f7b2291e5b200ac8c7c3b92591a4505050565b610bf0838383612731565b60095460009060ff166120dd5760405162461bcd60e51b815260040161090d90613bca565b3360009081526008602052604090205460ff166121ee57600182101561213e5760405162461bcd60e51b81526020600482015260166024820152754d757374206d696e74206174206c65617374206f6e6560501b604482015260640161090d565b333b156121855760405162461bcd60e51b815260206004820152601560248201527410dbdb9d1c9858dd1cc818d85b9b9bdd081b5a5b9d605a1b604482015260640161090d565b6016546121929083613d5a565b34146121ee5760405162461bcd60e51b815260206004820152602560248201527f53656e64206d696e74507269636557656928292077656920666f722065616368604482015264081b5a5b9d60da1b606482015260840161090d565b60006121f8610cbb565b600d549091506122088483613c45565b11156122565760405162461bcd60e51b815260206004820152601c60248201527f43616e6e6f74206d696e74206f766572206d6178537570706c79282900000000604482015260640161090d565b6000546001600160801b0316805b61226e8583613c45565b81101561228e5761227e8161294b565b61228781613c73565b9050612264565b506122ab3385604051806020016040528060008152506000611e9a565b6122b3612c36565b9150505b919050565b6122c7848484612731565b6122d384848484612623565b6122f0576040516368d2bf6b60e11b815260040160405180910390fd5b50505050565b60408051606081018252600080825260208201819052918101829052905482906001600160801b03168110156123ff57600081815260036020908152604091829020825160608101845290546001600160a01b0381168252600160a01b81046001600160401b031692820192909252600160e01b90910460ff161515918101829052906123fd5780516001600160a01b031615612394579392505050565b5060001901600081815260036020908152604091829020825160608101845290546001600160a01b038116808352600160a01b82046001600160401b031693830193909352600160e01b900460ff16151592810192909252156123f8579392505050565b612394565b505b604051636f96cda160e11b815260040160405180910390fd5b600780546001600160a01b038381166001600160a01b0319831681179093556040519116919082907f8be0079c531659141344cd1fd0a4f28419497f9722a3daafe3b4186f6b6457e090600090a35050565b6000612475826122f6565b90506124876000838360000151612051565b80516001600160a01b039081166000908152600460209081526040808320805467ffffffffffffffff1981166001600160401b0391821660001901821617909155855185168452818420805467ffffffffffffffff60801b198116600160801b9182900484166001908101851690920217909155865188865260039094528285208054600160e01b9588166001600160e01b031990911617600160a01b42909416939093029290921760ff60e01b19169390931790559085018083529120549091166125a7576000546001600160801b03168110156125a757815160008281526003602090815260409091208054918501516001600160401b0316600160a01b026001600160e01b03199092166001600160a01b03909316929092171790555b50805160405183916000916001600160a01b03909116907fddf252ad1be2c89b69c2b068fc378daa952ba7f163c4a11628f55a4df523b3ef908390a450506000805460016001600160801b03600160801b80840482169290920181169091029116179055565b60008261261a8584612dce565b14949350505050565b60006001600160a01b0384163b1561272657604051630a85bd0160e11b81526001600160a01b0385169063150b7a0290612667903390899088908890600401613d79565b602060405180830381600087803b15801561268157600080fd5b505af19250505080156126b1575060408051601f3d908101601f191682019092526126ae91810190613db6565b60015b61270c573d8080156126df576040519150601f19603f3d011682016040523d82523d6000602084013e6126e4565b606091505b508051612704576040516368d2bf6b60e11b815260040160405180910390fd5b805181602001fd5b6001600160e01b031916630a85bd0160e11b149050610e62565b506001949350505050565b600061273c826122f6565b80519091506000906001600160a01b0316336001600160a01b0316148061276a5750815161276a9033611cb4565b8061278557503361277a84610ac9565b6001600160a01b0316145b9050806127a557604051632ce44b5f60e11b815260040160405180910390fd5b846001600160a01b031682600001516001600160a01b0316146127da5760405162a1148160e81b815260040160405180910390fd5b6001600160a01b03841661280157604051633a954ecd60e21b815260040160405180910390fd5b6128116000848460000151612051565b6001600160a01b038581166000908152600460209081526040808320805467ffffffffffffffff198082166001600160401b0392831660001901831617909255898616808652838620805493841693831660019081018416949094179055898652600390945282852080546001600160e01b031916909417600160a01b429092169190910217909255908601808352912054909116612904576000546001600160801b031681101561290457825160008281526003602090815260409091208054918601516001600160401b0316600160a01b026001600160e01b03199092166001600160a01b03909316929092171790555b5082846001600160a01b0316866001600160a01b03167fddf252ad1be2c89b69c2b068fc378daa952ba7f163c4a11628f55a4df523b3ef60405160405180910390a46109c3565b60405163281d83af60e21b8152601454600482015273c87f9d93feb408e0589051c06f88b6a269c3ec199063a0760ebc906024016102006040518083038186803b15801561299857600080fd5b505af41580156129ac573d6000803e3d6000fd5b505050506040513d601f19601f820116820180604052508101906129d09190613e77565b600083815260156020526040902081516014558251815484929190829060ff19166001836006811115612a0557612a056130de565b021790555060208201518154829061ff001916610100836007811115612a2d57612a2d6130de565b021790555060408201518154829062ff0000191662010000836016811115612a5757612a576130de565b021790555060608201518154829063ff00000019166301000000836017811115612a8357612a836130de565b021790555060808201518154829064ff00000000191664010000000083601f811115612ab157612ab16130de565b021790555060a08201518154829065ff000000000019166501000000000083600f811115612ae157612ae16130de565b021790555060c08201518154829066ff00000000000019166601000000000000836014811115612b1357612b136130de565b021790555060e08201518154829067ff000000000000001916600160381b836014811115612b4357612b436130de565b021790555061010082015181546101208401516101408501516101608601516101808701516101a08801516101c0909801516dffffffffffff000000000000000019909516600160401b62ffffff9788160262ffffff60581b191617600160581b948716949094029390931765ffffffffffff60701b1916600160701b9286169290920262ffffff60881b191691909117600160881b918516919091021765ffffffffffff60a01b1916600160a01b9184169190910262ffffff60b81b191617600160b81b92909416919091029290921761ffff60d01b1916600160d01b61ffff90931692909202919091179055505050565b60006010805480602002602001604051908101604052809291908181526020018280548015612c8e57602002820191906000526020600020905b81546001600160a01b03168152600190910190602001808311612c70575b5050505050905060006011805480602002602001604051908101604052809291908181526020018280548015612d0b57602002820191906000526020600020906000905b82829054906101000a900461ffff1661ffff1681526020019060020190602082600101049283019260010382029150808411612cd25790505b5093945034935083925060009150505b60018551612d299190613c2e565b811015612dab576000601254858381518110612d4757612d47613c5d565b602002602001015161ffff1685612d5e9190613d5a565b612d689190613fc1565b9050612d8d868381518110612d7f57612d7f613c5d565b602002602001015182612e7a565b612d978184613c2e565b92505080612da490613c73565b9050612d1b565b506122f08460018651612dbe9190613c2e565b81518110612d7f57612d7f613c5d565b600081815b8451811015612e72576000858281518110612df057612df0613c5d565b60200260200101519050808311612e32576040805160208101859052908101829052606001604051602081830303815290604052805190602001209250612e5f565b60408051602081018390529081018490526060016040516020818303038152906040528051906020012092505b5080612e6a81613c73565b915050612dd3565b509392505050565b80471015612eca5760405162461bcd60e51b815260206004820152601d60248201527f416464726573733a20696e73756666696369656e742062616c616e6365000000604482015260640161090d565b6000826001600160a01b03168260405160006040518083038185875af1925050503d8060008114612f17576040519150601f19603f3d011682016040523d82523d6000602084013e612f1c565b606091505b5050905080610bf05760405162461bcd60e51b815260206004820152603a60248201527f416464726573733a20756e61626c6520746f2073656e642076616c75652c207260448201527f6563697069656e74206d61792068617665207265766572746564000000000000606482015260840161090d565b60006101e08284031215612fa657600080fd5b50919050565b6001600160a01b038116811461194857600080fd5b6000806102008385031215612fd557600080fd5b612fdf8484612f93565b91506101e0830135612ff081612fac565b809150509250929050565b6001600160e01b03198116811461194857600080fd5b60006020828403121561302357600080fd5b8135610b6081612ffb565b60005b83811015613049578181015183820152602001613031565b838111156122f05750506000910152565b6000815180845261307281602086016020860161302e565b601f01601f19169290920160200192915050565b602081526000610b60602083018461305a565b6000602082840312156130ab57600080fd5b5035919050565b600080604083850312156130c557600080fd5b82356130d081612fac565b946020939093013593505050565b634e487b7160e01b600052602160045260246000fd5b60038110613104576131046130de565b9052565b60208101610a3182846130f4565b60008083601f84011261312857600080fd5b5081356001600160401b0381111561313f57600080fd5b60208301915083602082850101111561315757600080fd5b9250929050565b60008060006040848603121561317357600080fd5b83356001600160401b0381111561318957600080fd5b61319586828701613116565b90945092505060208401356131a981612fac565b809150509250925092565b6000602082840312156131c657600080fd5b8135610b6081612fac565b6000806000606084860312156131e657600080fd5b83356131f181612fac565b9250602084013561320181612fac565b929592945050506040919091013590565b60008083601f84011261322457600080fd5b5081356001600160401b0381111561323b57600080fd5b6020830191508360208260051b850101111561315757600080fd5b60008060006040848603121561326b57600080fd5b83356001600160401b0381111561328157600080fd5b61328d86828701613212565b909790965060209590950135949350505050565b803580151581146122b757600080fd5b600080604083850312156132c457600080fd5b82356132cf81612fac565b91506132dd602084016132a1565b90509250929050565b60078110613104576131046130de565b60088110613104576131046130de565b60178110613104576131046130de565b60188110613104576131046130de565b60208110613104576131046130de565b60108110613104576131046130de565b60158110611948576119486130de565b61310481613346565b60006101e0820190506133738284516132e6565b602083015161338560208401826132f6565b5060408301516133986040840182613306565b5060608301516133ab6060840182613316565b5060808301516133be6080840182613326565b5060a08301516133d160a0840182613336565b5060c08301516133e460c0840182613356565b5060e08301516133f760e0840182613356565b506101008381015162ffffff90811691840191909152610120808501518216908401526101408085015182169084015261016080850151821690840152610180808501518216908401526101a080850151909116908301526101c09283015161ffff16929091019190915290565b60006020828403121561347757600080fd5b610b60826132a1565b60006020828403121561349257600080fd5b813560038110610b6057600080fd5b60008061020083850312156134b557600080fd5b823591506132dd8460208501612f93565b6000806000806000608086880312156134de57600080fd5b85356134e981612fac565b945060208601356134f981612fac565b93506040860135925060608601356001600160401b0381111561351b57600080fd5b61352788828901613116565b969995985093965092949392505050565b60008060006040848603121561354d57600080fd5b83356001600160401b0381111561356357600080fd5b61319586828701613212565b6000806040838503121561358257600080fd5b823561358d81612fac565b91506020830135612ff081612fac565b600080602083850312156135b057600080fd5b82356001600160401b038111156135c657600080fd5b6135d285828601613116565b90969095509350505050565b634e487b7160e01b600052604160045260246000fd5b6040516101e081016001600160401b0381118282101715613617576136176135de565b60405290565b604051601f8201601f191681016001600160401b0381118282101715613645576136456135de565b604052919050565b60006001600160401b03821115613666576136666135de565b50601f01601f191660200190565b60006020828403121561368657600080fd5b81356001600160401b0381111561369c57600080fd5b8201601f810184136136ad57600080fd5b80356136c06136bb8261364d565b61361d565b8181528560208385010111156136d557600080fd5b81602084016020830137600091810160200191909152949350505050565b60208082526027908201527f457874656e7369626c65455243373231456e756d657261626c653a2061646d696040820152666e73206f6e6c7960c81b606082015260800190565b6007811061194857600080fd5b60008135610a318161373a565b60078210613764576137646130de565b60ff1981541660ff831681178255505050565b6008811061194857600080fd5b60008135610a3181613777565b600882106137a1576137a16130de565b805461ff008360081b1661ff00198216178255505050565b6017811061194857600080fd5b60008135610a31816137b9565b601782106137e3576137e36130de565b805462ff00008360101b1662ff0000198216178255505050565b6018811061194857600080fd5b60008135610a31816137fd565b60188210613827576138276130de565b805463ff0000008360181b1663ff000000198216178255505050565b6020811061194857600080fd5b60008135610a3181613843565b6020821061386d5761386d6130de565b805464ff000000008360201b1664ff00000000198216178255505050565b6010811061194857600080fd5b60008135610a318161388b565b601082106138b5576138b56130de565b805465ff00000000008360281b1665ff0000000000198216178255505050565b6015811061194857600080fd5b60008135610a31816138d5565b6138f882613346565b805466ff0000000000008360301b1666ff000000000000198216178255505050565b61392382613346565b805460ff60381b8360381b1660ff60381b198216178255505050565b62ffffff8116811461194857600080fd5b60008135610a318161393f565b61ffff8116811461194857600080fd5b60008135610a318161395d565b61398c61398683613747565b82613754565b6139a161399b60208401613784565b82613791565b6139b66139b0604084016137c6565b826137d3565b6139cb6139c56060840161380a565b82613817565b6139e06139da60808401613850565b8261385d565b6139f56139ef60a08401613898565b826138a5565b613a0a613a0460c084016138e2565b826138ef565b613a1f613a1960e084016138e2565b8261391a565b613a57613a2f6101008401613950565b82546affffff0000000000000000191660409190911b6affffff000000000000000016178255565b613a89613a676101208401613950565b82805462ffffff60581b191660589290921b62ffffff60581b16919091179055565b613abb613a996101408401613950565b82805462ffffff60701b191660709290921b62ffffff60701b16919091179055565b613aed613acb6101608401613950565b82805462ffffff60881b191660889290921b62ffffff60881b16919091179055565b613b1f613afd6101808401613950565b82805462ffffff60a01b191660a09290921b62ffffff60a01b16919091179055565b613b51613b2f6101a08401613950565b82805462ffffff60b81b191660b89290921b62ffffff60b81b16919091179055565b613b81613b616101c0840161396d565b82805461ffff60d01b191660d09290921b61ffff60d01b16919091179055565b5050565b600181811c90821680613b9957607f821691505b60208210811415612fa657634e487b7160e01b600052602260045260246000fd5b8183823760009101908152919050565b6020808252602e908201527f457874656e7369626c65455243373231456e756d657261626c653a206375727260408201526d195b9d1b1e48191a5cd8589b195960921b606082015260800190565b634e487b7160e01b600052601160045260246000fd5b600082821015613c4057613c40613c18565b500390565b60008219821115613c5857613c58613c18565b500190565b634e487b7160e01b600052603260045260246000fd5b6000600019821415613c8757613c87613c18565b5060010190565b6020808252825182820181905260009190848201906040850190845b81811015613cc657835183529284019291840191600101613caa565b50909695505050505050565b60408101613ce082856130f4565b610b6060208301846130f4565b600060208284031215613cff57600080fd5b81516001600160401b03811115613d1557600080fd5b8201601f81018413613d2657600080fd5b8051613d346136bb8261364d565b818152856020838501011115613d4957600080fd5b611c7782602083016020860161302e565b6000816000190483118215151615613d7457613d74613c18565b500290565b6001600160a01b0385811682528416602082015260408101839052608060608201819052600090613dac9083018461305a565b9695505050505050565b600060208284031215613dc857600080fd5b8151610b6081612ffb565b80516122b78161373a565b80516122b781613777565b80516122b7816137b9565b80516122b7816137fd565b80516122b781613843565b80516122b78161388b565b80516122b7816138d5565b80516122b78161393f565b80516122b78161395d565b600060208284031215613e4857600080fd5b604051602081018181106001600160401b0382111715613e6a57613e6a6135de565b6040529151825250919050565b600080828403610200811215613e8c57600080fd5b6101e080821215613e9c57600080fd5b613ea46135f4565b9150613eaf85613dd3565b8252613ebd60208601613dde565b6020830152613ece60408601613de9565b6040830152613edf60608601613df4565b6060830152613ef060808601613dff565b6080830152613f0160a08601613e0a565b60a0830152613f1260c08601613e15565b60c0830152613f2360e08601613e15565b60e0830152610100613f36818701613e20565b90830152610120613f48868201613e20565b90830152610140613f5a868201613e20565b90830152610160613f6c868201613e20565b90830152610180613f7e868201613e20565b908301526101a0613f90868201613e20565b908301526101c0613fa2868201613e2b565b8184015250819350613fb686828701613e36565b925050509250929050565b600082613fde57634e487b7160e01b600052601260045260246000fd5b50049056fea2646970667358221220a1e4fc9a57b01b91ec8c068ec5bb4a2a3907d317c94af991d38e91b54f7c673864736f6c63430008090033

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

00000000000000000000000000000000000000000000000000000000000000401c80f5159a53813745e294d30dfc537618cb6b9fe8b4e9310eb8703166b8b4e90000000000000000000000000000000000000000000000000000000000000005000000000000000000000000441f5c9d10020740f61e233d9f5592f834e17917000000000000000000000000000000000000000000000000000000000000000c00000000000000000000000077e04a00c36874ae346a5bea2462cf4fbb45d0d100000000000000000000000000000000000000000000000000000000000000070000000000000000000000005bc6dfa2a8aa1fb3872e4cc094266b5faed38a6d000000000000000000000000000000000000000000000000000000000000002c0000000000000000000000007d0187f74f331510f93a1cec1f10f281fbea0fd700000000000000000000000000000000000000000000000000000000000000160000000000000000000000007c495fdc4c4647912f072c06096198b52b1e39e9000000000000000000000000000000000000000000000000000000000000000f

-----Decoded View---------------
Arg [0] : payees (tuple[]): System.Collections.Generic.List`1[Nethereum.ABI.FunctionEncoding.ParameterOutput],System.Collections.Generic.List`1[Nethereum.ABI.FunctionEncoding.ParameterOutput],System.Collections.Generic.List`1[Nethereum.ABI.FunctionEncoding.ParameterOutput],System.Collections.Generic.List`1[Nethereum.ABI.FunctionEncoding.ParameterOutput],System.Collections.Generic.List`1[Nethereum.ABI.FunctionEncoding.ParameterOutput]
Arg [1] : merkleRoot (bytes32): 0x1c80f5159a53813745e294d30dfc537618cb6b9fe8b4e9310eb8703166b8b4e9

-----Encoded View---------------
13 Constructor Arguments found :
Arg [0] : 0000000000000000000000000000000000000000000000000000000000000040
Arg [1] : 1c80f5159a53813745e294d30dfc537618cb6b9fe8b4e9310eb8703166b8b4e9
Arg [2] : 0000000000000000000000000000000000000000000000000000000000000005
Arg [3] : 000000000000000000000000441f5c9d10020740f61e233d9f5592f834e17917
Arg [4] : 000000000000000000000000000000000000000000000000000000000000000c
Arg [5] : 00000000000000000000000077e04a00c36874ae346a5bea2462cf4fbb45d0d1
Arg [6] : 0000000000000000000000000000000000000000000000000000000000000007
Arg [7] : 0000000000000000000000005bc6dfa2a8aa1fb3872e4cc094266b5faed38a6d
Arg [8] : 000000000000000000000000000000000000000000000000000000000000002c
Arg [9] : 0000000000000000000000007d0187f74f331510f93a1cec1f10f281fbea0fd7
Arg [10] : 0000000000000000000000000000000000000000000000000000000000000016
Arg [11] : 0000000000000000000000007c495fdc4c4647912f072c06096198b52b1e39e9
Arg [12] : 000000000000000000000000000000000000000000000000000000000000000f


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

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