ETH Price: $2,309.24 (-4.59%)

Contract

0x06CC40b0A8098c0432433643DAD10ECB941040A3
 

Overview

ETH Balance

0 ETH

Eth Value

$0.00

Multichain Info

No addresses found
Transaction Hash
Method
Block
From
To
0x60806040174945962023-06-16 19:52:59457 days ago1686945179IN
 Create: NFT
0 ETH0.1301458924.25569385

Advanced mode:
Parent Transaction Hash Block From To
View All Internal Transactions
Loading...
Loading

Contract Source Code Verified (Exact Match)

Contract Name:
NFT

Compiler Version
v0.8.9+commit.e5eed63a

Optimization Enabled:
Yes with 2500 runs

Other Settings:
default evmVersion
File 1 of 41 : NFT.sol
// SPDX-License-Identifier: MIT
pragma solidity 0.8.9;

import "../../AdventureERC721CMetadataInitializable.sol";
import "@limitbreak/creator-token-contracts/contracts/minting/MerkleWhitelistMint.sol";
import "@limitbreak/creator-token-contracts/contracts/programmable-royalties/BasicRoyalties.sol";

contract NFT is 
    AdventureERC721CMetadataInitializable, 
    MerkleWhitelistMintInitializable,
    BasicRoyaltiesInitializable {

    constructor() ERC721("", "") {}

    function supportsInterface(bytes4 interfaceId) public view virtual override(AdventureERC721CInitializable, ERC2981) returns (bool) {
        return super.supportsInterface(interfaceId);
    }

    function setDefaultRoyalty(address receiver, uint96 feeNumerator) public {
        _requireCallerIsContractOwner();
        _setDefaultRoyalty(receiver, feeNumerator);
    }

    function setTokenRoyalty(uint256 tokenId, address receiver, uint96 feeNumerator) public {
        _requireCallerIsContractOwner();
        _setTokenRoyalty(tokenId, receiver, feeNumerator);
    }

    function _mintToken(address to, uint256 tokenId) internal virtual override {
        _mint(to, tokenId);
    }
}

File 2 of 41 : OwnableInitializable.sol
// SPDX-License-Identifier: MIT

pragma solidity ^0.8.4;

import "./OwnablePermissions.sol";
import "@openzeppelin/contracts/access/Ownable.sol";

abstract contract OwnableInitializable is OwnablePermissions, Ownable {

    error InitializableOwnable__OwnerAlreadyInitialized();

    bool private _ownerInitialized;

    /**
     * @dev When EIP-1167 is used to clone a contract that inherits Ownable permissions,
     * this is required to assign the initial contract owner, as the constructor is
     * not called during the cloning process.
     */
    function initializeOwner(address owner_) public {
      if (owner() != address(0) || _ownerInitialized) {
          revert InitializableOwnable__OwnerAlreadyInitialized();
      }

      _transferOwnership(owner_);
    }

    function _requireCallerIsContractOwner() internal view virtual override {
        _checkOwner();
    }
}

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

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

abstract contract OwnablePermissions is Context {
    function _requireCallerIsContractOwner() internal view virtual;
}

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

import "./IAdventurous.sol";
import "./AdventureWhitelist.sol";
import "../token/erc721/ERC721OpenZeppelin.sol";

/**
 * @title AdventureBase
 * @author Limit Break, Inc.
 * @notice Base functionality of the AdventureERC721 token standard.
 */
abstract contract AdventureBase is AdventureWhitelist, IAdventurous {

    error AdventureERC721__AdventureApprovalToCaller();
    error AdventureERC721__AlreadyOnQuest();
    error AdventureERC721__AnActiveQuestIsPreventingTransfers();
    error AdventureERC721__CallerNotApprovedForAdventure();
    error AdventureERC721__CallerNotTokenOwner();
    error AdventureERC721__MaxSimultaneousQuestsCannotBeZero();
    error AdventureERC721__MaxSimultaneousQuestsExceeded();
    error AdventureERC721__NotOnQuest();
    error AdventureERC721__QuestIdOutOfRange();
    error AdventureERC721__TooManyActiveQuests();

    /// @notice Specifies an upper bound for the maximum number of simultaneous quests per adventure.
    uint256 private constant MAX_CONCURRENT_QUESTS = 100;

    /// @dev A value denoting a transfer originating from transferFrom or safeTransferFrom
    uint256 internal constant TRANSFERRING_VIA_ERC721 = 1;

    /// @dev A value denoting a transfer originating from adventureTransferFrom or adventureSafeTransferFrom
    uint256 internal constant TRANSFERRING_VIA_ADVENTURE = 2;

    /// @dev The most simultaneous quests the token may participate in at a time
    uint256 private _maxSimultaneousQuests;

    /// @dev Specifies the type of transfer that is actively being used
    uint256 internal transferType;

    /// @dev Maps each token id to the number of blocking quests it is currently entered into
    mapping (uint256 => uint256) internal blockingQuestCounts;

    /// @dev Mapping from owner to operator approvals for special gameplay behavior
    mapping (address => mapping (address => bool)) private operatorAdventureApprovals;

    /// @dev Maps each token id to a mapping that can enumerate all active quests within an adventure
    mapping (uint256 => mapping (address => uint32[])) public activeQuestList;

    /// @dev Maps each token id to a mapping from adventure address to a mapping of quest ids to quest details
    mapping (uint256 => mapping (address => mapping (uint32 => Quest))) public activeQuestLookup;

    /// @notice Transfers a player's token if they have opted into an authorized, whitelisted adventure.
    function adventureTransferFrom(address from, address to, uint256 tokenId) external override {
        _requireCallerIsWhitelistedAdventure();
        _requireCallerApprovedForAdventure(tokenId);
        transferType = TRANSFERRING_VIA_ADVENTURE;
        _doTransfer(from, to, tokenId);
        transferType = TRANSFERRING_VIA_ERC721;
    }

    /// @notice Safe transfers a player's token if they have opted into an authorized, whitelisted adventure.
    function adventureSafeTransferFrom(address from, address to, uint256 tokenId) external override {
        _requireCallerIsWhitelistedAdventure();
        _requireCallerApprovedForAdventure(tokenId);
        transferType = TRANSFERRING_VIA_ADVENTURE;
        _doSafeTransfer(from, to, tokenId, "");
        transferType = TRANSFERRING_VIA_ERC721;
    }

    /// @notice Burns a player's token if they have opted into an authorized, whitelisted adventure.
    function adventureBurn(uint256 tokenId) external override {
        _requireCallerIsWhitelistedAdventure();
        _requireCallerApprovedForAdventure(tokenId);
        transferType = TRANSFERRING_VIA_ADVENTURE;
        _doBurn(tokenId);
        transferType = TRANSFERRING_VIA_ERC721;
    }

    /// @notice Enters a player's token into a quest if they have opted into an authorized, whitelisted adventure.
    function enterQuest(uint256 tokenId, uint256 questId) external override {
        _requireCallerIsWhitelistedAdventure();
        _requireCallerApprovedForAdventure(tokenId);
        _enterQuest(tokenId, _msgSender(), questId);
    }

    /// @notice Exits a player's token from a quest if they have opted into an authorized, whitelisted adventure.
    /// For developers of adventure contracts that perform adventure burns, be aware that the adventure must exitQuest
    /// before the adventure burn occurs, as _exitQuest emits the owner of the token, which would revert after burning.
    function exitQuest(uint256 tokenId, uint256 questId) external override {
        _requireCallerIsWhitelistedAdventure();
        _requireCallerApprovedForAdventure(tokenId);
        _exitQuest(tokenId, _msgSender(), questId);
    }

    /// @notice Admin-only ability to boot a token from all quests on an adventure.
    /// This ability is only unlocked in the event that an adventure has been unwhitelisted, as early exiting
    /// from quests can cause out of sync state between the ERC721 token contract and the adventure/quest.
    function bootFromAllQuests(uint256 tokenId, address adventure) external {
        _requireCallerIsContractOwner();
        _requireAdventureRemovedFromWhitelist(adventure);
        _exitAllQuests(tokenId, adventure, true);
    }

    /// @notice Gives the player the ability to exit a quest without interacting directly with the approved, whitelisted adventure
    /// This ability is only unlocked in the event that an adventure has been unwhitelisted, as early exiting
    /// from quests can cause out of sync state between the ERC721 token contract and the adventure/quest.
    function userExitQuest(uint256 tokenId, address adventure, uint256 questId) external {
        _requireAdventureRemovedFromWhitelist(adventure);
        _requireCallerOwnsToken(tokenId);
        _exitQuest(tokenId, adventure, questId);
    }

    /// @notice Gives the player the ability to exit all quests on an adventure without interacting directly with the approved, whitelisted adventure
    /// This ability is only unlocked in the event that an adventure has been unwhitelisted, as early exiting
    /// from quests can cause out of sync state between the ERC721 token contract and the adventure/quest.
    function userExitAllQuests(uint256 tokenId, address adventure) external {
        _requireAdventureRemovedFromWhitelist(adventure);
        _requireCallerOwnsToken(tokenId);
        _exitAllQuests(tokenId, adventure, false);
    }

    /// @notice Similar to {IERC721-setApprovalForAll}, but for special in-game adventures only
    function setAdventuresApprovedForAll(address operator, bool approved) external {
        address tokenOwner = _msgSender();

        if(tokenOwner == operator) {
            revert AdventureERC721__AdventureApprovalToCaller();
        }
        operatorAdventureApprovals[tokenOwner][operator] = approved;
        emit AdventureApprovalForAll(tokenOwner, operator, approved);
    }

    /// @notice Similar to {IERC721-isApprovedForAll}, but for special in-game adventures only
    function areAdventuresApprovedForAll(address owner_, address operator) public view returns (bool) {
        return operatorAdventureApprovals[owner_][operator];
    }    
    
    /// @notice Returns the number of quests a token is actively participating in for a specified adventure
    function getQuestCount(uint256 tokenId, address adventure) public override view returns (uint256) {
        return activeQuestList[tokenId][adventure].length;
    }

    /// @notice Returns the amount of time a token has been participating in the specified quest
    function getTimeOnQuest(uint256 tokenId, address adventure, uint256 questId) public override view returns (uint256) {
        (bool participatingInQuest, uint256 startTimestamp,) = isParticipatingInQuest(tokenId, adventure, questId);
        return participatingInQuest ? (block.timestamp - startTimestamp) : 0;
    } 

    /// @notice Returns whether or not a token is currently participating in the specified quest as well as the time it was started and the quest index
    function isParticipatingInQuest(uint256 tokenId, address adventure, uint256 questId) public override view returns (bool participatingInQuest, uint256 startTimestamp, uint256 index) {
        if(questId > type(uint32).max) {
            revert AdventureERC721__QuestIdOutOfRange();
        }

        Quest storage quest = activeQuestLookup[tokenId][adventure][uint32(questId)];
        participatingInQuest = quest.isActive;
        startTimestamp = quest.startTimestamp;
        index = quest.arrayIndex;
        return (participatingInQuest, startTimestamp, index);
    }

    /// @notice Returns a list of all active quests for the specified token id and adventure
    function getActiveQuests(uint256 tokenId, address adventure) public override view returns (Quest[] memory activeQuests) {
        uint256 questCount = getQuestCount(tokenId, adventure);
        activeQuests = new Quest[](questCount);
        uint32[] memory activeQuestIdList = activeQuestList[tokenId][adventure];

        for(uint256 i = 0; i < questCount; ++i) {
            activeQuests[i] = activeQuestLookup[tokenId][adventure][activeQuestIdList[i]];
        }

        return activeQuests;
    }

    function maxSimultaneousQuests() public virtual view returns (uint256) {
        return _maxSimultaneousQuests;
    }

    /// @dev Enters the specified quest for a token id.
    /// Throws if the token is already participating in the specified quest.
    /// Throws if the number of active quests exceeds the max allowable for the given adventure.
    /// Emits a QuestUpdated event for off-chain processing.
    function _enterQuest(uint256 tokenId, address adventure, uint256 questId) internal {
        (bool participatingInQuest,,) = isParticipatingInQuest(tokenId, adventure, questId);
        if(participatingInQuest) {
            revert AdventureERC721__AlreadyOnQuest();
        }

        uint256 currentQuestCount = getQuestCount(tokenId, adventure);
        if(currentQuestCount >= maxSimultaneousQuests()) {
            revert AdventureERC721__TooManyActiveQuests();
        }

        uint32 castedQuestId = uint32(questId);
        activeQuestList[tokenId][adventure].push(castedQuestId);
        activeQuestLookup[tokenId][adventure][castedQuestId].isActive = true;
        activeQuestLookup[tokenId][adventure][castedQuestId].startTimestamp = uint64(block.timestamp);
        activeQuestLookup[tokenId][adventure][castedQuestId].questId = castedQuestId;
        activeQuestLookup[tokenId][adventure][castedQuestId].arrayIndex = uint32(currentQuestCount);

        address ownerOfToken = _ownerOfToken(tokenId);
        emit QuestUpdated(tokenId, ownerOfToken, adventure, questId, true, false);

        if(IAdventure(adventure).questsLockTokens()) {
            unchecked {
                ++blockingQuestCounts[tokenId];
            }
        }

        // Invoke callback to the adventure to facilitate state synchronization as needed
        IAdventure(adventure).onQuestEntered(ownerOfToken, tokenId, questId);
    }

    /// @dev Exits the specified quest for a token id.
    /// Throws if the token is not currently participating on the specified quest.
    /// Emits a QuestUpdated event for off-chain processing.
    function _exitQuest(uint256 tokenId, address adventure, uint256 questId) internal {
        (bool participatingInQuest, uint256 startTimestamp, uint256 index) = isParticipatingInQuest(tokenId, adventure, questId);
        if(!participatingInQuest) {
            revert AdventureERC721__NotOnQuest();
        }

        uint32 castedQuestId = uint32(questId);
        uint256 lastArrayIndex = getQuestCount(tokenId, adventure) - 1;
        if(index != lastArrayIndex) {
            activeQuestList[tokenId][adventure][index] = activeQuestList[tokenId][adventure][lastArrayIndex];
            activeQuestLookup[tokenId][adventure][activeQuestList[tokenId][adventure][lastArrayIndex]].arrayIndex = uint32(index);
        }

        activeQuestList[tokenId][adventure].pop();
        delete activeQuestLookup[tokenId][adventure][castedQuestId];

        address ownerOfToken = _ownerOfToken(tokenId);
        emit QuestUpdated(tokenId, ownerOfToken, adventure, questId, false, false);

        if(IAdventure(adventure).questsLockTokens()) {
            --blockingQuestCounts[tokenId];
        }

        // Invoke callback to the adventure to facilitate state synchronization as needed
        IAdventure(adventure).onQuestExited(ownerOfToken, tokenId, questId, startTimestamp);
    }

    /// @dev Removes the specified token id from all quests on the specified adventure
    function _exitAllQuests(uint256 tokenId, address adventure, bool booted) internal {
        address tokenOwner = _ownerOfToken(tokenId);
        uint256 questCount = getQuestCount(tokenId, adventure);

        if(IAdventure(adventure).questsLockTokens()) {
            blockingQuestCounts[tokenId] -= questCount;
        }

        for(uint256 i = 0; i < questCount;) {
            uint32 questId = activeQuestList[tokenId][adventure][i];

            Quest memory quest = activeQuestLookup[tokenId][adventure][questId];
            uint256 startTimestamp = quest.startTimestamp;

            emit QuestUpdated(tokenId, tokenOwner, adventure, questId, false, booted);
            delete activeQuestLookup[tokenId][adventure][questId];
            
            // Invoke callback to the adventure to facilitate state synchronization as needed
            IAdventure(adventure).onQuestExited(tokenOwner, tokenId, questId, startTimestamp);

            unchecked {
                ++i;
            }
        }

        delete activeQuestList[tokenId][adventure];
    }

    /// @dev Validates that the caller is approved for adventure on the specified token id
    /// Throws when the caller has not been approved by the user.
    function _requireCallerApprovedForAdventure(uint256 tokenId) internal view {
        if(!areAdventuresApprovedForAll(_ownerOfToken(tokenId), _msgSender())) {
            revert AdventureERC721__CallerNotApprovedForAdventure();
        }
    }

    /// @dev Validates that the caller owns the specified token
    /// Throws when the caller does not own the specified token.
    function _requireCallerOwnsToken(uint256 tokenId) internal view {
        if(_ownerOfToken(tokenId) != _msgSender()) {
            revert AdventureERC721__CallerNotTokenOwner();
        }
    }

    /// @dev Validates that the specified value of max simultaneous quests is in range [1-MAX_CONCURRENT_QUESTS]
    /// Throws when `maxSimultaneousQuests_` is zero.
    /// Throws when `maxSimultaneousQuests_` is more than MAX_CONCURRENT_QUESTS.
    function _validateMaxSimultaneousQuests(uint256 maxSimultaneousQuests_) internal pure {
        if(maxSimultaneousQuests_ == 0) {
            revert AdventureERC721__MaxSimultaneousQuestsCannotBeZero();
        }

        if(maxSimultaneousQuests_ > MAX_CONCURRENT_QUESTS) {
            revert AdventureERC721__MaxSimultaneousQuestsExceeded();
        }
    }

    function _setMaxSimultaneousQuestsAndInitializeTransferType(uint256 maxSimultaneousQuests_) internal {
        _validateMaxSimultaneousQuests(maxSimultaneousQuests_);
        _maxSimultaneousQuests = maxSimultaneousQuests_;
        transferType = TRANSFERRING_VIA_ERC721;
    }

    function _doBurn(uint256 tokenId) internal virtual;

    function _doTransfer(address from, address to, uint256 tokenId) internal virtual;

    function _doSafeTransfer(address from, address to, uint256 tokenId, bytes memory data) internal virtual;

    function _ownerOfToken(uint256 tokenId) internal view virtual returns (address);
}


/**
 * @title AdventureERC721
 * @author Limit Break, Inc.
 * @notice Standard AdventureERC721 implementation allowing for constructor to be called
 */
abstract contract AdventureERC721 is AdventureBase, ERC721OpenZeppelin {

    /// @dev The most simultaneous quests the token may participate in at a time
    uint256 private immutable _maxSimultaneousQuestsImmutable;

    constructor(uint256 maxSimultaneousQuests_) {
        _setMaxSimultaneousQuestsAndInitializeTransferType(maxSimultaneousQuests_);
        _maxSimultaneousQuestsImmutable = maxSimultaneousQuests_;
    }

    /// @dev ERC-165 interface support
    function supportsInterface(bytes4 interfaceId) public view virtual override (ERC721, IERC165) returns (bool) {
        return 
        interfaceId == type(IAdventurous).interfaceId || 
        super.supportsInterface(interfaceId);
    }

    function maxSimultaneousQuests() public view override returns (uint256) {
        return _maxSimultaneousQuestsImmutable;
    }

    function _doBurn(uint256 tokenId) internal virtual override {
        _burn(tokenId);
    }

    function _doTransfer(address from, address to, uint256 tokenId) internal virtual override {
        _transfer(from, to, tokenId);
    }

    function _doSafeTransfer(address from, address to, uint256 tokenId, bytes memory data) internal virtual override {
        _safeTransfer(from, to, tokenId, data);
    }

    function _ownerOfToken(uint256 tokenId) internal view virtual override returns (address) {
        return ownerOf(tokenId);
    }

    /// @dev By default, tokens that are participating in quests are transferrable.  However, if a token is participating
    /// in a quest on an adventure that was designated as a token locker, the transfer will revert and keep the token
    /// locked.
    function _beforeTokenTransfer(address /*from*/, address /*to*/, uint256 firstTokenId, uint256 batchSize) internal virtual override {
        for (uint256 i = 0; i < batchSize;) {
            if(blockingQuestCounts[firstTokenId + i] > 0) {
                revert AdventureERC721__AnActiveQuestIsPreventingTransfers();
            }

            unchecked {
                ++i;
            }
        }
    }
}

/**
 * @title AdventureERC721Initializable
 * @author Limit Break, Inc.
 * @notice Initializable AdventureERC721 implementation allowing for EIP-1167 clones.
 */
abstract contract AdventureERC721Initializable is AdventureBase, ERC721OpenZeppelinInitializable {

    error AdventureERC721Initializable__AlreadyInitializedMaxSimultaneousQuestsAndTransferType();

    bool private _maxSimultaneousQuestsInitialized;

    function initializeMaxSimultaneousQuestsAndTransferType(uint256 maxSimultaneousQuests_) public {
        _requireCallerIsContractOwner();

        if(_maxSimultaneousQuestsInitialized) {
            revert AdventureERC721Initializable__AlreadyInitializedMaxSimultaneousQuestsAndTransferType();
        }

        _maxSimultaneousQuestsInitialized = true;

        _setMaxSimultaneousQuestsAndInitializeTransferType(maxSimultaneousQuests_);
    }

    /// @dev ERC-165 interface support
    function supportsInterface(bytes4 interfaceId) public view virtual override (ERC721, IERC165) returns (bool) {
        return 
        interfaceId == type(IAdventurous).interfaceId || 
        super.supportsInterface(interfaceId);
    }

    function _doBurn(uint256 tokenId) internal virtual override {
        _burn(tokenId);
    }

    function _doTransfer(address from, address to, uint256 tokenId) internal virtual override {
        _transfer(from, to, tokenId);
    }

    function _doSafeTransfer(address from, address to, uint256 tokenId, bytes memory data) internal virtual override {
        _safeTransfer(from, to, tokenId, data);
    }

    function _ownerOfToken(uint256 tokenId) internal view virtual override returns (address) {
        return ownerOf(tokenId);
    }

    /// @dev By default, tokens that are participating in quests are transferrable.  However, if a token is participating
    /// in a quest on an adventure that was designated as a token locker, the transfer will revert and keep the token
    /// locked.
    function _beforeTokenTransfer(address /*from*/, address /*to*/, uint256 firstTokenId, uint256 batchSize) internal virtual override {
        for (uint256 i = 0; i < batchSize;) {
            if(blockingQuestCounts[firstTokenId + i] > 0) {
                revert AdventureERC721__AnActiveQuestIsPreventingTransfers();
            }

            unchecked {
                ++i;
            }
        }
    }
}

File 5 of 41 : AdventureWhitelist.sol
// SPDX-License-Identifier: MIT
pragma solidity ^0.8.4;

import "./IAdventure.sol";
import "../access/OwnablePermissions.sol";
import "@openzeppelin/contracts/access/Ownable.sol";
import "@openzeppelin/contracts/token/ERC721/IERC721.sol";

/**
 * @title AdventureWhitelist
 * @author Limit Break, Inc.
 * @notice Implements the basic security features of the {IAdventurous} token standard for ERC721-compliant tokens.
 * This includes a whitelist for trusted Adventure contracts designed to interoperate with this token.
 */
abstract contract AdventureWhitelist is OwnablePermissions {

    error AdventureWhitelist__AdventureIsStillWhitelisted();
    error AdventureWhitelist__AlreadyWhitelisted();
    error AdventureWhitelist__ArrayIndexOverflowsUint128();
    error AdventureWhitelist__CallerNotAWhitelistedAdventure();
    error AdventureWhitelist__InvalidAdventureContract();
    error AdventureWhitelist__NotWhitelisted();

    struct AdventureDetails {
        bool isWhitelisted;
        uint128 arrayIndex;
    }

    /// @dev Emitted when the adventure whitelist is updated
    event AdventureWhitelistUpdated(address indexed adventure, bool whitelisted);
    
    /// @dev Whitelist array for iteration
    address[] public whitelistedAdventureList;

    /// @dev Whitelist mapping
    mapping (address => AdventureDetails) public whitelistedAdventures;

    /// @notice Returns whether the specified account is a whitelisted adventure
    function isAdventureWhitelisted(address account) public view returns (bool) {
        return whitelistedAdventures[account].isWhitelisted;
    }

    /// @notice Whitelists an adventure and specifies whether or not the quests in that adventure lock token transfers
    /// Throws when the adventure is already in the whitelist.
    /// Throws when the specified address does not implement the IAdventure interface.
    ///
    /// Postconditions:
    /// The specified adventure contract is in the whitelist.
    /// An `AdventureWhitelistUpdate` event has been emitted.
    function whitelistAdventure(address adventure) external {
        _requireCallerIsContractOwner();

        if(isAdventureWhitelisted(adventure)) {
            revert AdventureWhitelist__AlreadyWhitelisted();
        }

        if(!IERC165(adventure).supportsInterface(type(IAdventure).interfaceId)) {
            revert AdventureWhitelist__InvalidAdventureContract();
        }

        uint256 arrayIndex = whitelistedAdventureList.length;
        if(arrayIndex > type(uint128).max) {
            revert AdventureWhitelist__ArrayIndexOverflowsUint128();
        }

        whitelistedAdventures[adventure].isWhitelisted = true;
        whitelistedAdventures[adventure].arrayIndex = uint128(arrayIndex);
        whitelistedAdventureList.push(adventure);

        emit AdventureWhitelistUpdated(adventure, true);
    }

    /// @notice Removes an adventure from the whitelist
    /// Throws when the adventure is not in the whitelist.
    ///
    /// Postconditions:
    /// The specified adventure contract is no longer in the whitelist.
    /// An `AdventureWhitelistUpdate` event has been emitted.
    function unwhitelistAdventure(address adventure) external {
        _requireCallerIsContractOwner();

        if(!isAdventureWhitelisted(adventure)) {
            revert AdventureWhitelist__NotWhitelisted();
        }
        
        uint128 itemPositionToDelete = whitelistedAdventures[adventure].arrayIndex;
        uint256 arrayEndIndex = whitelistedAdventureList.length - 1;
        if(itemPositionToDelete != arrayEndIndex) {
            whitelistedAdventureList[itemPositionToDelete] = whitelistedAdventureList[arrayEndIndex];
            whitelistedAdventures[whitelistedAdventureList[itemPositionToDelete]].arrayIndex = itemPositionToDelete;
        }

        whitelistedAdventureList.pop();
        delete whitelistedAdventures[adventure];

        emit AdventureWhitelistUpdated(adventure, false);
    }

    /// @dev Validates that the caller is a whitelisted adventure
    /// Throws when the caller is not in the adventure whitelist.
    function _requireCallerIsWhitelistedAdventure() internal view {
        if(!isAdventureWhitelisted(_msgSender())) {
            revert AdventureWhitelist__CallerNotAWhitelistedAdventure();
        }
    }

    /// @dev Validates that the specified adventure has been removed from the whitelist
    /// to prevent early backdoor exiting from adventures.
    /// Throws when specified adventure is still whitelisted.
    function _requireAdventureRemovedFromWhitelist(address adventure) internal view {
        if(isAdventureWhitelisted(adventure)) {
            revert AdventureWhitelist__AdventureIsStillWhitelisted();
        }
    }
}

File 6 of 41 : IAdventure.sol
// SPDX-License-Identifier: MIT
pragma solidity ^0.8.4;

import "@openzeppelin/contracts/utils/introspection/IERC165.sol";

/**
 * @title IAdventure
 * @author Limit Break, Inc.
 * @notice The base interface that all `Adventure` contracts must conform to.
 * @dev All contracts that implement the adventure/quest system and interact with an {IAdventurous} token are required to implement this interface.
 */
interface IAdventure is IERC165 {

    /**
     * @dev Returns whether or not quests on this adventure lock tokens.
     * Developers of adventure contract should ensure that this is immutable 
     * after deployment of the adventure contract.  Failure to do so
     * can lead to error that deadlock token transfers.
     */
    function questsLockTokens() external view returns (bool);

    /**
     * @dev A callback function that AdventureERC721 must invoke when a quest has been successfully entered.
     * Throws if the caller is not an expected AdventureERC721 contract designed to work with the Adventure.
     * Not permitted to throw in any other case, as this could lead to tokens being locked in quests.
     */
    function onQuestEntered(address adventurer, uint256 tokenId, uint256 questId) external;

    /**
     * @dev A callback function that AdventureERC721 must invoke when a quest has been successfully exited.
     * Throws if the caller is not an expected AdventureERC721 contract designed to work with the Adventure.
     * Not permitted to throw in any other case, as this could lead to tokens being locked in quests.
     */
    function onQuestExited(address adventurer, uint256 tokenId, uint256 questId, uint256 questStartTimestamp) external;
}

File 7 of 41 : IAdventurous.sol
// SPDX-License-Identifier: MIT
pragma solidity ^0.8.4;

import "./Quest.sol";
import "@openzeppelin/contracts/utils/introspection/IERC165.sol";

/**
 * @title IAdventurous
 * @author Limit Break, Inc.
 * @notice The base interface that all `Adventurous` token contracts must conform to in order to support adventures and quests.
 * @dev All contracts that support adventures and quests are required to implement this interface.
 */
interface IAdventurous is IERC165 {

    /**
     * @dev Emitted when `owner` enables or disables (`approved`) `operator` to manage all of its assets, for special in-game adventures.
     */ 
    event AdventureApprovalForAll(address indexed tokenOwner, address indexed operator, bool approved);

    /**
     * @dev Emitted when a token enters or exits a quest
     */
    event QuestUpdated(uint256 indexed tokenId, address indexed tokenOwner, address indexed adventure, uint256 questId, bool active, bool booted);

    /**
     * @notice Transfers a player's token if they have opted into an authorized, whitelisted adventure.
     */
    function adventureTransferFrom(address from, address to, uint256 tokenId) external;

    /**
     * @notice Safe transfers a player's token if they have opted into an authorized, whitelisted adventure.
     */
    function adventureSafeTransferFrom(address from, address to, uint256 tokenId) external;

    /**
     * @notice Burns a player's token if they have opted into an authorized, whitelisted adventure.
     */
    function adventureBurn(uint256 tokenId) external;

    /**
     * @notice Enters a player's token into a quest if they have opted into an authorized, whitelisted adventure.
     */
    function enterQuest(uint256 tokenId, uint256 questId) external;

    /**
     * @notice Exits a player's token from a quest if they have opted into an authorized, whitelisted adventure.
     */
    function exitQuest(uint256 tokenId, uint256 questId) external;

    /**
     * @notice Returns the number of quests a token is actively participating in for a specified adventure
     */
    function getQuestCount(uint256 tokenId, address adventure) external view returns (uint256);

    /**
     * @notice Returns the amount of time a token has been participating in the specified quest
     */
    function getTimeOnQuest(uint256 tokenId, address adventure, uint256 questId) external view returns (uint256);

    /**
     * @notice Returns whether or not a token is currently participating in the specified quest as well as the time it was started and the quest index
     */
    function isParticipatingInQuest(uint256 tokenId, address adventure, uint256 questId) external view returns (bool participatingInQuest, uint256 startTimestamp, uint256 index);

    /**
     * @notice Returns a list of all active quests for the specified token id and adventure
     */
    function getActiveQuests(uint256 tokenId, address adventure) external view returns (Quest[] memory activeQuests);
}

File 8 of 41 : Quest.sol
// SPDX-License-Identifier: MIT
pragma solidity ^0.8.4;

/**
 * @title Quest
 * @author Limit Break, Inc.
 * @notice Quest data structure for {IAdventurous} contracts.
 */
struct Quest {
    bool isActive;
    uint32 questId;
    uint64 startTimestamp;
    uint32 arrayIndex;
}

File 9 of 41 : AdventureERC721C.sol
// SPDX-License-Identifier: MIT
pragma solidity ^0.8.4;

import "../utils/CreatorTokenBase.sol";
import "../adventures/AdventureERC721.sol";

/**
 * @title AdventureERC721C
 * @author Limit Break, Inc.
 * @notice Extends Limit Break's AdventureERC721 implementation with Creator Token functionality, which
 *         allows the contract owner to update the transfer validation logic by managing a security policy in
 *         an external transfer validation security policy registry.  See {CreatorTokenTransferValidator}.
 */
abstract contract AdventureERC721C is AdventureERC721, CreatorTokenBase {

    function supportsInterface(bytes4 interfaceId) public view virtual override returns (bool) {
        return interfaceId == type(ICreatorToken).interfaceId || super.supportsInterface(interfaceId);
    }

    /// @dev Ties the adventure erc721 _beforeTokenTransfer hook to more granular transfer validation logic
    function _beforeTokenTransfer(
        address from,
        address to,
        uint256 firstTokenId,
        uint256 batchSize) internal virtual override {

        uint256 tokenId;
        for (uint256 i = 0; i < batchSize;) {
            tokenId = firstTokenId + i;
            if(blockingQuestCounts[tokenId] > 0) {
                revert AdventureERC721__AnActiveQuestIsPreventingTransfers();
            }

            if(transferType == TRANSFERRING_VIA_ERC721) {
                _validateBeforeTransfer(from, to, tokenId);
            }

            unchecked {
                ++i;
            }
        }
    }

    /// @dev Ties the adventure erc721 _afterTokenTransfer hook to more granular transfer validation logic
    function _afterTokenTransfer(
        address from,
        address to,
        uint256 firstTokenId,
        uint256 batchSize) internal virtual override {
        for (uint256 i = 0; i < batchSize;) {
            _validateAfterTransfer(from, to, firstTokenId + i);
            unchecked {
                ++i;
            }
        }
    }
}


/**
 * @title AdventureERC721CInitializable
 * @author Limit Break, Inc.
 * @notice Initializable implementation of the AdventureERC721C contract to allow for EIP-1167 clones.
 */
abstract contract AdventureERC721CInitializable is AdventureERC721Initializable, CreatorTokenBase {

    function supportsInterface(bytes4 interfaceId) public view virtual override returns (bool) {
        return interfaceId == type(ICreatorToken).interfaceId || super.supportsInterface(interfaceId);
    }

    /// @dev Ties the adventure erc721 _beforeTokenTransfer hook to more granular transfer validation logic
    function _beforeTokenTransfer(
        address from,
        address to,
        uint256 firstTokenId,
        uint256 batchSize) internal virtual override {

        uint256 tokenId;
        for (uint256 i = 0; i < batchSize;) {
            tokenId = firstTokenId + i;
            if(blockingQuestCounts[tokenId] > 0) {
                revert AdventureERC721__AnActiveQuestIsPreventingTransfers();
            }

            if(transferType == TRANSFERRING_VIA_ERC721) {
                _validateBeforeTransfer(from, to, tokenId);
            }

            unchecked {
                ++i;
            }
        }
    }

    /// @dev Ties the adventure erc721 _afterTokenTransfer hook to more granular transfer validation logic
    function _afterTokenTransfer(
        address from,
        address to,
        uint256 firstTokenId,
        uint256 batchSize) internal virtual override {
        for (uint256 i = 0; i < batchSize;) {
            _validateAfterTransfer(from, to, firstTokenId + i);
            unchecked {
                ++i;
            }
        }
    }
}

File 10 of 41 : ICreatorToken.sol
// SPDX-License-Identifier: MIT
pragma solidity ^0.8.4;

import "../interfaces/ICreatorTokenTransferValidator.sol";

interface ICreatorToken {
    event TransferValidatorUpdated(address oldValidator, address newValidator);

    function getTransferValidator() external view returns (ICreatorTokenTransferValidator);
    function getSecurityPolicy() external view returns (CollectionSecurityPolicy memory);
    function getWhitelistedOperators() external view returns (address[] memory);
    function getPermittedContractReceivers() external view returns (address[] memory);
    function isOperatorWhitelisted(address operator) external view returns (bool);
    function isContractReceiverPermitted(address receiver) external view returns (bool);
    function isTransferAllowed(address caller, address from, address to) external view returns (bool);
}

File 11 of 41 : ICreatorTokenTransferValidator.sol
// SPDX-License-Identifier: MIT
pragma solidity ^0.8.4;

import "./IEOARegistry.sol";
import "./ITransferSecurityRegistry.sol";
import "./ITransferValidator.sol";

interface ICreatorTokenTransferValidator is ITransferSecurityRegistry, ITransferValidator, IEOARegistry {}

File 12 of 41 : IEOARegistry.sol
// SPDX-License-Identifier: MIT
pragma solidity ^0.8.4;

import "@openzeppelin/contracts/utils/introspection/IERC165.sol";

interface IEOARegistry is IERC165 {
    function isVerifiedEOA(address account) external view returns (bool);
}

File 13 of 41 : ITransferSecurityRegistry.sol
// SPDX-License-Identifier: MIT
pragma solidity ^0.8.4;

import "../utils/TransferPolicy.sol";

interface ITransferSecurityRegistry {
    event AddedToAllowlist(AllowlistTypes indexed kind, uint256 indexed id, address indexed account);
    event CreatedAllowlist(AllowlistTypes indexed kind, uint256 indexed id, string indexed name);
    event ReassignedAllowlistOwnership(AllowlistTypes indexed kind, uint256 indexed id, address indexed newOwner);
    event RemovedFromAllowlist(AllowlistTypes indexed kind, uint256 indexed id, address indexed account);
    event SetAllowlist(AllowlistTypes indexed kind, address indexed collection, uint120 indexed id);
    event SetTransferSecurityLevel(address indexed collection, TransferSecurityLevels level);

    function createOperatorWhitelist(string calldata name) external returns (uint120);
    function createPermittedContractReceiverAllowlist(string calldata name) external returns (uint120);
    function reassignOwnershipOfOperatorWhitelist(uint120 id, address newOwner) external;
    function reassignOwnershipOfPermittedContractReceiverAllowlist(uint120 id, address newOwner) external;
    function renounceOwnershipOfOperatorWhitelist(uint120 id) external;
    function renounceOwnershipOfPermittedContractReceiverAllowlist(uint120 id) external;
    function setTransferSecurityLevelOfCollection(address collection, TransferSecurityLevels level) external;
    function setOperatorWhitelistOfCollection(address collection, uint120 id) external;
    function setPermittedContractReceiverAllowlistOfCollection(address collection, uint120 id) external;
    function addOperatorToWhitelist(uint120 id, address operator) external;
    function addPermittedContractReceiverToAllowlist(uint120 id, address receiver) external;
    function removeOperatorFromWhitelist(uint120 id, address operator) external;
    function removePermittedContractReceiverFromAllowlist(uint120 id, address receiver) external;
    function getCollectionSecurityPolicy(address collection) external view returns (CollectionSecurityPolicy memory);
    function getWhitelistedOperators(uint120 id) external view returns (address[] memory);
    function getPermittedContractReceivers(uint120 id) external view returns (address[] memory);
    function isOperatorWhitelisted(uint120 id, address operator) external view returns (bool);
    function isContractReceiverPermitted(uint120 id, address receiver) external view returns (bool);
}

File 14 of 41 : ITransferValidator.sol
// SPDX-License-Identifier: MIT
pragma solidity ^0.8.4;

import "../utils/TransferPolicy.sol";

interface ITransferValidator {
    function applyCollectionTransferPolicy(address caller, address from, address to) external view;
}

File 15 of 41 : ClaimPeriodBase.sol
// SPDX-License-Identifier: MIT
pragma solidity ^0.8.4;

import "../access/OwnablePermissions.sol";

/**
 * @title ClaimPeriodBase
 * @author Limit Break, Inc.
 * @notice In order to support multiple contracts with enforced claim periods, the claim period has been moved to this base contract.
 *
 */
abstract contract ClaimPeriodBase is OwnablePermissions {

    error ClaimPeriodBase__ClaimsMustBeClosedToReopen();
    error ClaimPeriodBase__ClaimPeriodIsNotOpen();
    error ClaimPeriodBase__ClaimPeriodMustBeClosedInTheFuture();

    /// @dev True if claims have been initalized, false otherwise.
    bool private claimPeriodInitialized;

    /// @dev The timestamp when the claim period closes - when this value is zero and claims are open, the claim period is open indefinitely
    uint256 private claimPeriodClosingTimestamp;

    /// @dev Emitted when a claim period is scheduled to be closed.
    event ClaimPeriodClosing(uint256 claimPeriodClosingTimestamp);

    /// @dev Emitted when a claim period is scheduled to be opened.
    event ClaimPeriodOpened(uint256 claimPeriodClosingTimestamp);

    /// @dev Opens the claim period.  Claims can be closed with a custom amount of warning time using the closeClaims function.
    /// Accepts a claimPeriodClosingTimestamp_ timestamp which will open the period ending at that time (in seconds)
    /// NOTE: Use as high a window as possible to prevent gas wars for claiming
    /// For an unbounded claim window, pass in type(uint256).max
    function openClaims(uint256 claimPeriodClosingTimestamp_) external {
        _requireCallerIsContractOwner();

        if(claimPeriodClosingTimestamp_ <= block.timestamp) {
            revert ClaimPeriodBase__ClaimPeriodMustBeClosedInTheFuture();
        }

        _onClaimPeriodOpening();

        if(claimPeriodInitialized) {
            if(block.timestamp < claimPeriodClosingTimestamp) {
                revert ClaimPeriodBase__ClaimsMustBeClosedToReopen();
            }
        } else {
            claimPeriodInitialized = true;
        }

        claimPeriodClosingTimestamp = claimPeriodClosingTimestamp_;

        emit ClaimPeriodOpened(claimPeriodClosingTimestamp_);
    }

    /// @dev Closes claims at a specified timestamp.
    ///
    /// Throws when the specified timestamp is not in the future.
    function closeClaims(uint256 claimPeriodClosingTimestamp_) external {
        _requireCallerIsContractOwner();

        _requireClaimsOpen();

        if(claimPeriodClosingTimestamp_ <= block.timestamp) {
            revert ClaimPeriodBase__ClaimPeriodMustBeClosedInTheFuture();
        }

        claimPeriodClosingTimestamp = claimPeriodClosingTimestamp_;
        
        emit ClaimPeriodClosing(claimPeriodClosingTimestamp_);
    }

    /// @dev Returns the Claim Period Timestamp
    function getClaimPeriodClosingTimestamp() external view returns (uint256) {
        return claimPeriodClosingTimestamp;
    }

    /// @notice Returns true if the claim period has been opened, false otherwise
    function isClaimPeriodOpen() external view returns (bool) {
        return _isClaimPeriodOpen();
    }

    /// @dev Returns true if claim period is open, false otherwise.
    function _isClaimPeriodOpen() internal view returns (bool) {
        return claimPeriodInitialized && block.timestamp < claimPeriodClosingTimestamp;
    }

    /// @dev Validates that the claim period is open.
    /// Throws if claims are not open.
    function _requireClaimsOpen() internal view {
        if(!_isClaimPeriodOpen()) {
            revert ClaimPeriodBase__ClaimPeriodIsNotOpen();
        }
    }

    /// @dev Hook to allow inheriting contracts to perform state validation when opening the claim period
    function _onClaimPeriodOpening() internal virtual {}
}

File 16 of 41 : MaxSupply.sol
// SPDX-License-Identifier: MIT
pragma solidity ^0.8.4;

import "../access/OwnablePermissions.sol";
import "./MintTokenBase.sol";
import "./SequentialMintBase.sol";

/**
 * @title MaxSupplyBase
 * @author Limit Break, Inc.
 * @notice In order to support multiple contracts with a global maximum supply, the max supply has been moved to this base contract.
 * @dev Inheriting contracts must implement `_mintToken`.
 */
abstract contract MaxSupplyBase is OwnablePermissions, MintTokenBase, SequentialMintBase {

    error MaxSupplyBase__CannotClaimMoreThanMaximumAmountOfOwnerMints();
    error MaxSupplyBase__CannotMintToAddressZero();
    error MaxSupplyBase__MaxSupplyCannotBeSetToMaxUint256();
    error MaxSupplyBase__MaxSupplyExceeded();
    error MaxSupplyBase__MintedQuantityMustBeGreaterThanZero();

    /// @dev The global maximum supply for a contract.  Inheriting contracts must reference this maximum supply in addition to any other
    /// @dev constraints they are looking to enforce.
    /// @dev If `_maxSupply` is set to zero, the global max supply will match the combined max allowable mints for each minting mix-in used.
    /// @dev If the `_maxSupply` is below the total sum of allowable mints, the `_maxSupply` will be prioritized.
    uint256 private _maxSupply;

    /// @dev The number of tokens remaining to mint via owner mint.
    /// @dev This can be used to guarantee minting out by allowing the owner to mint unclaimed supply after the public mint is completed.
    uint256 private _remainingOwnerMints;

    /// @dev Emitted when the maximum supply is initialized
    event MaxSupplyInitialized(uint256 maxSupply, uint256 maxOwnerMints);

    /// @notice Mints the specified quantity to the provided address
    ///
    /// Throws when the caller is not the owner
    /// Throws when provided quantity is zero
    /// Throws when provided address is address zero
    /// Throws if the quantity minted plus amount already minted exceeds the maximum amount mintable by the owner
    function ownerMint(address to, uint256 quantity) external {
        _requireCallerIsContractOwner();

        if(to == address(0)) {
            revert MaxSupplyBase__CannotMintToAddressZero();
        }

        if(quantity > _remainingOwnerMints) {
            revert MaxSupplyBase__CannotClaimMoreThanMaximumAmountOfOwnerMints();
        }
        _requireLessThanMaxSupply(mintedSupply() + quantity);

        unchecked {
            _remainingOwnerMints -= quantity;
        }
        _mintBatch(to, quantity);
    }

    function maxSupply() public virtual view returns (uint256) {
        return _maxSupply;
    }

    function remainingOwnerMints() public view returns (uint256) {
        return _remainingOwnerMints;
    }

    function mintedSupply() public view returns (uint256) {
        return getNextTokenId() - 1;
    }

    function _setMaxSupplyAndOwnerMints(uint256 maxSupply_, uint256 maxOwnerMints_) internal {
        if(maxSupply_ == type(uint256).max) {
            revert MaxSupplyBase__MaxSupplyCannotBeSetToMaxUint256();
        }

        _maxSupply = maxSupply_;
        _remainingOwnerMints = maxOwnerMints_;

        _initializeNextTokenIdCounter();

        emit MaxSupplyInitialized(maxSupply_, maxOwnerMints_);
    }

    function _requireLessThanMaxSupply(uint256 supplyAfterMint) internal view {
        uint256 maxSupplyCache = maxSupply();
        if (maxSupplyCache > 0) {
            if (supplyAfterMint > maxSupplyCache) {
                revert MaxSupplyBase__MaxSupplyExceeded();
            }
        }
    }

    /// @dev Batch mints the specified quantity to the specified address
    /// Throws if quantity is zero
    /// Throws if `to` is a smart contract that does not implement IERC721 receiver
    function _mintBatch(address to, uint256 quantity) internal returns (uint256 startTokenId, uint256 endTokenId) {
        if(quantity == 0) {
            revert MaxSupplyBase__MintedQuantityMustBeGreaterThanZero();
        }
        startTokenId = getNextTokenId();
        unchecked {
            endTokenId = startTokenId + quantity - 1;
            _advanceNextTokenIdCounter(quantity);

            for(uint256 i = 0; i < quantity; ++i) {
                _mintToken(to, startTokenId + i);
            }
        }
        return (startTokenId, endTokenId);
    }
}

/**
 * @title MaxSupply
 * @author Limit Break, Inc.
 * @notice Constructable implementation of the MaxSupplyBase mixin.
 */
abstract contract MaxSupply is MaxSupplyBase {

    uint256 internal immutable _maxSupplyImmutable;

    constructor(uint256 maxSupply_, uint256 maxOwnerMints_) {
        _setMaxSupplyAndOwnerMints(maxSupply_, maxOwnerMints_);
        _maxSupplyImmutable = maxSupply_;
    }

    function maxSupply() public virtual view override returns (uint256) {
        return _maxSupplyImmutable;
    }
}

/**
 * @title MaxSupplyInitializable
 * @author Limit Break, Inc.
 * @notice Initializable implementation of the MaxSupplyBase mixin to allow for EIP-1167 clones.
 */
abstract contract MaxSupplyInitializable is MaxSupplyBase {

    error InitializableMaxSupplyBase__MaxSupplyAlreadyInitialized();

    /// @dev Boolean value set during initialization to prevent reinitializing the value.
    bool private _maxSupplyInitialized;

    function initializeMaxSupply(uint256 maxSupply_, uint256 maxOwnerMints_) external {
        _requireCallerIsContractOwner();

        if(_maxSupplyInitialized) {
            revert InitializableMaxSupplyBase__MaxSupplyAlreadyInitialized();
        }

        _maxSupplyInitialized = true;

        _setMaxSupplyAndOwnerMints(maxSupply_, maxOwnerMints_);        
    }

    function maxSupplyInitialized() public view returns (bool) {
        return _maxSupplyInitialized;
    }
}

File 17 of 41 : MerkleWhitelistMint.sol
// SPDX-License-Identifier: MIT
pragma solidity ^0.8.4;

import "./ClaimPeriodBase.sol";
import "./MaxSupply.sol";
import "@openzeppelin/contracts/utils/cryptography/MerkleProof.sol";

/**
 * @title MerkleWhitelistMint
 * @author Limit Break, Inc.
 * @notice Base functionality of a contract mix-in that may optionally be used with extend ERC-721 tokens with merkle-proof based whitelist minting capabilities.
 * @dev Inheriting contracts must implement `_mintToken`.
 *
 * @dev The leaf nodes of the merkle tree contain the address and quantity of tokens that may be minted by that address.
 *      Duplicate addresses are not permitted.  For instance, address(Bob) may only appear once in the merkle tree.
 *      If address(Bob) appears more than once, Bob will be able to claim from only one of the leaves that contain his 
 *      address. In the event a mistake is made and duplicates are included in the merkle tree, the owner of the 
 *      contract may be able to de-duplicate the tree and submit a new root, provided 
 *      `_remainingNumberOfMerkleRootChanges` is greater than 0. The number of permitted merkle root changes is set 
 *      during contract construction/initialization, so take this into account when deploying your contracts.
 */
abstract contract MerkleWhitelistMintBase is ClaimPeriodBase, MaxSupplyBase {
    error MerkleWhitelistMint__AddressHasAlreadyClaimed();
    error MerkleWhitelistMint__CannotClaimMoreThanMaximumAmountOfMerkleMints();
    error MerkleWhitelistMint__InvalidProof();
    error MerkleWhitelistMint__MaxMintsMustBeGreaterThanZero();
    error MerkleWhitelistMint__MerkleRootCannotBeZero();
    error MerkleWhitelistMint__MerkleRootHasNotBeenInitialized();
    error MerkleWhitelistMint__MerkleRootImmutable();
    error MerkleWhitelistMint__PermittedNumberOfMerkleRootChangesMustBeGreaterThanZero();

    /// @dev The number of times the merkle root may be updated
    uint256 private _remainingNumberOfMerkleRootChanges;

    /// @dev This is the root ERC-721 contract from which claims can be made
    bytes32 private _merkleRoot;

    /// @dev This is the current amount of tokens mintable via merkle whitelist claims
    uint256 private _remainingMerkleMints;

    /// @dev Mapping that tracks whether or not an address has claimed their whitelist mint
    mapping (address => bool) private whitelistClaimed;

    /// @notice Emitted when a merkle root is updated
    event MerkleRootUpdated(bytes32 merkleRoot_);

    /// @notice Mints the specified quantity to the calling address if the submitted merkle proof successfully verifies the reserved quantity for the caller in the whitelist.
    ///
    /// Throws when the claim period has not opened.
    /// Throws when the claim period has closed.
    /// Throws if a merkle root has not been set.
    /// Throws if the caller has already successfully claimed.
    /// Throws if the quantity minted plus amount already minted exceeds the maximum amount claimable via merkle root.
    /// Throws if the submitted merkle proof does not successfully verify the reserved quantity for the caller.
    function whitelistMint(uint256 quantity, bytes32[] calldata merkleProof_) external {
        _requireClaimsOpen();

        bytes32 merkleRootCache = _merkleRoot;

        if(merkleRootCache == bytes32(0)) {
            revert MerkleWhitelistMint__MerkleRootHasNotBeenInitialized();
        }

        if(whitelistClaimed[_msgSender()]) {
            revert MerkleWhitelistMint__AddressHasAlreadyClaimed();
        }

        uint256 supplyAfterMint = mintedSupply() + quantity;

        if(quantity > _remainingMerkleMints) {
            revert MerkleWhitelistMint__CannotClaimMoreThanMaximumAmountOfMerkleMints();
        }
        _requireLessThanMaxSupply(supplyAfterMint);

        if(!MerkleProof.verify(merkleProof_, merkleRootCache, keccak256(abi.encodePacked(_msgSender(), quantity)))) {
            revert MerkleWhitelistMint__InvalidProof();
        }

        whitelistClaimed[_msgSender()] = true;

        unchecked {
            _remainingMerkleMints -= quantity;
        }

        _mintBatch(_msgSender(), quantity);
    }

    /// @notice Update the merkle root if the merkle root was marked as changeable during initialization
    ///
    /// Throws if the `merkleRootChangable` boolean is false
    /// Throws if provided merkle root is 0
    function setMerkleRoot(bytes32 merkleRoot_) external {
        _requireCallerIsContractOwner();

        if(_remainingNumberOfMerkleRootChanges == 0) {
            revert MerkleWhitelistMint__MerkleRootImmutable();
        }

        if(merkleRoot_ == bytes32(0)) {
            revert MerkleWhitelistMint__MerkleRootCannotBeZero();
        }

        _merkleRoot = merkleRoot_;

        emit MerkleRootUpdated(merkleRoot_);

        unchecked {
            _remainingNumberOfMerkleRootChanges--;
        }
    }

    /// @notice Returns the merkle root
    function getMerkleRoot() external view returns (bytes32) {
        return _merkleRoot;
    }

    /// @notice Returns the remaining amount of token mints via merkle claiming
    function remainingMerkleMints() external view returns (uint256) {
        return _remainingMerkleMints;
    }

    /// @notice Returns true if the account already claimed their whitelist mint, false otherwise
    function isWhitelistClaimed(address account) external view returns (bool) {
        return whitelistClaimed[account];
    }

    function _setMaxMerkleMintsAndPermittedNumberOfMerkleRootChanges(
        uint256 maxMerkleMints_, 
        uint256 permittedNumberOfMerkleRootChanges_) internal {

        if(maxMerkleMints_ == 0) {
            revert MerkleWhitelistMint__MaxMintsMustBeGreaterThanZero();
        }

        if (permittedNumberOfMerkleRootChanges_ == 0) {
            revert MerkleWhitelistMint__PermittedNumberOfMerkleRootChangesMustBeGreaterThanZero();
        }

        _remainingMerkleMints = maxMerkleMints_;
        _remainingNumberOfMerkleRootChanges = permittedNumberOfMerkleRootChanges_;

        _initializeNextTokenIdCounter();
    }
}

/**
 * @title MerkleWhitelistMint
 * @author Limit Break, Inc.
 * @notice Constructable MerkleWhitelistMint Contract implementation.
 */
abstract contract MerkleWhitelistMint is MerkleWhitelistMintBase, MaxSupply {
    constructor(uint256 maxMerkleMints_, uint256 permittedNumberOfMerkleRootChanges_) {
        _setMaxMerkleMintsAndPermittedNumberOfMerkleRootChanges(
            maxMerkleMints_,
            permittedNumberOfMerkleRootChanges_
        );
    }

    function maxSupply() public view override(MaxSupplyBase, MaxSupply) returns (uint256) {
        return _maxSupplyImmutable;
    }
}

/**
 * @title MerkleWhitelistMintInitializable
 * @author Limit Break, Inc.
 * @notice Initializable MerkleWhitelistMint Contract implementation to allow for EIP-1167 clones. 
 */
abstract contract MerkleWhitelistMintInitializable is MerkleWhitelistMintBase, MaxSupplyInitializable {
    
    error MerkleWhitelistMintInitializable__MerkleSupplyAlreadyInitialized();

    /// @dev Flag indicating that the merkle mint max supply has been initialized.
    bool private _merkleSupplyInitialized;

    function initializeMaxMerkleMintsAndPermittedNumberOfMerkleRootChanges(
        uint256 maxMerkleMints_, 
        uint256 permittedNumberOfMerkleRootChanges_) public {
        _requireCallerIsContractOwner();

        if(_merkleSupplyInitialized) {
            revert MerkleWhitelistMintInitializable__MerkleSupplyAlreadyInitialized();
        }

        _merkleSupplyInitialized = true;

        _setMaxMerkleMintsAndPermittedNumberOfMerkleRootChanges(
            maxMerkleMints_,
            permittedNumberOfMerkleRootChanges_
        );
    }
}

File 18 of 41 : MintTokenBase.sol
// SPDX-License-Identifier: MIT
pragma solidity ^0.8.4;

/**
 * @title MintTokenBase
 * @author Limit Break, Inc.
 * @dev Standard mint token interface for mixins to mint tokens.
 */
abstract contract MintTokenBase {
    /// @dev Inheriting contracts must implement the token minting logic - inheriting contract should use _mint, or something equivalent
    /// The minting function should throw if `to` is address(0)
    function _mintToken(address to, uint256 tokenId) internal virtual;
}

File 19 of 41 : SequentialMintBase.sol
// SPDX-License-Identifier: MIT
pragma solidity ^0.8.4;

/**
 * @title SequentialMintBase
 * @author Limit Break, Inc.
 * @dev In order to support multiple sequential mint mix-ins in a single contract, the token id counter has been moved to this based contract.
 */
abstract contract SequentialMintBase {

    /// @dev The next token id that will be minted - if zero, the next minted token id will be 1
    uint256 private nextTokenIdCounter;

    /// @dev Minting mixins must use this function to advance the next token id counter.
    function _initializeNextTokenIdCounter() internal {
        if(nextTokenIdCounter == 0) {
            nextTokenIdCounter = 1;
        }
    }

    /// @dev Minting mixins must use this function to advance the next token id counter.
    function _advanceNextTokenIdCounter(uint256 amount) internal {
        nextTokenIdCounter += amount;
    }

    /// @dev Returns the next token id counter value
    function getNextTokenId() public view returns (uint256) {
        return nextTokenIdCounter;
    }
}

File 20 of 41 : BasicRoyalties.sol
// SPDX-License-Identifier: MIT
pragma solidity ^0.8.4;

import "@openzeppelin/contracts/token/common/ERC2981.sol";

/**
 * @title BasicRoyaltiesBase
 * @author Limit Break, Inc.
 * @dev Base functionality of an NFT mix-in contract implementing the most basic form of programmable royalties.
 */
abstract contract BasicRoyaltiesBase is ERC2981 {

    event DefaultRoyaltySet(address indexed receiver, uint96 feeNumerator);
    event TokenRoyaltySet(uint256 indexed tokenId, address indexed receiver, uint96 feeNumerator);

    function _setDefaultRoyalty(address receiver, uint96 feeNumerator) internal virtual override {
        super._setDefaultRoyalty(receiver, feeNumerator);
        emit DefaultRoyaltySet(receiver, feeNumerator);
    }

    function _setTokenRoyalty(uint256 tokenId, address receiver, uint96 feeNumerator) internal virtual override {
        super._setTokenRoyalty(tokenId, receiver, feeNumerator);
        emit TokenRoyaltySet(tokenId, receiver, feeNumerator);
    }
}

/**
 * @title BasicRoyalties
 * @author Limit Break, Inc.
 * @notice Constructable BasicRoyalties Contract implementation.
 */
abstract contract BasicRoyalties is BasicRoyaltiesBase {
    constructor(address receiver, uint96 feeNumerator) {
        _setDefaultRoyalty(receiver, feeNumerator);
    }
}

/**
 * @title BasicRoyaltiesInitializable
 * @author Limit Break, Inc.
 * @notice Initializable BasicRoyalties Contract implementation to allow for EIP-1167 clones. 
 */
abstract contract BasicRoyaltiesInitializable is BasicRoyaltiesBase {}

File 21 of 41 : ERC721OpenZeppelin.sol
// SPDX-License-Identifier: MIT

pragma solidity ^0.8.4;

import "../../access/OwnablePermissions.sol";
import "@openzeppelin/contracts/token/ERC721/ERC721.sol";

abstract contract ERC721OpenZeppelinBase is ERC721 {

    // Token name
    string internal _contractName;

    // Token symbol
    string internal _contractSymbol;

    function name() public view virtual override returns (string memory) {
        return _contractName;
    }

    function symbol() public view virtual override returns (string memory) {
        return _contractSymbol;
    }

    function _setNameAndSymbol(string memory name_, string memory symbol_) internal {
        _contractName = name_;
        _contractSymbol = symbol_;
    }
}

abstract contract ERC721OpenZeppelin is ERC721OpenZeppelinBase {
    constructor(string memory name_, string memory symbol_) ERC721("", "") {
        _setNameAndSymbol(name_, symbol_);
    }
}

abstract contract ERC721OpenZeppelinInitializable is OwnablePermissions, ERC721OpenZeppelinBase {

    error ERC721OpenZeppelinInitializable__AlreadyInitializedERC721();

    /// @notice Specifies whether or not the contract is initialized
    bool private _erc721Initialized;

    /// @dev Initializes parameters of ERC721 tokens.
    /// These cannot be set in the constructor because this contract is optionally compatible with EIP-1167.
    function initializeERC721(string memory name_, string memory symbol_) public {
        _requireCallerIsContractOwner();

        if(_erc721Initialized) {
            revert ERC721OpenZeppelinInitializable__AlreadyInitializedERC721();
        }

        _erc721Initialized = true;

        _setNameAndSymbol(name_, symbol_);
    }
}

File 22 of 41 : MetadataURI.sol
// SPDX-License-Identifier: MIT
pragma solidity ^0.8.4;

import "../../access/OwnablePermissions.sol";

abstract contract MetadataURI is OwnablePermissions {

    /// @dev Base token uri
    string public baseTokenURI;

    /// @dev Token uri suffix/extension
    string public suffixURI;

    /// @dev Emitted when base URI is set.
    event BaseURISet(string baseTokenURI);

    /// @dev Emitted when suffix URI is set.
    event SuffixURISet(string suffixURI);

    /// @notice Sets base URI
    function setBaseURI(string memory baseTokenURI_) public {
        _requireCallerIsContractOwner();
        baseTokenURI = baseTokenURI_;
        emit BaseURISet(baseTokenURI_);
    }

    /// @notice Sets suffix URI
    function setSuffixURI(string memory suffixURI_) public {
        _requireCallerIsContractOwner();
        suffixURI = suffixURI_;
        emit SuffixURISet(suffixURI_);
    }
}

abstract contract MetadataURIInitializable is MetadataURI {
    error MetadataURIInitializable__URIAlreadyInitialized();

    bool private _uriInitialized;

    /// @dev Initializes parameters of tokens with uri values.
    /// These cannot be set in the constructor because this contract is optionally compatible with EIP-1167.
    function initializeURI(string memory baseURI_, string memory suffixURI_) public {
        _requireCallerIsContractOwner();

        if(_uriInitialized) {
            revert MetadataURIInitializable__URIAlreadyInitialized();
        }

        _uriInitialized = true;

        baseTokenURI = baseURI_;
        emit BaseURISet(baseURI_);

        suffixURI = suffixURI_;
        emit SuffixURISet(suffixURI_);
    }
}

File 23 of 41 : CreatorTokenBase.sol
// SPDX-License-Identifier: MIT
pragma solidity ^0.8.4;

import "../access/OwnablePermissions.sol";
import "../interfaces/ICreatorToken.sol";
import "../interfaces/ICreatorTokenTransferValidator.sol";
import "../utils/TransferValidation.sol";
import "@openzeppelin/contracts/interfaces/IERC165.sol";

/**
 * @title CreatorTokenBase
 * @author Limit Break, Inc.
 * @notice CreatorTokenBase is an abstract contract that provides basic functionality for managing token 
 * transfer policies through an implementation of ICreatorTokenTransferValidator. This contract is intended to be used
 * as a base for creator-specific token contracts, enabling customizable transfer restrictions and security policies.
 *
 * <h4>Features:</h4>
 * <ul>Ownable: This contract can have an owner who can set and update the transfer validator.</ul>
 * <ul>TransferValidation: Implements the basic token transfer validation interface.</ul>
 * <ul>ICreatorToken: Implements the interface for creator tokens, providing view functions for token security policies.</ul>
 *
 * <h4>Benefits:</h4>
 * <ul>Provides a flexible and modular way to implement custom token transfer restrictions and security policies.</ul>
 * <ul>Allows creators to enforce policies such as whitelisted operators and permitted contract receivers.</ul>
 * <ul>Can be easily integrated into other token contracts as a base contract.</ul>
 *
 * <h4>Intended Usage:</h4>
 * <ul>Use as a base contract for creator token implementations that require advanced transfer restrictions and 
 *   security policies.</ul>
 * <ul>Set and update the ICreatorTokenTransferValidator implementation contract to enforce desired policies for the 
 *   creator token.</ul>
 */
abstract contract CreatorTokenBase is OwnablePermissions, TransferValidation, ICreatorToken {
    
    error CreatorTokenBase__InvalidTransferValidatorContract();
    error CreatorTokenBase__SetTransferValidatorFirst();

    address public constant DEFAULT_TRANSFER_VALIDATOR = address(0x0000721C310194CcfC01E523fc93C9cCcFa2A0Ac);
    TransferSecurityLevels public constant DEFAULT_TRANSFER_SECURITY_LEVEL = TransferSecurityLevels.One;
    uint120 public constant DEFAULT_OPERATOR_WHITELIST_ID = uint120(1);

    ICreatorTokenTransferValidator private transferValidator;

    /**
     * @notice Allows the contract owner to set the transfer validator to the official validator contract
     *         and set the security policy to the recommended default settings.
     * @dev    May be overridden to change the default behavior of an individual collection.
     */
    function setToDefaultSecurityPolicy() public virtual {
        _requireCallerIsContractOwner();
        setTransferValidator(DEFAULT_TRANSFER_VALIDATOR);
        ICreatorTokenTransferValidator(DEFAULT_TRANSFER_VALIDATOR).setTransferSecurityLevelOfCollection(address(this), DEFAULT_TRANSFER_SECURITY_LEVEL);
        ICreatorTokenTransferValidator(DEFAULT_TRANSFER_VALIDATOR).setOperatorWhitelistOfCollection(address(this), DEFAULT_OPERATOR_WHITELIST_ID);
    }

    /**
     * @notice Allows the contract owner to set the transfer validator to a custom validator contract
     *         and set the security policy to their own custom settings.
     */
    function setToCustomValidatorAndSecurityPolicy(
        address validator, 
        TransferSecurityLevels level, 
        uint120 operatorWhitelistId, 
        uint120 permittedContractReceiversAllowlistId) public {
        _requireCallerIsContractOwner();

        setTransferValidator(validator);

        ICreatorTokenTransferValidator(validator).
            setTransferSecurityLevelOfCollection(address(this), level);

        ICreatorTokenTransferValidator(validator).
            setOperatorWhitelistOfCollection(address(this), operatorWhitelistId);

        ICreatorTokenTransferValidator(validator).
            setPermittedContractReceiverAllowlistOfCollection(address(this), permittedContractReceiversAllowlistId);
    }

    /**
     * @notice Allows the contract owner to set the security policy to their own custom settings.
     * @dev    Reverts if the transfer validator has not been set.
     */
    function setToCustomSecurityPolicy(
        TransferSecurityLevels level, 
        uint120 operatorWhitelistId, 
        uint120 permittedContractReceiversAllowlistId) public {
        _requireCallerIsContractOwner();

        ICreatorTokenTransferValidator validator = getTransferValidator();
        if (address(validator) == address(0)) {
            revert CreatorTokenBase__SetTransferValidatorFirst();
        }

        validator.setTransferSecurityLevelOfCollection(address(this), level);
        validator.setOperatorWhitelistOfCollection(address(this), operatorWhitelistId);
        validator.setPermittedContractReceiverAllowlistOfCollection(address(this), permittedContractReceiversAllowlistId);
    }

    /**
     * @notice Sets the transfer validator for the token contract.
     *
     * @dev    Throws when provided validator contract is not the zero address and doesn't support 
     *         the ICreatorTokenTransferValidator interface. 
     * @dev    Throws when the caller is not the contract owner.
     *
     * @dev    <h4>Postconditions:</h4>
     *         1. The transferValidator address is updated.
     *         2. The `TransferValidatorUpdated` event is emitted.
     *
     * @param transferValidator_ The address of the transfer validator contract.
     */
    function setTransferValidator(address transferValidator_) public {
        _requireCallerIsContractOwner();

        bool isValidTransferValidator = false;

        if(transferValidator_.code.length > 0) {
            try IERC165(transferValidator_).supportsInterface(type(ICreatorTokenTransferValidator).interfaceId) 
                returns (bool supportsInterface) {
                isValidTransferValidator = supportsInterface;
            } catch {}
        }

        if(transferValidator_ != address(0) && !isValidTransferValidator) {
            revert CreatorTokenBase__InvalidTransferValidatorContract();
        }

        emit TransferValidatorUpdated(address(transferValidator), transferValidator_);

        transferValidator = ICreatorTokenTransferValidator(transferValidator_);
    }

    /**
     * @notice Returns the transfer validator contract address for this token contract.
     */
    function getTransferValidator() public view override returns (ICreatorTokenTransferValidator) {
        return transferValidator;
    }

    /**
     * @notice Returns the security policy for this token contract, which includes:
     *         Transfer security level, operator whitelist id, permitted contract receiver allowlist id.
     */
    function getSecurityPolicy() public view override returns (CollectionSecurityPolicy memory) {
        if (address(transferValidator) != address(0)) {
            return transferValidator.getCollectionSecurityPolicy(address(this));
        }

        return CollectionSecurityPolicy({
            transferSecurityLevel: TransferSecurityLevels.Zero,
            operatorWhitelistId: 0,
            permittedContractReceiversId: 0
        });
    }

    /**
     * @notice Returns the list of all whitelisted operators for this token contract.
     * @dev    This can be an expensive call and should only be used in view-only functions.
     */
    function getWhitelistedOperators() public view override returns (address[] memory) {
        if (address(transferValidator) != address(0)) {
            return transferValidator.getWhitelistedOperators(
                transferValidator.getCollectionSecurityPolicy(address(this)).operatorWhitelistId);
        }

        return new address[](0);
    }

    /**
     * @notice Returns the list of permitted contract receivers for this token contract.
     * @dev    This can be an expensive call and should only be used in view-only functions.
     */
    function getPermittedContractReceivers() public view override returns (address[] memory) {
        if (address(transferValidator) != address(0)) {
            return transferValidator.getPermittedContractReceivers(
                transferValidator.getCollectionSecurityPolicy(address(this)).permittedContractReceiversId);
        }

        return new address[](0);
    }

    /**
     * @notice Checks if an operator is whitelisted for this token contract.
     * @param operator The address of the operator to check.
     */
    function isOperatorWhitelisted(address operator) public view override returns (bool) {
        if (address(transferValidator) != address(0)) {
            return transferValidator.isOperatorWhitelisted(
                transferValidator.getCollectionSecurityPolicy(address(this)).operatorWhitelistId, operator);
        }

        return false;
    }

    /**
     * @notice Checks if a contract receiver is permitted for this token contract.
     * @param receiver The address of the receiver to check.
     */
    function isContractReceiverPermitted(address receiver) public view override returns (bool) {
        if (address(transferValidator) != address(0)) {
            return transferValidator.isContractReceiverPermitted(
                transferValidator.getCollectionSecurityPolicy(address(this)).permittedContractReceiversId, receiver);
        }

        return false;
    }

    /**
     * @notice Determines if a transfer is allowed based on the token contract's security policy.  Use this function
     *         to simulate whether or not a transfer made by the specified `caller` from the `from` address to the `to`
     *         address would be allowed by this token's security policy.
     *
     * @notice This function only checks the security policy restrictions and does not check whether token ownership
     *         or approvals are in place. 
     *
     * @param caller The address of the simulated caller.
     * @param from   The address of the sender.
     * @param to     The address of the receiver.
     * @return       True if the transfer is allowed, false otherwise.
     */
    function isTransferAllowed(address caller, address from, address to) public view override returns (bool) {
        if (address(transferValidator) != address(0)) {
            try transferValidator.applyCollectionTransferPolicy(caller, from, to) {
                return true;
            } catch {
                return false;
            }
        }
        return true;
    }

    /**
     * @dev Pre-validates a token transfer, reverting if the transfer is not allowed by this token's security policy.
     *      Inheriting contracts are responsible for overriding the _beforeTokenTransfer function, or its equivalent
     *      and calling _validateBeforeTransfer so that checks can be properly applied during token transfers.
     *
     * @dev Throws when the transfer doesn't comply with the collection's transfer policy, if the transferValidator is
     *      set to a non-zero address.
     *
     * @param caller  The address of the caller.
     * @param from    The address of the sender.
     * @param to      The address of the receiver.
     */
    function _preValidateTransfer(
        address caller, 
        address from, 
        address to, 
        uint256 /*tokenId*/, 
        uint256 /*value*/) internal virtual override {
        if (address(transferValidator) != address(0)) {
            transferValidator.applyCollectionTransferPolicy(caller, from, to);
        }
    }
}

File 24 of 41 : TransferPolicy.sol
// SPDX-License-Identifier: MIT
pragma solidity ^0.8.4;

enum AllowlistTypes {
    Operators,
    PermittedContractReceivers
}

enum ReceiverConstraints {
    None,
    NoCode,
    EOA
}

enum CallerConstraints {
    None,
    OperatorWhitelistEnableOTC,
    OperatorWhitelistDisableOTC
}

enum StakerConstraints {
    None,
    CallerIsTxOrigin,
    EOA
}

enum TransferSecurityLevels {
    Zero,
    One,
    Two,
    Three,
    Four,
    Five,
    Six
}

struct TransferSecurityPolicy {
    CallerConstraints callerConstraints;
    ReceiverConstraints receiverConstraints;
}

struct CollectionSecurityPolicy {
    TransferSecurityLevels transferSecurityLevel;
    uint120 operatorWhitelistId;
    uint120 permittedContractReceiversId;
}

File 25 of 41 : TransferValidation.sol
// SPDX-License-Identifier: MIT
pragma solidity ^0.8.4;

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

/**
 * @title TransferValidation
 * @author Limit Break, Inc.
 * @notice A mix-in that can be combined with ERC-721 contracts to provide more granular hooks.
 * Openzeppelin's ERC721 contract only provides hooks for before and after transfer.  This allows
 * developers to validate or customize transfers within the context of a mint, a burn, or a transfer.
 */
abstract contract TransferValidation is Context {
    
    error ShouldNotMintToBurnAddress();

    /// @dev Inheriting contracts should call this function in the _beforeTokenTransfer function to get more granular hooks.
    function _validateBeforeTransfer(address from, address to, uint256 tokenId) internal virtual {
        bool fromZeroAddress = from == address(0);
        bool toZeroAddress = to == address(0);

        if(fromZeroAddress && toZeroAddress) {
            revert ShouldNotMintToBurnAddress();
        } else if(fromZeroAddress) {
            _preValidateMint(_msgSender(), to, tokenId, msg.value);
        } else if(toZeroAddress) {
            _preValidateBurn(_msgSender(), from, tokenId, msg.value);
        } else {
            _preValidateTransfer(_msgSender(), from, to, tokenId, msg.value);
        }
    }

    /// @dev Inheriting contracts should call this function in the _afterTokenTransfer function to get more granular hooks.
    function _validateAfterTransfer(address from, address to, uint256 tokenId) internal virtual {
        bool fromZeroAddress = from == address(0);
        bool toZeroAddress = to == address(0);

        if(fromZeroAddress && toZeroAddress) {
            revert ShouldNotMintToBurnAddress();
        } else if(fromZeroAddress) {
            _postValidateMint(_msgSender(), to, tokenId, msg.value);
        } else if(toZeroAddress) {
            _postValidateBurn(_msgSender(), from, tokenId, msg.value);
        } else {
            _postValidateTransfer(_msgSender(), from, to, tokenId, msg.value);
        }
    }

    /// @dev Optional validation hook that fires before a mint
    function _preValidateMint(address caller, address to, uint256 tokenId, uint256 value) internal virtual {}

    /// @dev Optional validation hook that fires after a mint
    function _postValidateMint(address caller, address to, uint256 tokenId, uint256 value) internal virtual {}

    /// @dev Optional validation hook that fires before a burn
    function _preValidateBurn(address caller, address from, uint256 tokenId, uint256 value) internal virtual {}

    /// @dev Optional validation hook that fires after a burn
    function _postValidateBurn(address caller, address from, uint256 tokenId, uint256 value) internal virtual {}

    /// @dev Optional validation hook that fires before a transfer
    function _preValidateTransfer(address caller, address from, address to, uint256 tokenId, uint256 value) internal virtual {}

    /// @dev Optional validation hook that fires after a transfer
    function _postValidateTransfer(address caller, address from, address to, uint256 tokenId, uint256 value) internal virtual {}
}

File 26 of 41 : Ownable.sol
// SPDX-License-Identifier: MIT
// OpenZeppelin Contracts (last updated v4.7.0) (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 Throws if called by any account other than the owner.
     */
    modifier onlyOwner() {
        _checkOwner();
        _;
    }

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

    /**
     * @dev Throws if the sender is not the owner.
     */
    function _checkOwner() internal view virtual {
        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 27 of 41 : IERC165.sol
// SPDX-License-Identifier: MIT
// OpenZeppelin Contracts v4.4.1 (interfaces/IERC165.sol)

pragma solidity ^0.8.0;

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

File 28 of 41 : IERC2981.sol
// SPDX-License-Identifier: MIT
// OpenZeppelin Contracts (last updated v4.6.0) (interfaces/IERC2981.sol)

pragma solidity ^0.8.0;

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

/**
 * @dev Interface for the NFT Royalty Standard.
 *
 * A standardized way to retrieve royalty payment information for non-fungible tokens (NFTs) to enable universal
 * support for royalty payments across all NFT marketplaces and ecosystem participants.
 *
 * _Available since v4.5._
 */
interface IERC2981 is IERC165 {
    /**
     * @dev Returns how much royalty is owed and to whom, based on a sale price that may be denominated in any unit of
     * exchange. The royalty amount is denominated and should be paid in that same unit of exchange.
     */
    function royaltyInfo(uint256 tokenId, uint256 salePrice)
        external
        view
        returns (address receiver, uint256 royaltyAmount);
}

File 29 of 41 : ERC721.sol
// SPDX-License-Identifier: MIT
// OpenZeppelin Contracts (last updated v4.8.2) (token/ERC721/ERC721.sol)

pragma solidity ^0.8.0;

import "./IERC721.sol";
import "./IERC721Receiver.sol";
import "./extensions/IERC721Metadata.sol";
import "../../utils/Address.sol";
import "../../utils/Context.sol";
import "../../utils/Strings.sol";
import "../../utils/introspection/ERC165.sol";

/**
 * @dev Implementation of https://eips.ethereum.org/EIPS/eip-721[ERC721] Non-Fungible Token Standard, including
 * the Metadata extension, but not including the Enumerable extension, which is available separately as
 * {ERC721Enumerable}.
 */
contract ERC721 is Context, ERC165, IERC721, IERC721Metadata {
    using Address for address;
    using Strings for uint256;

    // Token name
    string private _name;

    // Token symbol
    string private _symbol;

    // Mapping from token ID to owner address
    mapping(uint256 => address) private _owners;

    // Mapping owner address to token count
    mapping(address => uint256) private _balances;

    // 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;

    /**
     * @dev Initializes the contract by setting a `name` and a `symbol` to the token collection.
     */
    constructor(string memory name_, string memory symbol_) {
        _name = name_;
        _symbol = symbol_;
    }

    /**
     * @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 ||
            super.supportsInterface(interfaceId);
    }

    /**
     * @dev See {IERC721-balanceOf}.
     */
    function balanceOf(address owner) public view virtual override returns (uint256) {
        require(owner != address(0), "ERC721: address zero is not a valid owner");
        return _balances[owner];
    }

    /**
     * @dev See {IERC721-ownerOf}.
     */
    function ownerOf(uint256 tokenId) public view virtual override returns (address) {
        address owner = _ownerOf(tokenId);
        require(owner != address(0), "ERC721: invalid token ID");
        return owner;
    }

    /**
     * @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) {
        _requireMinted(tokenId);

        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 overridden in child contracts.
     */
    function _baseURI() internal view virtual returns (string memory) {
        return "";
    }

    /**
     * @dev See {IERC721-approve}.
     */
    function approve(address to, uint256 tokenId) public virtual override {
        address owner = ERC721.ownerOf(tokenId);
        require(to != owner, "ERC721: approval to current owner");

        require(
            _msgSender() == owner || isApprovedForAll(owner, _msgSender()),
            "ERC721: approve caller is not token owner or approved for all"
        );

        _approve(to, tokenId);
    }

    /**
     * @dev See {IERC721-getApproved}.
     */
    function getApproved(uint256 tokenId) public view virtual override returns (address) {
        _requireMinted(tokenId);

        return _tokenApprovals[tokenId];
    }

    /**
     * @dev See {IERC721-setApprovalForAll}.
     */
    function setApprovalForAll(address operator, bool approved) public virtual override {
        _setApprovalForAll(_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 {
        //solhint-disable-next-line max-line-length
        require(_isApprovedOrOwner(_msgSender(), tokenId), "ERC721: caller is not token owner or approved");

        _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 {
        require(_isApprovedOrOwner(_msgSender(), tokenId), "ERC721: caller is not token owner or approved");
        _safeTransfer(from, to, tokenId, data);
    }

    /**
     * @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.
     *
     * `data` is additional data, it has no specified format and it is sent in call to `to`.
     *
     * This internal function is equivalent to {safeTransferFrom}, and can be used to e.g.
     * implement alternative mechanisms to perform token transfer, such as signature-based.
     *
     * Requirements:
     *
     * - `from` cannot be the zero address.
     * - `to` cannot be the zero address.
     * - `tokenId` token must exist and be owned by `from`.
     * - If `to` refers to a smart contract, it must implement {IERC721Receiver-onERC721Received}, which is called upon a safe transfer.
     *
     * Emits a {Transfer} event.
     */
    function _safeTransfer(
        address from,
        address to,
        uint256 tokenId,
        bytes memory data
    ) internal virtual {
        _transfer(from, to, tokenId);
        require(_checkOnERC721Received(from, to, tokenId, data), "ERC721: transfer to non ERC721Receiver implementer");
    }

    /**
     * @dev Returns the owner of the `tokenId`. Does NOT revert if token doesn't exist
     */
    function _ownerOf(uint256 tokenId) internal view virtual returns (address) {
        return _owners[tokenId];
    }

    /**
     * @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`),
     * and stop existing when they are burned (`_burn`).
     */
    function _exists(uint256 tokenId) internal view virtual returns (bool) {
        return _ownerOf(tokenId) != address(0);
    }

    /**
     * @dev Returns whether `spender` is allowed to manage `tokenId`.
     *
     * Requirements:
     *
     * - `tokenId` must exist.
     */
    function _isApprovedOrOwner(address spender, uint256 tokenId) internal view virtual returns (bool) {
        address owner = ERC721.ownerOf(tokenId);
        return (spender == owner || isApprovedForAll(owner, spender) || getApproved(tokenId) == spender);
    }

    /**
     * @dev Safely mints `tokenId` and transfers it to `to`.
     *
     * Requirements:
     *
     * - `tokenId` must not exist.
     * - If `to` refers to a smart contract, it must implement {IERC721Receiver-onERC721Received}, which is called upon a safe transfer.
     *
     * Emits a {Transfer} event.
     */
    function _safeMint(address to, uint256 tokenId) internal virtual {
        _safeMint(to, tokenId, "");
    }

    /**
     * @dev Same as {xref-ERC721-_safeMint-address-uint256-}[`_safeMint`], with an additional `data` parameter which is
     * forwarded in {IERC721Receiver-onERC721Received} to contract recipients.
     */
    function _safeMint(
        address to,
        uint256 tokenId,
        bytes memory data
    ) internal virtual {
        _mint(to, tokenId);
        require(
            _checkOnERC721Received(address(0), to, tokenId, data),
            "ERC721: transfer to non ERC721Receiver implementer"
        );
    }

    /**
     * @dev Mints `tokenId` and transfers it to `to`.
     *
     * WARNING: Usage of this method is discouraged, use {_safeMint} whenever possible
     *
     * Requirements:
     *
     * - `tokenId` must not exist.
     * - `to` cannot be the zero address.
     *
     * Emits a {Transfer} event.
     */
    function _mint(address to, uint256 tokenId) internal virtual {
        require(to != address(0), "ERC721: mint to the zero address");
        require(!_exists(tokenId), "ERC721: token already minted");

        _beforeTokenTransfer(address(0), to, tokenId, 1);

        // Check that tokenId was not minted by `_beforeTokenTransfer` hook
        require(!_exists(tokenId), "ERC721: token already minted");

        unchecked {
            // Will not overflow unless all 2**256 token ids are minted to the same owner.
            // Given that tokens are minted one by one, it is impossible in practice that
            // this ever happens. Might change if we allow batch minting.
            // The ERC fails to describe this case.
            _balances[to] += 1;
        }

        _owners[tokenId] = to;

        emit Transfer(address(0), to, tokenId);

        _afterTokenTransfer(address(0), to, tokenId, 1);
    }

    /**
     * @dev Destroys `tokenId`.
     * The approval is cleared when the token is burned.
     * This is an internal function that does not check if the sender is authorized to operate on the token.
     *
     * Requirements:
     *
     * - `tokenId` must exist.
     *
     * Emits a {Transfer} event.
     */
    function _burn(uint256 tokenId) internal virtual {
        address owner = ERC721.ownerOf(tokenId);

        _beforeTokenTransfer(owner, address(0), tokenId, 1);

        // Update ownership in case tokenId was transferred by `_beforeTokenTransfer` hook
        owner = ERC721.ownerOf(tokenId);

        // Clear approvals
        delete _tokenApprovals[tokenId];

        unchecked {
            // Cannot overflow, as that would require more tokens to be burned/transferred
            // out than the owner initially received through minting and transferring in.
            _balances[owner] -= 1;
        }
        delete _owners[tokenId];

        emit Transfer(owner, address(0), tokenId);

        _afterTokenTransfer(owner, address(0), tokenId, 1);
    }

    /**
     * @dev Transfers `tokenId` from `from` to `to`.
     *  As opposed to {transferFrom}, this imposes no restrictions on msg.sender.
     *
     * 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
    ) internal virtual {
        require(ERC721.ownerOf(tokenId) == from, "ERC721: transfer from incorrect owner");
        require(to != address(0), "ERC721: transfer to the zero address");

        _beforeTokenTransfer(from, to, tokenId, 1);

        // Check that tokenId was not transferred by `_beforeTokenTransfer` hook
        require(ERC721.ownerOf(tokenId) == from, "ERC721: transfer from incorrect owner");

        // Clear approvals from the previous owner
        delete _tokenApprovals[tokenId];

        unchecked {
            // `_balances[from]` cannot overflow for the same reason as described in `_burn`:
            // `from`'s balance is the number of token held, which is at least one before the current
            // transfer.
            // `_balances[to]` could overflow in the conditions described in `_mint`. That would require
            // all 2**256 token ids to be minted, which in practice is impossible.
            _balances[from] -= 1;
            _balances[to] += 1;
        }
        _owners[tokenId] = to;

        emit Transfer(from, to, tokenId);

        _afterTokenTransfer(from, to, tokenId, 1);
    }

    /**
     * @dev Approve `to` to operate on `tokenId`
     *
     * Emits an {Approval} event.
     */
    function _approve(address to, uint256 tokenId) internal virtual {
        _tokenApprovals[tokenId] = to;
        emit Approval(ERC721.ownerOf(tokenId), to, tokenId);
    }

    /**
     * @dev Approve `operator` to operate on all of `owner` tokens
     *
     * Emits an {ApprovalForAll} event.
     */
    function _setApprovalForAll(
        address owner,
        address operator,
        bool approved
    ) internal virtual {
        require(owner != operator, "ERC721: approve to caller");
        _operatorApprovals[owner][operator] = approved;
        emit ApprovalForAll(owner, operator, approved);
    }

    /**
     * @dev Reverts if the `tokenId` has not been minted yet.
     */
    function _requireMinted(uint256 tokenId) internal view virtual {
        require(_exists(tokenId), "ERC721: invalid token ID");
    }

    /**
     * @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.onERC721Received.selector;
            } catch (bytes memory reason) {
                if (reason.length == 0) {
                    revert("ERC721: transfer to non ERC721Receiver implementer");
                } else {
                    /// @solidity memory-safe-assembly
                    assembly {
                        revert(add(32, reason), mload(reason))
                    }
                }
            }
        } else {
            return true;
        }
    }

    /**
     * @dev Hook that is called before any token transfer. This includes minting and burning. If {ERC721Consecutive} is
     * used, the hook may be called as part of a consecutive (batch) mint, as indicated by `batchSize` greater than 1.
     *
     * Calling conditions:
     *
     * - When `from` and `to` are both non-zero, ``from``'s tokens will be transferred to `to`.
     * - When `from` is zero, the tokens will be minted for `to`.
     * - When `to` is zero, ``from``'s tokens will be burned.
     * - `from` and `to` are never both zero.
     * - `batchSize` is non-zero.
     *
     * To learn more about hooks, head to xref:ROOT:extending-contracts.adoc#using-hooks[Using Hooks].
     */
    function _beforeTokenTransfer(
        address from,
        address to,
        uint256 firstTokenId,
        uint256 batchSize
    ) internal virtual {}

    /**
     * @dev Hook that is called after any token transfer. This includes minting and burning. If {ERC721Consecutive} is
     * used, the hook may be called as part of a consecutive (batch) mint, as indicated by `batchSize` greater than 1.
     *
     * Calling conditions:
     *
     * - When `from` and `to` are both non-zero, ``from``'s tokens were transferred to `to`.
     * - When `from` is zero, the tokens were minted for `to`.
     * - When `to` is zero, ``from``'s tokens were burned.
     * - `from` and `to` are never both zero.
     * - `batchSize` is non-zero.
     *
     * To learn more about hooks, head to xref:ROOT:extending-contracts.adoc#using-hooks[Using Hooks].
     */
    function _afterTokenTransfer(
        address from,
        address to,
        uint256 firstTokenId,
        uint256 batchSize
    ) internal virtual {}

    /**
     * @dev Unsafe write access to the balances, used by extensions that "mint" tokens using an {ownerOf} override.
     *
     * WARNING: Anyone calling this MUST ensure that the balances remain consistent with the ownership. The invariant
     * being that for any address `a` the value returned by `balanceOf(a)` must be equal to the number of tokens such
     * that `ownerOf(tokenId)` is `a`.
     */
    // solhint-disable-next-line func-name-mixedcase
    function __unsafe_increaseBalance(address account, uint256 amount) internal {
        _balances[account] += amount;
    }
}

File 30 of 41 : IERC721.sol
// SPDX-License-Identifier: MIT
// OpenZeppelin Contracts (last updated v4.8.0) (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`.
     *
     * 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;

    /**
     * @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 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: Note that the caller is responsible to confirm that the recipient is capable of receiving ERC721
     * or else they may be permanently lost. Usage of {safeTransferFrom} prevents loss, though the caller must
     * understand this adds an external call which potentially creates a reentrancy vulnerability.
     *
     * 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 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 the account approved for `tokenId` token.
     *
     * Requirements:
     *
     * - `tokenId` must exist.
     */
    function getApproved(uint256 tokenId) external view returns (address operator);

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

File 31 of 41 : IERC721Receiver.sol
// SPDX-License-Identifier: MIT
// OpenZeppelin Contracts (last updated v4.6.0) (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 `IERC721Receiver.onERC721Received.selector`.
     */
    function onERC721Received(
        address operator,
        address from,
        uint256 tokenId,
        bytes calldata data
    ) external returns (bytes4);
}

File 32 of 41 : 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 33 of 41 : ERC2981.sol
// SPDX-License-Identifier: MIT
// OpenZeppelin Contracts (last updated v4.7.0) (token/common/ERC2981.sol)

pragma solidity ^0.8.0;

import "../../interfaces/IERC2981.sol";
import "../../utils/introspection/ERC165.sol";

/**
 * @dev Implementation of the NFT Royalty Standard, a standardized way to retrieve royalty payment information.
 *
 * Royalty information can be specified globally for all token ids via {_setDefaultRoyalty}, and/or individually for
 * specific token ids via {_setTokenRoyalty}. The latter takes precedence over the first.
 *
 * Royalty is specified as a fraction of sale price. {_feeDenominator} is overridable but defaults to 10000, meaning the
 * fee is specified in basis points by default.
 *
 * IMPORTANT: ERC-2981 only specifies a way to signal royalty information and does not enforce its payment. See
 * https://eips.ethereum.org/EIPS/eip-2981#optional-royalty-payments[Rationale] in the EIP. Marketplaces are expected to
 * voluntarily pay royalties together with sales, but note that this standard is not yet widely supported.
 *
 * _Available since v4.5._
 */
abstract contract ERC2981 is IERC2981, ERC165 {
    struct RoyaltyInfo {
        address receiver;
        uint96 royaltyFraction;
    }

    RoyaltyInfo private _defaultRoyaltyInfo;
    mapping(uint256 => RoyaltyInfo) private _tokenRoyaltyInfo;

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

    /**
     * @inheritdoc IERC2981
     */
    function royaltyInfo(uint256 _tokenId, uint256 _salePrice) public view virtual override returns (address, uint256) {
        RoyaltyInfo memory royalty = _tokenRoyaltyInfo[_tokenId];

        if (royalty.receiver == address(0)) {
            royalty = _defaultRoyaltyInfo;
        }

        uint256 royaltyAmount = (_salePrice * royalty.royaltyFraction) / _feeDenominator();

        return (royalty.receiver, royaltyAmount);
    }

    /**
     * @dev The denominator with which to interpret the fee set in {_setTokenRoyalty} and {_setDefaultRoyalty} as a
     * fraction of the sale price. Defaults to 10000 so fees are expressed in basis points, but may be customized by an
     * override.
     */
    function _feeDenominator() internal pure virtual returns (uint96) {
        return 10000;
    }

    /**
     * @dev Sets the royalty information that all ids in this contract will default to.
     *
     * Requirements:
     *
     * - `receiver` cannot be the zero address.
     * - `feeNumerator` cannot be greater than the fee denominator.
     */
    function _setDefaultRoyalty(address receiver, uint96 feeNumerator) internal virtual {
        require(feeNumerator <= _feeDenominator(), "ERC2981: royalty fee will exceed salePrice");
        require(receiver != address(0), "ERC2981: invalid receiver");

        _defaultRoyaltyInfo = RoyaltyInfo(receiver, feeNumerator);
    }

    /**
     * @dev Removes default royalty information.
     */
    function _deleteDefaultRoyalty() internal virtual {
        delete _defaultRoyaltyInfo;
    }

    /**
     * @dev Sets the royalty information for a specific token id, overriding the global default.
     *
     * Requirements:
     *
     * - `receiver` cannot be the zero address.
     * - `feeNumerator` cannot be greater than the fee denominator.
     */
    function _setTokenRoyalty(
        uint256 tokenId,
        address receiver,
        uint96 feeNumerator
    ) internal virtual {
        require(feeNumerator <= _feeDenominator(), "ERC2981: royalty fee will exceed salePrice");
        require(receiver != address(0), "ERC2981: Invalid parameters");

        _tokenRoyaltyInfo[tokenId] = RoyaltyInfo(receiver, feeNumerator);
    }

    /**
     * @dev Resets royalty information for the token id back to the global default.
     */
    function _resetTokenRoyalty(uint256 tokenId) internal virtual {
        delete _tokenRoyaltyInfo[tokenId];
    }
}

File 34 of 41 : Address.sol
// SPDX-License-Identifier: MIT
// OpenZeppelin Contracts (last updated v4.8.0) (utils/Address.sol)

pragma solidity ^0.8.1;

/**
 * @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
     * ====
     *
     * [IMPORTANT]
     * ====
     * You shouldn't rely on `isContract` to protect against flash loan attacks!
     *
     * Preventing calls from contracts is highly discouraged. It breaks composability, breaks support for smart wallets
     * like Gnosis Safe, and does not provide security since it can be circumvented by calling from a contract
     * constructor.
     * ====
     */
    function isContract(address account) internal view returns (bool) {
        // This method relies on extcodesize/address.code.length, which returns 0
        // for contracts in construction, since the code is only stored at the end
        // of the constructor execution.

        return account.code.length > 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 functionCallWithValue(target, data, 0, "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");
        (bool success, bytes memory returndata) = target.call{value: value}(data);
        return verifyCallResultFromTarget(target, 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) {
        (bool success, bytes memory returndata) = target.staticcall(data);
        return verifyCallResultFromTarget(target, 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) {
        (bool success, bytes memory returndata) = target.delegatecall(data);
        return verifyCallResultFromTarget(target, success, returndata, errorMessage);
    }

    /**
     * @dev Tool to verify that a low level call to smart-contract was successful, and revert (either by bubbling
     * the revert reason or using the provided one) in case of unsuccessful call or if target was not a contract.
     *
     * _Available since v4.8._
     */
    function verifyCallResultFromTarget(
        address target,
        bool success,
        bytes memory returndata,
        string memory errorMessage
    ) internal view returns (bytes memory) {
        if (success) {
            if (returndata.length == 0) {
                // only check isContract if the call was successful and the return data is empty
                // otherwise we already know that it was a contract
                require(isContract(target), "Address: call to non-contract");
            }
            return returndata;
        } else {
            _revert(returndata, errorMessage);
        }
    }

    /**
     * @dev Tool to verify that a low level call was successful, and revert if it wasn't, either by bubbling the
     * revert reason or 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 {
            _revert(returndata, errorMessage);
        }
    }

    function _revert(bytes memory returndata, string memory errorMessage) private pure {
        // 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
            /// @solidity memory-safe-assembly
            assembly {
                let returndata_size := mload(returndata)
                revert(add(32, returndata), returndata_size)
            }
        } else {
            revert(errorMessage);
        }
    }
}

File 35 of 41 : 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 36 of 41 : Strings.sol
// SPDX-License-Identifier: MIT
// OpenZeppelin Contracts (last updated v4.8.0) (utils/Strings.sol)

pragma solidity ^0.8.0;

import "./math/Math.sol";

/**
 * @dev String operations.
 */
library Strings {
    bytes16 private constant _SYMBOLS = "0123456789abcdef";
    uint8 private constant _ADDRESS_LENGTH = 20;

    /**
     * @dev Converts a `uint256` to its ASCII `string` decimal representation.
     */
    function toString(uint256 value) internal pure returns (string memory) {
        unchecked {
            uint256 length = Math.log10(value) + 1;
            string memory buffer = new string(length);
            uint256 ptr;
            /// @solidity memory-safe-assembly
            assembly {
                ptr := add(buffer, add(32, length))
            }
            while (true) {
                ptr--;
                /// @solidity memory-safe-assembly
                assembly {
                    mstore8(ptr, byte(mod(value, 10), _SYMBOLS))
                }
                value /= 10;
                if (value == 0) break;
            }
            return buffer;
        }
    }

    /**
     * @dev Converts a `uint256` to its ASCII `string` hexadecimal representation.
     */
    function toHexString(uint256 value) internal pure returns (string memory) {
        unchecked {
            return toHexString(value, Math.log256(value) + 1);
        }
    }

    /**
     * @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] = _SYMBOLS[value & 0xf];
            value >>= 4;
        }
        require(value == 0, "Strings: hex length insufficient");
        return string(buffer);
    }

    /**
     * @dev Converts an `address` with fixed length of 20 bytes to its not checksummed ASCII `string` hexadecimal representation.
     */
    function toHexString(address addr) internal pure returns (string memory) {
        return toHexString(uint256(uint160(addr)), _ADDRESS_LENGTH);
    }
}

File 37 of 41 : MerkleProof.sol
// SPDX-License-Identifier: MIT
// OpenZeppelin Contracts (last updated v4.8.0) (utils/cryptography/MerkleProof.sol)

pragma solidity ^0.8.0;

/**
 * @dev These functions deal with verification of Merkle Tree proofs.
 *
 * The tree and the proofs can be generated using our
 * https://github.com/OpenZeppelin/merkle-tree[JavaScript library].
 * You will find a quickstart guide in the readme.
 *
 * WARNING: You should avoid using leaf values that are 64 bytes long prior to
 * hashing, or use a hash function other than keccak256 for hashing leaves.
 * This is because the concatenation of a sorted pair of internal nodes in
 * the merkle tree could be reinterpreted as a leaf value.
 * OpenZeppelin's JavaScript library generates merkle trees that are safe
 * against this attack out of the box.
 */
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 Calldata version of {verify}
     *
     * _Available since v4.7._
     */
    function verifyCalldata(
        bytes32[] calldata proof,
        bytes32 root,
        bytes32 leaf
    ) internal pure returns (bool) {
        return processProofCalldata(proof, leaf) == root;
    }

    /**
     * @dev Returns the rebuilt hash obtained by traversing a Merkle 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++) {
            computedHash = _hashPair(computedHash, proof[i]);
        }
        return computedHash;
    }

    /**
     * @dev Calldata version of {processProof}
     *
     * _Available since v4.7._
     */
    function processProofCalldata(bytes32[] calldata proof, bytes32 leaf) internal pure returns (bytes32) {
        bytes32 computedHash = leaf;
        for (uint256 i = 0; i < proof.length; i++) {
            computedHash = _hashPair(computedHash, proof[i]);
        }
        return computedHash;
    }

    /**
     * @dev Returns true if the `leaves` can be simultaneously proven to be a part of a merkle tree defined by
     * `root`, according to `proof` and `proofFlags` as described in {processMultiProof}.
     *
     * CAUTION: Not all merkle trees admit multiproofs. See {processMultiProof} for details.
     *
     * _Available since v4.7._
     */
    function multiProofVerify(
        bytes32[] memory proof,
        bool[] memory proofFlags,
        bytes32 root,
        bytes32[] memory leaves
    ) internal pure returns (bool) {
        return processMultiProof(proof, proofFlags, leaves) == root;
    }

    /**
     * @dev Calldata version of {multiProofVerify}
     *
     * CAUTION: Not all merkle trees admit multiproofs. See {processMultiProof} for details.
     *
     * _Available since v4.7._
     */
    function multiProofVerifyCalldata(
        bytes32[] calldata proof,
        bool[] calldata proofFlags,
        bytes32 root,
        bytes32[] memory leaves
    ) internal pure returns (bool) {
        return processMultiProofCalldata(proof, proofFlags, leaves) == root;
    }

    /**
     * @dev Returns the root of a tree reconstructed from `leaves` and sibling nodes in `proof`. The reconstruction
     * proceeds by incrementally reconstructing all inner nodes by combining a leaf/inner node with either another
     * leaf/inner node or a proof sibling node, depending on whether each `proofFlags` item is true or false
     * respectively.
     *
     * CAUTION: Not all merkle trees admit multiproofs. To use multiproofs, it is sufficient to ensure that: 1) the tree
     * is complete (but not necessarily perfect), 2) the leaves to be proven are in the opposite order they are in the
     * tree (i.e., as seen from right to left starting at the deepest layer and continuing at the next layer).
     *
     * _Available since v4.7._
     */
    function processMultiProof(
        bytes32[] memory proof,
        bool[] memory proofFlags,
        bytes32[] memory leaves
    ) internal pure returns (bytes32 merkleRoot) {
        // This function rebuild the root hash by traversing the tree up from the leaves. The root is rebuilt by
        // consuming and producing values on a queue. The queue starts with the `leaves` array, then goes onto the
        // `hashes` array. At the end of the process, the last hash in the `hashes` array should contain the root of
        // the merkle tree.
        uint256 leavesLen = leaves.length;
        uint256 totalHashes = proofFlags.length;

        // Check proof validity.
        require(leavesLen + proof.length - 1 == totalHashes, "MerkleProof: invalid multiproof");

        // The xxxPos values are "pointers" to the next value to consume in each array. All accesses are done using
        // `xxx[xxxPos++]`, which return the current value and increment the pointer, thus mimicking a queue's "pop".
        bytes32[] memory hashes = new bytes32[](totalHashes);
        uint256 leafPos = 0;
        uint256 hashPos = 0;
        uint256 proofPos = 0;
        // At each step, we compute the next hash using two values:
        // - a value from the "main queue". If not all leaves have been consumed, we get the next leaf, otherwise we
        //   get the next hash.
        // - depending on the flag, either another value for the "main queue" (merging branches) or an element from the
        //   `proof` array.
        for (uint256 i = 0; i < totalHashes; i++) {
            bytes32 a = leafPos < leavesLen ? leaves[leafPos++] : hashes[hashPos++];
            bytes32 b = proofFlags[i] ? leafPos < leavesLen ? leaves[leafPos++] : hashes[hashPos++] : proof[proofPos++];
            hashes[i] = _hashPair(a, b);
        }

        if (totalHashes > 0) {
            return hashes[totalHashes - 1];
        } else if (leavesLen > 0) {
            return leaves[0];
        } else {
            return proof[0];
        }
    }

    /**
     * @dev Calldata version of {processMultiProof}.
     *
     * CAUTION: Not all merkle trees admit multiproofs. See {processMultiProof} for details.
     *
     * _Available since v4.7._
     */
    function processMultiProofCalldata(
        bytes32[] calldata proof,
        bool[] calldata proofFlags,
        bytes32[] memory leaves
    ) internal pure returns (bytes32 merkleRoot) {
        // This function rebuild the root hash by traversing the tree up from the leaves. The root is rebuilt by
        // consuming and producing values on a queue. The queue starts with the `leaves` array, then goes onto the
        // `hashes` array. At the end of the process, the last hash in the `hashes` array should contain the root of
        // the merkle tree.
        uint256 leavesLen = leaves.length;
        uint256 totalHashes = proofFlags.length;

        // Check proof validity.
        require(leavesLen + proof.length - 1 == totalHashes, "MerkleProof: invalid multiproof");

        // The xxxPos values are "pointers" to the next value to consume in each array. All accesses are done using
        // `xxx[xxxPos++]`, which return the current value and increment the pointer, thus mimicking a queue's "pop".
        bytes32[] memory hashes = new bytes32[](totalHashes);
        uint256 leafPos = 0;
        uint256 hashPos = 0;
        uint256 proofPos = 0;
        // At each step, we compute the next hash using two values:
        // - a value from the "main queue". If not all leaves have been consumed, we get the next leaf, otherwise we
        //   get the next hash.
        // - depending on the flag, either another value for the "main queue" (merging branches) or an element from the
        //   `proof` array.
        for (uint256 i = 0; i < totalHashes; i++) {
            bytes32 a = leafPos < leavesLen ? leaves[leafPos++] : hashes[hashPos++];
            bytes32 b = proofFlags[i] ? leafPos < leavesLen ? leaves[leafPos++] : hashes[hashPos++] : proof[proofPos++];
            hashes[i] = _hashPair(a, b);
        }

        if (totalHashes > 0) {
            return hashes[totalHashes - 1];
        } else if (leavesLen > 0) {
            return leaves[0];
        } else {
            return proof[0];
        }
    }

    function _hashPair(bytes32 a, bytes32 b) private pure returns (bytes32) {
        return a < b ? _efficientHash(a, b) : _efficientHash(b, a);
    }

    function _efficientHash(bytes32 a, bytes32 b) private pure returns (bytes32 value) {
        /// @solidity memory-safe-assembly
        assembly {
            mstore(0x00, a)
            mstore(0x20, b)
            value := keccak256(0x00, 0x40)
        }
    }
}

File 38 of 41 : 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 39 of 41 : 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 40 of 41 : Math.sol
// SPDX-License-Identifier: MIT
// OpenZeppelin Contracts (last updated v4.8.0) (utils/math/Math.sol)

pragma solidity ^0.8.0;

/**
 * @dev Standard math utilities missing in the Solidity language.
 */
library Math {
    enum Rounding {
        Down, // Toward negative infinity
        Up, // Toward infinity
        Zero // Toward zero
    }

    /**
     * @dev Returns the largest of two numbers.
     */
    function max(uint256 a, uint256 b) internal pure returns (uint256) {
        return a > b ? a : b;
    }

    /**
     * @dev Returns the smallest of two numbers.
     */
    function min(uint256 a, uint256 b) internal pure returns (uint256) {
        return a < b ? a : b;
    }

    /**
     * @dev Returns the average of two numbers. The result is rounded towards
     * zero.
     */
    function average(uint256 a, uint256 b) internal pure returns (uint256) {
        // (a + b) / 2 can overflow.
        return (a & b) + (a ^ b) / 2;
    }

    /**
     * @dev Returns the ceiling of the division of two numbers.
     *
     * This differs from standard division with `/` in that it rounds up instead
     * of rounding down.
     */
    function ceilDiv(uint256 a, uint256 b) internal pure returns (uint256) {
        // (a + b - 1) / b can overflow on addition, so we distribute.
        return a == 0 ? 0 : (a - 1) / b + 1;
    }

    /**
     * @notice Calculates floor(x * y / denominator) with full precision. Throws if result overflows a uint256 or denominator == 0
     * @dev Original credit to Remco Bloemen under MIT license (https://xn--2-umb.com/21/muldiv)
     * with further edits by Uniswap Labs also under MIT license.
     */
    function mulDiv(
        uint256 x,
        uint256 y,
        uint256 denominator
    ) internal pure returns (uint256 result) {
        unchecked {
            // 512-bit multiply [prod1 prod0] = x * y. Compute the product mod 2^256 and mod 2^256 - 1, then use
            // use the Chinese Remainder Theorem to reconstruct the 512 bit result. The result is stored in two 256
            // variables such that product = prod1 * 2^256 + prod0.
            uint256 prod0; // Least significant 256 bits of the product
            uint256 prod1; // Most significant 256 bits of the product
            assembly {
                let mm := mulmod(x, y, not(0))
                prod0 := mul(x, y)
                prod1 := sub(sub(mm, prod0), lt(mm, prod0))
            }

            // Handle non-overflow cases, 256 by 256 division.
            if (prod1 == 0) {
                return prod0 / denominator;
            }

            // Make sure the result is less than 2^256. Also prevents denominator == 0.
            require(denominator > prod1);

            ///////////////////////////////////////////////
            // 512 by 256 division.
            ///////////////////////////////////////////////

            // Make division exact by subtracting the remainder from [prod1 prod0].
            uint256 remainder;
            assembly {
                // Compute remainder using mulmod.
                remainder := mulmod(x, y, denominator)

                // Subtract 256 bit number from 512 bit number.
                prod1 := sub(prod1, gt(remainder, prod0))
                prod0 := sub(prod0, remainder)
            }

            // Factor powers of two out of denominator and compute largest power of two divisor of denominator. Always >= 1.
            // See https://cs.stackexchange.com/q/138556/92363.

            // Does not overflow because the denominator cannot be zero at this stage in the function.
            uint256 twos = denominator & (~denominator + 1);
            assembly {
                // Divide denominator by twos.
                denominator := div(denominator, twos)

                // Divide [prod1 prod0] by twos.
                prod0 := div(prod0, twos)

                // Flip twos such that it is 2^256 / twos. If twos is zero, then it becomes one.
                twos := add(div(sub(0, twos), twos), 1)
            }

            // Shift in bits from prod1 into prod0.
            prod0 |= prod1 * twos;

            // Invert denominator mod 2^256. Now that denominator is an odd number, it has an inverse modulo 2^256 such
            // that denominator * inv = 1 mod 2^256. Compute the inverse by starting with a seed that is correct for
            // four bits. That is, denominator * inv = 1 mod 2^4.
            uint256 inverse = (3 * denominator) ^ 2;

            // Use the Newton-Raphson iteration to improve the precision. Thanks to Hensel's lifting lemma, this also works
            // in modular arithmetic, doubling the correct bits in each step.
            inverse *= 2 - denominator * inverse; // inverse mod 2^8
            inverse *= 2 - denominator * inverse; // inverse mod 2^16
            inverse *= 2 - denominator * inverse; // inverse mod 2^32
            inverse *= 2 - denominator * inverse; // inverse mod 2^64
            inverse *= 2 - denominator * inverse; // inverse mod 2^128
            inverse *= 2 - denominator * inverse; // inverse mod 2^256

            // Because the division is now exact we can divide by multiplying with the modular inverse of denominator.
            // This will give us the correct result modulo 2^256. Since the preconditions guarantee that the outcome is
            // less than 2^256, this is the final result. We don't need to compute the high bits of the result and prod1
            // is no longer required.
            result = prod0 * inverse;
            return result;
        }
    }

    /**
     * @notice Calculates x * y / denominator with full precision, following the selected rounding direction.
     */
    function mulDiv(
        uint256 x,
        uint256 y,
        uint256 denominator,
        Rounding rounding
    ) internal pure returns (uint256) {
        uint256 result = mulDiv(x, y, denominator);
        if (rounding == Rounding.Up && mulmod(x, y, denominator) > 0) {
            result += 1;
        }
        return result;
    }

    /**
     * @dev Returns the square root of a number. If the number is not a perfect square, the value is rounded down.
     *
     * Inspired by Henry S. Warren, Jr.'s "Hacker's Delight" (Chapter 11).
     */
    function sqrt(uint256 a) internal pure returns (uint256) {
        if (a == 0) {
            return 0;
        }

        // For our first guess, we get the biggest power of 2 which is smaller than the square root of the target.
        //
        // We know that the "msb" (most significant bit) of our target number `a` is a power of 2 such that we have
        // `msb(a) <= a < 2*msb(a)`. This value can be written `msb(a)=2**k` with `k=log2(a)`.
        //
        // This can be rewritten `2**log2(a) <= a < 2**(log2(a) + 1)`
        // → `sqrt(2**k) <= sqrt(a) < sqrt(2**(k+1))`
        // → `2**(k/2) <= sqrt(a) < 2**((k+1)/2) <= 2**(k/2 + 1)`
        //
        // Consequently, `2**(log2(a) / 2)` is a good first approximation of `sqrt(a)` with at least 1 correct bit.
        uint256 result = 1 << (log2(a) >> 1);

        // At this point `result` is an estimation with one bit of precision. We know the true value is a uint128,
        // since it is the square root of a uint256. Newton's method converges quadratically (precision doubles at
        // every iteration). We thus need at most 7 iteration to turn our partial result with one bit of precision
        // into the expected uint128 result.
        unchecked {
            result = (result + a / result) >> 1;
            result = (result + a / result) >> 1;
            result = (result + a / result) >> 1;
            result = (result + a / result) >> 1;
            result = (result + a / result) >> 1;
            result = (result + a / result) >> 1;
            result = (result + a / result) >> 1;
            return min(result, a / result);
        }
    }

    /**
     * @notice Calculates sqrt(a), following the selected rounding direction.
     */
    function sqrt(uint256 a, Rounding rounding) internal pure returns (uint256) {
        unchecked {
            uint256 result = sqrt(a);
            return result + (rounding == Rounding.Up && result * result < a ? 1 : 0);
        }
    }

    /**
     * @dev Return the log in base 2, rounded down, of a positive value.
     * Returns 0 if given 0.
     */
    function log2(uint256 value) internal pure returns (uint256) {
        uint256 result = 0;
        unchecked {
            if (value >> 128 > 0) {
                value >>= 128;
                result += 128;
            }
            if (value >> 64 > 0) {
                value >>= 64;
                result += 64;
            }
            if (value >> 32 > 0) {
                value >>= 32;
                result += 32;
            }
            if (value >> 16 > 0) {
                value >>= 16;
                result += 16;
            }
            if (value >> 8 > 0) {
                value >>= 8;
                result += 8;
            }
            if (value >> 4 > 0) {
                value >>= 4;
                result += 4;
            }
            if (value >> 2 > 0) {
                value >>= 2;
                result += 2;
            }
            if (value >> 1 > 0) {
                result += 1;
            }
        }
        return result;
    }

    /**
     * @dev Return the log in base 2, following the selected rounding direction, of a positive value.
     * Returns 0 if given 0.
     */
    function log2(uint256 value, Rounding rounding) internal pure returns (uint256) {
        unchecked {
            uint256 result = log2(value);
            return result + (rounding == Rounding.Up && 1 << result < value ? 1 : 0);
        }
    }

    /**
     * @dev Return the log in base 10, rounded down, of a positive value.
     * Returns 0 if given 0.
     */
    function log10(uint256 value) internal pure returns (uint256) {
        uint256 result = 0;
        unchecked {
            if (value >= 10**64) {
                value /= 10**64;
                result += 64;
            }
            if (value >= 10**32) {
                value /= 10**32;
                result += 32;
            }
            if (value >= 10**16) {
                value /= 10**16;
                result += 16;
            }
            if (value >= 10**8) {
                value /= 10**8;
                result += 8;
            }
            if (value >= 10**4) {
                value /= 10**4;
                result += 4;
            }
            if (value >= 10**2) {
                value /= 10**2;
                result += 2;
            }
            if (value >= 10**1) {
                result += 1;
            }
        }
        return result;
    }

    /**
     * @dev Return the log in base 10, following the selected rounding direction, of a positive value.
     * Returns 0 if given 0.
     */
    function log10(uint256 value, Rounding rounding) internal pure returns (uint256) {
        unchecked {
            uint256 result = log10(value);
            return result + (rounding == Rounding.Up && 10**result < value ? 1 : 0);
        }
    }

    /**
     * @dev Return the log in base 256, rounded down, of a positive value.
     * Returns 0 if given 0.
     *
     * Adding one to the result gives the number of pairs of hex symbols needed to represent `value` as a hex string.
     */
    function log256(uint256 value) internal pure returns (uint256) {
        uint256 result = 0;
        unchecked {
            if (value >> 128 > 0) {
                value >>= 128;
                result += 16;
            }
            if (value >> 64 > 0) {
                value >>= 64;
                result += 8;
            }
            if (value >> 32 > 0) {
                value >>= 32;
                result += 4;
            }
            if (value >> 16 > 0) {
                value >>= 16;
                result += 2;
            }
            if (value >> 8 > 0) {
                result += 1;
            }
        }
        return result;
    }

    /**
     * @dev Return the log in base 10, following the selected rounding direction, of a positive value.
     * Returns 0 if given 0.
     */
    function log256(uint256 value, Rounding rounding) internal pure returns (uint256) {
        unchecked {
            uint256 result = log256(value);
            return result + (rounding == Rounding.Up && 1 << (result * 8) < value ? 1 : 0);
        }
    }
}

File 41 of 41 : AdventureERC721CMetadataInitializable.sol
// SPDX-License-Identifier: MIT
pragma solidity 0.8.9;

import "@limitbreak/creator-token-contracts/contracts/access/OwnableInitializable.sol";
import "@limitbreak/creator-token-contracts/contracts/erc721c/AdventureERC721C.sol";
import "@limitbreak/creator-token-contracts/contracts/token/erc721/MetadataURI.sol";

abstract contract AdventureERC721CMetadataInitializable is 
    OwnableInitializable, 
    MetadataURIInitializable, 
    AdventureERC721CInitializable {
    using Strings for uint256;

    error AdventureFreeNFT__NonexistentToken();

    /// @notice Returns tokenURI if baseURI is set
    function tokenURI(uint256 tokenId) public view virtual override returns (string memory) {
        if(!_exists(tokenId)) {
            revert AdventureFreeNFT__NonexistentToken();
        }

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

    /// @dev Required to return baseTokenURI for tokenURI
    function _baseURI() internal view virtual override returns (string memory) {
        return baseTokenURI;
    }
}

Settings
{
  "remappings": [
    "@limitbreak/creator-token-contracts/=lib/creator-token-contracts/",
    "@openzeppelin/=lib/openzeppelin-contracts/",
    "creator-token-contracts/=lib/creator-token-contracts/contracts/",
    "ds-test/=lib/forge-std/lib/ds-test/src/",
    "erc721a/=lib/erc721a/",
    "forge-std/=lib/forge-std/src/",
    "hardhat/=lib/creator-token-contracts/node_modules/hardhat/",
    "murky/=lib/creator-token-contracts/lib/murky/src/",
    "openzeppelin-contracts/=lib/openzeppelin-contracts/"
  ],
  "optimizer": {
    "enabled": true,
    "runs": 2500
  },
  "metadata": {
    "bytecodeHash": "ipfs"
  },
  "outputSelection": {
    "*": {
      "*": [
        "evm.bytecode",
        "evm.deployedBytecode",
        "devdoc",
        "userdoc",
        "metadata",
        "abi"
      ]
    }
  },
  "evmVersion": "london",
  "libraries": {}
}

Contract Security Audit

Contract ABI

[{"inputs":[],"stateMutability":"nonpayable","type":"constructor"},{"inputs":[],"name":"AdventureERC721Initializable__AlreadyInitializedMaxSimultaneousQuestsAndTransferType","type":"error"},{"inputs":[],"name":"AdventureERC721__AdventureApprovalToCaller","type":"error"},{"inputs":[],"name":"AdventureERC721__AlreadyOnQuest","type":"error"},{"inputs":[],"name":"AdventureERC721__AnActiveQuestIsPreventingTransfers","type":"error"},{"inputs":[],"name":"AdventureERC721__CallerNotApprovedForAdventure","type":"error"},{"inputs":[],"name":"AdventureERC721__CallerNotTokenOwner","type":"error"},{"inputs":[],"name":"AdventureERC721__MaxSimultaneousQuestsCannotBeZero","type":"error"},{"inputs":[],"name":"AdventureERC721__MaxSimultaneousQuestsExceeded","type":"error"},{"inputs":[],"name":"AdventureERC721__NotOnQuest","type":"error"},{"inputs":[],"name":"AdventureERC721__QuestIdOutOfRange","type":"error"},{"inputs":[],"name":"AdventureERC721__TooManyActiveQuests","type":"error"},{"inputs":[],"name":"AdventureFreeNFT__NonexistentToken","type":"error"},{"inputs":[],"name":"AdventureWhitelist__AdventureIsStillWhitelisted","type":"error"},{"inputs":[],"name":"AdventureWhitelist__AlreadyWhitelisted","type":"error"},{"inputs":[],"name":"AdventureWhitelist__ArrayIndexOverflowsUint128","type":"error"},{"inputs":[],"name":"AdventureWhitelist__CallerNotAWhitelistedAdventure","type":"error"},{"inputs":[],"name":"AdventureWhitelist__InvalidAdventureContract","type":"error"},{"inputs":[],"name":"AdventureWhitelist__NotWhitelisted","type":"error"},{"inputs":[],"name":"ClaimPeriodBase__ClaimPeriodIsNotOpen","type":"error"},{"inputs":[],"name":"ClaimPeriodBase__ClaimPeriodMustBeClosedInTheFuture","type":"error"},{"inputs":[],"name":"ClaimPeriodBase__ClaimsMustBeClosedToReopen","type":"error"},{"inputs":[],"name":"CreatorTokenBase__InvalidTransferValidatorContract","type":"error"},{"inputs":[],"name":"CreatorTokenBase__SetTransferValidatorFirst","type":"error"},{"inputs":[],"name":"ERC721OpenZeppelinInitializable__AlreadyInitializedERC721","type":"error"},{"inputs":[],"name":"InitializableMaxSupplyBase__MaxSupplyAlreadyInitialized","type":"error"},{"inputs":[],"name":"InitializableOwnable__OwnerAlreadyInitialized","type":"error"},{"inputs":[],"name":"MaxSupplyBase__CannotClaimMoreThanMaximumAmountOfOwnerMints","type":"error"},{"inputs":[],"name":"MaxSupplyBase__CannotMintToAddressZero","type":"error"},{"inputs":[],"name":"MaxSupplyBase__MaxSupplyCannotBeSetToMaxUint256","type":"error"},{"inputs":[],"name":"MaxSupplyBase__MaxSupplyExceeded","type":"error"},{"inputs":[],"name":"MaxSupplyBase__MintedQuantityMustBeGreaterThanZero","type":"error"},{"inputs":[],"name":"MerkleWhitelistMintInitializable__MerkleSupplyAlreadyInitialized","type":"error"},{"inputs":[],"name":"MerkleWhitelistMint__AddressHasAlreadyClaimed","type":"error"},{"inputs":[],"name":"MerkleWhitelistMint__CannotClaimMoreThanMaximumAmountOfMerkleMints","type":"error"},{"inputs":[],"name":"MerkleWhitelistMint__InvalidProof","type":"error"},{"inputs":[],"name":"MerkleWhitelistMint__MaxMintsMustBeGreaterThanZero","type":"error"},{"inputs":[],"name":"MerkleWhitelistMint__MerkleRootCannotBeZero","type":"error"},{"inputs":[],"name":"MerkleWhitelistMint__MerkleRootHasNotBeenInitialized","type":"error"},{"inputs":[],"name":"MerkleWhitelistMint__MerkleRootImmutable","type":"error"},{"inputs":[],"name":"MerkleWhitelistMint__PermittedNumberOfMerkleRootChangesMustBeGreaterThanZero","type":"error"},{"inputs":[],"name":"MetadataURIInitializable__URIAlreadyInitialized","type":"error"},{"inputs":[],"name":"ShouldNotMintToBurnAddress","type":"error"},{"anonymous":false,"inputs":[{"indexed":true,"internalType":"address","name":"tokenOwner","type":"address"},{"indexed":true,"internalType":"address","name":"operator","type":"address"},{"indexed":false,"internalType":"bool","name":"approved","type":"bool"}],"name":"AdventureApprovalForAll","type":"event"},{"anonymous":false,"inputs":[{"indexed":true,"internalType":"address","name":"adventure","type":"address"},{"indexed":false,"internalType":"bool","name":"whitelisted","type":"bool"}],"name":"AdventureWhitelistUpdated","type":"event"},{"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":"string","name":"baseTokenURI","type":"string"}],"name":"BaseURISet","type":"event"},{"anonymous":false,"inputs":[{"indexed":false,"internalType":"uint256","name":"claimPeriodClosingTimestamp","type":"uint256"}],"name":"ClaimPeriodClosing","type":"event"},{"anonymous":false,"inputs":[{"indexed":false,"internalType":"uint256","name":"claimPeriodClosingTimestamp","type":"uint256"}],"name":"ClaimPeriodOpened","type":"event"},{"anonymous":false,"inputs":[{"indexed":true,"internalType":"address","name":"receiver","type":"address"},{"indexed":false,"internalType":"uint96","name":"feeNumerator","type":"uint96"}],"name":"DefaultRoyaltySet","type":"event"},{"anonymous":false,"inputs":[{"indexed":false,"internalType":"uint256","name":"maxSupply","type":"uint256"},{"indexed":false,"internalType":"uint256","name":"maxOwnerMints","type":"uint256"}],"name":"MaxSupplyInitialized","type":"event"},{"anonymous":false,"inputs":[{"indexed":false,"internalType":"bytes32","name":"merkleRoot_","type":"bytes32"}],"name":"MerkleRootUpdated","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":"uint256","name":"tokenId","type":"uint256"},{"indexed":true,"internalType":"address","name":"tokenOwner","type":"address"},{"indexed":true,"internalType":"address","name":"adventure","type":"address"},{"indexed":false,"internalType":"uint256","name":"questId","type":"uint256"},{"indexed":false,"internalType":"bool","name":"active","type":"bool"},{"indexed":false,"internalType":"bool","name":"booted","type":"bool"}],"name":"QuestUpdated","type":"event"},{"anonymous":false,"inputs":[{"indexed":false,"internalType":"string","name":"suffixURI","type":"string"}],"name":"SuffixURISet","type":"event"},{"anonymous":false,"inputs":[{"indexed":true,"internalType":"uint256","name":"tokenId","type":"uint256"},{"indexed":true,"internalType":"address","name":"receiver","type":"address"},{"indexed":false,"internalType":"uint96","name":"feeNumerator","type":"uint96"}],"name":"TokenRoyaltySet","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"},{"anonymous":false,"inputs":[{"indexed":false,"internalType":"address","name":"oldValidator","type":"address"},{"indexed":false,"internalType":"address","name":"newValidator","type":"address"}],"name":"TransferValidatorUpdated","type":"event"},{"inputs":[],"name":"DEFAULT_OPERATOR_WHITELIST_ID","outputs":[{"internalType":"uint120","name":"","type":"uint120"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"DEFAULT_TRANSFER_SECURITY_LEVEL","outputs":[{"internalType":"enum TransferSecurityLevels","name":"","type":"uint8"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"DEFAULT_TRANSFER_VALIDATOR","outputs":[{"internalType":"address","name":"","type":"address"}],"stateMutability":"view","type":"function"},{"inputs":[{"internalType":"uint256","name":"","type":"uint256"},{"internalType":"address","name":"","type":"address"},{"internalType":"uint256","name":"","type":"uint256"}],"name":"activeQuestList","outputs":[{"internalType":"uint32","name":"","type":"uint32"}],"stateMutability":"view","type":"function"},{"inputs":[{"internalType":"uint256","name":"","type":"uint256"},{"internalType":"address","name":"","type":"address"},{"internalType":"uint32","name":"","type":"uint32"}],"name":"activeQuestLookup","outputs":[{"internalType":"bool","name":"isActive","type":"bool"},{"internalType":"uint32","name":"questId","type":"uint32"},{"internalType":"uint64","name":"startTimestamp","type":"uint64"},{"internalType":"uint32","name":"arrayIndex","type":"uint32"}],"stateMutability":"view","type":"function"},{"inputs":[{"internalType":"uint256","name":"tokenId","type":"uint256"}],"name":"adventureBurn","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":"adventureSafeTransferFrom","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":"adventureTransferFrom","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"},{"internalType":"address","name":"operator","type":"address"}],"name":"areAdventuresApprovedForAll","outputs":[{"internalType":"bool","name":"","type":"bool"}],"stateMutability":"view","type":"function"},{"inputs":[{"internalType":"address","name":"owner","type":"address"}],"name":"balanceOf","outputs":[{"internalType":"uint256","name":"","type":"uint256"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"baseTokenURI","outputs":[{"internalType":"string","name":"","type":"string"}],"stateMutability":"view","type":"function"},{"inputs":[{"internalType":"uint256","name":"tokenId","type":"uint256"},{"internalType":"address","name":"adventure","type":"address"}],"name":"bootFromAllQuests","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"uint256","name":"claimPeriodClosingTimestamp_","type":"uint256"}],"name":"closeClaims","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"uint256","name":"tokenId","type":"uint256"},{"internalType":"uint256","name":"questId","type":"uint256"}],"name":"enterQuest","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"uint256","name":"tokenId","type":"uint256"},{"internalType":"uint256","name":"questId","type":"uint256"}],"name":"exitQuest","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"uint256","name":"tokenId","type":"uint256"},{"internalType":"address","name":"adventure","type":"address"}],"name":"getActiveQuests","outputs":[{"components":[{"internalType":"bool","name":"isActive","type":"bool"},{"internalType":"uint32","name":"questId","type":"uint32"},{"internalType":"uint64","name":"startTimestamp","type":"uint64"},{"internalType":"uint32","name":"arrayIndex","type":"uint32"}],"internalType":"struct Quest[]","name":"activeQuests","type":"tuple[]"}],"stateMutability":"view","type":"function"},{"inputs":[{"internalType":"uint256","name":"tokenId","type":"uint256"}],"name":"getApproved","outputs":[{"internalType":"address","name":"","type":"address"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"getClaimPeriodClosingTimestamp","outputs":[{"internalType":"uint256","name":"","type":"uint256"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"getMerkleRoot","outputs":[{"internalType":"bytes32","name":"","type":"bytes32"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"getNextTokenId","outputs":[{"internalType":"uint256","name":"","type":"uint256"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"getPermittedContractReceivers","outputs":[{"internalType":"address[]","name":"","type":"address[]"}],"stateMutability":"view","type":"function"},{"inputs":[{"internalType":"uint256","name":"tokenId","type":"uint256"},{"internalType":"address","name":"adventure","type":"address"}],"name":"getQuestCount","outputs":[{"internalType":"uint256","name":"","type":"uint256"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"getSecurityPolicy","outputs":[{"components":[{"internalType":"enum TransferSecurityLevels","name":"transferSecurityLevel","type":"uint8"},{"internalType":"uint120","name":"operatorWhitelistId","type":"uint120"},{"internalType":"uint120","name":"permittedContractReceiversId","type":"uint120"}],"internalType":"struct CollectionSecurityPolicy","name":"","type":"tuple"}],"stateMutability":"view","type":"function"},{"inputs":[{"internalType":"uint256","name":"tokenId","type":"uint256"},{"internalType":"address","name":"adventure","type":"address"},{"internalType":"uint256","name":"questId","type":"uint256"}],"name":"getTimeOnQuest","outputs":[{"internalType":"uint256","name":"","type":"uint256"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"getTransferValidator","outputs":[{"internalType":"contract ICreatorTokenTransferValidator","name":"","type":"address"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"getWhitelistedOperators","outputs":[{"internalType":"address[]","name":"","type":"address[]"}],"stateMutability":"view","type":"function"},{"inputs":[{"internalType":"string","name":"name_","type":"string"},{"internalType":"string","name":"symbol_","type":"string"}],"name":"initializeERC721","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"uint256","name":"maxMerkleMints_","type":"uint256"},{"internalType":"uint256","name":"permittedNumberOfMerkleRootChanges_","type":"uint256"}],"name":"initializeMaxMerkleMintsAndPermittedNumberOfMerkleRootChanges","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"uint256","name":"maxSimultaneousQuests_","type":"uint256"}],"name":"initializeMaxSimultaneousQuestsAndTransferType","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"uint256","name":"maxSupply_","type":"uint256"},{"internalType":"uint256","name":"maxOwnerMints_","type":"uint256"}],"name":"initializeMaxSupply","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"address","name":"owner_","type":"address"}],"name":"initializeOwner","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"string","name":"baseURI_","type":"string"},{"internalType":"string","name":"suffixURI_","type":"string"}],"name":"initializeURI","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"address","name":"account","type":"address"}],"name":"isAdventureWhitelisted","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":[],"name":"isClaimPeriodOpen","outputs":[{"internalType":"bool","name":"","type":"bool"}],"stateMutability":"view","type":"function"},{"inputs":[{"internalType":"address","name":"receiver","type":"address"}],"name":"isContractReceiverPermitted","outputs":[{"internalType":"bool","name":"","type":"bool"}],"stateMutability":"view","type":"function"},{"inputs":[{"internalType":"address","name":"operator","type":"address"}],"name":"isOperatorWhitelisted","outputs":[{"internalType":"bool","name":"","type":"bool"}],"stateMutability":"view","type":"function"},{"inputs":[{"internalType":"uint256","name":"tokenId","type":"uint256"},{"internalType":"address","name":"adventure","type":"address"},{"internalType":"uint256","name":"questId","type":"uint256"}],"name":"isParticipatingInQuest","outputs":[{"internalType":"bool","name":"participatingInQuest","type":"bool"},{"internalType":"uint256","name":"startTimestamp","type":"uint256"},{"internalType":"uint256","name":"index","type":"uint256"}],"stateMutability":"view","type":"function"},{"inputs":[{"internalType":"address","name":"caller","type":"address"},{"internalType":"address","name":"from","type":"address"},{"internalType":"address","name":"to","type":"address"}],"name":"isTransferAllowed","outputs":[{"internalType":"bool","name":"","type":"bool"}],"stateMutability":"view","type":"function"},{"inputs":[{"internalType":"address","name":"account","type":"address"}],"name":"isWhitelistClaimed","outputs":[{"internalType":"bool","name":"","type":"bool"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"maxSimultaneousQuests","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":"maxSupplyInitialized","outputs":[{"internalType":"bool","name":"","type":"bool"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"mintedSupply","outputs":[{"internalType":"uint256","name":"","type":"uint256"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"name","outputs":[{"internalType":"string","name":"","type":"string"}],"stateMutability":"view","type":"function"},{"inputs":[{"internalType":"uint256","name":"claimPeriodClosingTimestamp_","type":"uint256"}],"name":"openClaims","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[],"name":"owner","outputs":[{"internalType":"address","name":"","type":"address"}],"stateMutability":"view","type":"function"},{"inputs":[{"internalType":"address","name":"to","type":"address"},{"internalType":"uint256","name":"quantity","type":"uint256"}],"name":"ownerMint","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"uint256","name":"tokenId","type":"uint256"}],"name":"ownerOf","outputs":[{"internalType":"address","name":"","type":"address"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"remainingMerkleMints","outputs":[{"internalType":"uint256","name":"","type":"uint256"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"remainingOwnerMints","outputs":[{"internalType":"uint256","name":"","type":"uint256"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"renounceOwnership","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"uint256","name":"_tokenId","type":"uint256"},{"internalType":"uint256","name":"_salePrice","type":"uint256"}],"name":"royaltyInfo","outputs":[{"internalType":"address","name":"","type":"address"},{"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":"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":"setAdventuresApprovedForAll","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":"string","name":"baseTokenURI_","type":"string"}],"name":"setBaseURI","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"address","name":"receiver","type":"address"},{"internalType":"uint96","name":"feeNumerator","type":"uint96"}],"name":"setDefaultRoyalty","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"bytes32","name":"merkleRoot_","type":"bytes32"}],"name":"setMerkleRoot","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"string","name":"suffixURI_","type":"string"}],"name":"setSuffixURI","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"enum TransferSecurityLevels","name":"level","type":"uint8"},{"internalType":"uint120","name":"operatorWhitelistId","type":"uint120"},{"internalType":"uint120","name":"permittedContractReceiversAllowlistId","type":"uint120"}],"name":"setToCustomSecurityPolicy","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"address","name":"validator","type":"address"},{"internalType":"enum TransferSecurityLevels","name":"level","type":"uint8"},{"internalType":"uint120","name":"operatorWhitelistId","type":"uint120"},{"internalType":"uint120","name":"permittedContractReceiversAllowlistId","type":"uint120"}],"name":"setToCustomValidatorAndSecurityPolicy","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[],"name":"setToDefaultSecurityPolicy","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"uint256","name":"tokenId","type":"uint256"},{"internalType":"address","name":"receiver","type":"address"},{"internalType":"uint96","name":"feeNumerator","type":"uint96"}],"name":"setTokenRoyalty","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"address","name":"transferValidator_","type":"address"}],"name":"setTransferValidator","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[],"name":"suffixURI","outputs":[{"internalType":"string","name":"","type":"string"}],"stateMutability":"view","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":"tokenId","type":"uint256"}],"name":"tokenURI","outputs":[{"internalType":"string","name":"","type":"string"}],"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":"address","name":"adventure","type":"address"}],"name":"unwhitelistAdventure","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"uint256","name":"tokenId","type":"uint256"},{"internalType":"address","name":"adventure","type":"address"}],"name":"userExitAllQuests","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"uint256","name":"tokenId","type":"uint256"},{"internalType":"address","name":"adventure","type":"address"},{"internalType":"uint256","name":"questId","type":"uint256"}],"name":"userExitQuest","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"address","name":"adventure","type":"address"}],"name":"whitelistAdventure","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"uint256","name":"quantity","type":"uint256"},{"internalType":"bytes32[]","name":"merkleProof_","type":"bytes32[]"}],"name":"whitelistMint","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"uint256","name":"","type":"uint256"}],"name":"whitelistedAdventureList","outputs":[{"internalType":"address","name":"","type":"address"}],"stateMutability":"view","type":"function"},{"inputs":[{"internalType":"address","name":"","type":"address"}],"name":"whitelistedAdventures","outputs":[{"internalType":"bool","name":"isWhitelisted","type":"bool"},{"internalType":"uint128","name":"arrayIndex","type":"uint128"}],"stateMutability":"view","type":"function"}]

60806040523480156200001157600080fd5b506040805160208082018352600080835283519182019093529182529062000039336200006d565b81516200004e90600c906020850190620000bd565b5080516200006490600d906020840190620000bd565b505050620001a0565b600080546001600160a01b038381166001600160a01b0319831681178455604051919092169283917f8be0079c531659141344cd1fd0a4f28419497f9722a3daafe3b4186f6b6457e09190a35050565b828054620000cb9062000163565b90600052602060002090601f016020900481019282620000ef57600085556200013a565b82601f106200010a57805160ff19168380011785556200013a565b828001600101855582156200013a579182015b828111156200013a5782518255916020019190600101906200011d565b50620001489291506200014c565b5090565b5b808211156200014857600081556001016200014d565b600181811c908216806200017857607f821691505b602082108114156200019a57634e487b7160e01b600052602260045260246000fd5b50919050565b615ff480620001b06000396000f3fe608060405234801561001057600080fd5b50600436106105805760003560e01c8063772bcfb9116102d7578063b3bcea4811610186578063d2cab056116100e3578063e985e9c511610097578063f1e923c51161007c578063f1e923c514610cd1578063f2fde38b14610ce4578063fd762d9214610cf757600080fd5b8063e985e9c514610c82578063ee16edb714610cbe57600080fd5b8063d5abeb01116100c8578063d5abeb0114610c54578063e2989f4c14610c5c578063e370ab4614610c6f57600080fd5b8063d2cab05614610c39578063d547cfb714610c4c57600080fd5b8063c1bd8cf91161013a578063caa0f92a1161011f578063caa0f92a14610c16578063d007af5c14610c1e578063d147c97a14610c2657600080fd5b8063c1bd8cf914610bfb578063c87b56dd14610c0357600080fd5b8063be537f431161016b578063be537f4314610bc0578063be5bd92214610bd5578063c05e2f4414610be857600080fd5b8063b3bcea4814610ba5578063b88d4fde14610bad57600080fd5b80638f50d0a8116102345780639d645a44116101e8578063a9fc664e116101cd578063a9fc664e14610b1b578063aa6cab5a14610b2e578063aca139f714610b9257600080fd5b80639d645a4414610af5578063a22cb46514610b0857600080fd5b806395d89b411161021957806395d89b4114610ad2578063970f9fc814610ada5780639bc17ea414610ae257600080fd5b80638f50d0a814610a895780639162371814610a9c57600080fd5b80638521b8e31161028b5780638be18e57116102705780638be18e5714610a525780638c5f36bb14610a655780638da5cb5b14610a7857600080fd5b80638521b8e314610a1e578063869f911014610a4a57600080fd5b80637e10b35b116102bc5780637e10b35b146109bc5780637f1a5ce1146109cf578063816a150114610a0b57600080fd5b8063772bcfb9146109965780637cb64759146109a957600080fd5b80632ebb386a1161043357806355f804b3116103905780636c3b86991161034457806370a082311161032957806370a0823114610968578063715018a61461097b57806372be0d8b1461098357600080fd5b80636c3b869914610930578063703fa9291461093857600080fd5b80635d4c1d46116103755780635d4c1d46146108e2578063613471621461090a5780636352211e1461091d57600080fd5b806355f804b3146108bc5780635944c753146108cf57600080fd5b806349590657116103e75780634e02c078116103cc5780634e02c0781461086e57806351dadc281461088157806353401df9146108a957600080fd5b80634959065714610851578063495c8bf91461085957600080fd5b806333b3a8071161041857806333b3a8071461082057806342842e0e1461082b578063484b973c1461083e57600080fd5b80632ebb386a146107e1578063301be740146107f457600080fd5b806311ad4081116104e1578063247946c91161049557806329758bd41161047a57806329758bd4146107945780632a55205a1461079c5780632e8da829146107ce57600080fd5b8063247946c91461077957806324933ba61461078c57600080fd5b80631c33b328116104c65780631c33b3281461073f578063222f320f1461075457806323b872dd1461076657600080fd5b806311ad4081146107195780631b25b0771461072c57600080fd5b8063081812fc11610538578063098144d41161051d578063098144d4146106415780630f3d911c14610658578063113405571461067857600080fd5b8063081812fc1461061b578063095ea7b31461062e57600080fd5b806304634d8d1161056957806304634d8d146105de57806306fdde03146105f3578063070cba171461060857600080fd5b8063014635461461058557806301ffc9a7146105bb575b600080fd5b61059e71721c310194ccfc01e523fc93c9cccfa2a0ac81565b6040516001600160a01b0390911681526020015b60405180910390f35b6105ce6105c9366004615495565b610d0a565b60405190151581526020016105b2565b6105f16105ec3660046154e8565b610d1b565b005b6105fb610d31565b6040516105b29190615575565b6105f1610616366004615588565b610dc3565b61059e6106293660046155a5565b611034565b6105f161063c3660046155be565b61105b565b6014546201000090046001600160a01b031661059e565b61066b6106663660046155ea565b611192565b6040516105b2919061561a565b6106e2610686366004615693565b600b60209081526000938452604080852082529284528284209052825290205460ff81169063ffffffff610100820481169167ffffffffffffffff65010000000000820416916d01000000000000000000000000009091041684565b60408051941515855263ffffffff938416602086015267ffffffffffffffff909216918401919091521660608201526080016105b2565b6105f16107273660046156de565b6113b6565b6105ce61073a366004615700565b6113d2565b610747600181565b6040516105b29190615762565b601b545b6040519081526020016105b2565b6105f1610774366004615770565b611491565b6105f1610787366004615870565b611518565b6105ce611605565b601854610758565b6107af6107aa3660046156de565b611614565b604080516001600160a01b0390931683526020830191909152016105b2565b6105ce6107dc366004615588565b6116cf565b6105f16107ef3660046155ea565b61180c565b6105ce610802366004615588565b6001600160a01b031660009081526005602052604090205460ff1690565b601d5460ff166105ce565b6105f1610839366004615770565b61182a565b6105f161084c3660046155be565b611845565b601a54610758565b6108616118fd565b6040516105b291906158d4565b6105f161087c366004615921565b611a3a565b61089461088f366004615921565b611a57565b60405163ffffffff90911681526020016105b2565b6105f16108b73660046156de565b611aad565b6105f16108ca366004615948565b611ac9565b6105f16108dd36600461597d565b611b1f565b6108ea600181565b6040516effffffffffffffffffffffffffffff90911681526020016105b2565b6105f16109183660046159e5565b611b32565b61059e61092b3660046155a5565b611d15565b6105f1611d7a565b61094b610946366004615921565b611e9e565b6040805193151584526020840192909252908201526060016105b2565b610758610976366004615588565b611f48565b6105f1611fe2565b6105f16109913660046155a5565b611ff6565b6105f16109a43660046155a5565b612114565b6105f16109b73660046155a5565b612192565b6105f16109ca366004615588565b61224f565b6105ce6109dd366004615a25565b6001600160a01b03918216600090815260096020908152604080832093909416825291909152205460ff1690565b610758610a19366004615921565b6124af565b6105ce610a2c366004615588565b6001600160a01b03166000908152601c602052604090205460ff1690565b600654610758565b6105f1610a60366004615948565b6124e4565b6105f1610a73366004615588565b61252f565b6000546001600160a01b031661059e565b6105f1610a973660046156de565b612594565b610758610aaa3660046155ea565b6000918252600a602090815260408084206001600160a01b0393909316845291905290205490565b6105fb6125f7565b601554610758565b6105f1610af03660046155a5565b612606565b6105ce610b03366004615588565b61262d565b6105f1610b16366004615a61565b612717565b6105f1610b29366004615588565b612722565b610b6a610b3c366004615588565b60056020526000908152604090205460ff81169061010090046fffffffffffffffffffffffffffffffff1682565b6040805192151583526fffffffffffffffffffffffffffffffff9091166020830152016105b2565b6105f1610ba0366004615770565b6128ac565b6105fb6128ea565b6105f1610bbb366004615a8f565b612978565b610bc8612a00565b6040516105b29190615b0f565b6105f1610be33660046155a5565b612ad5565b6105f1610bf6366004615a61565b612b37565b610758612be9565b6105fb610c113660046155a5565b612c00565b601654610758565b610861612caf565b6105f1610c34366004615870565b612d8a565b6105f1610c47366004615b53565b612de6565b6105fb612fd9565b601754610758565b61059e610c6a3660046155a5565b612fe6565b6105f1610c7d366004615770565b613010565b6105ce610c90366004615a25565b6001600160a01b03918216600090815260116020908152604080832093909416825291909152205460ff1690565b6105f1610ccc3660046156de565b613031565b6105f1610cdf3660046155ea565b61308d565b6105f1610cf2366004615588565b6130aa565b6105f1610d05366004615bd2565b61312e565b6000610d158261329d565b92915050565b610d236132db565b610d2d82826132e3565b5050565b606060128054610d4090615c2e565b80601f0160208091040260200160405190810160405280929190818152602001828054610d6c90615c2e565b8015610db95780601f10610d8e57610100808354040283529160200191610db9565b820191906000526020600020905b815481529060010190602001808311610d9c57829003601f168201915b5050505050905090565b610dcb6132db565b6001600160a01b03811660009081526005602052604090205460ff16610e1d576040517f385f0cec00000000000000000000000000000000000000000000000000000000815260040160405180910390fd5b6001600160a01b0381166000908152600560205260408120546004546101009091046fffffffffffffffffffffffffffffffff169190610e5f90600190615c7f565b905080826fffffffffffffffffffffffffffffffff1614610f8d5760048181548110610e8d57610e8d615c96565b600091825260209091200154600480546001600160a01b03909216916fffffffffffffffffffffffffffffffff8516908110610ecb57610ecb615c96565b9060005260206000200160006101000a8154816001600160a01b0302191690836001600160a01b0316021790555081600560006004856fffffffffffffffffffffffffffffffff1681548110610f2357610f23615c96565b60009182526020808320909101546001600160a01b03168352820192909252604001902080546fffffffffffffffffffffffffffffffff92909216610100027fffffffffffffffffffffffffffffff00000000000000000000000000000000ff9092169190911790555b6004805480610f9e57610f9e615cac565b600082815260208082206000199084018101805473ffffffffffffffffffffffffffffffffffffffff191690559092019092556001600160a01b038516808352600582526040808420805470ffffffffffffffffffffffffffffffffff1916905551928352917fe152843d7324c2cb58e95865f2b78d38f2dab6ce9eadf09438ec2c41e78c705e910160405180910390a2505050565b600061103f82613336565b506000908152601060205260409020546001600160a01b031690565b600061106682611d15565b9050806001600160a01b0316836001600160a01b031614156110f55760405162461bcd60e51b815260206004820152602160248201527f4552433732313a20617070726f76616c20746f2063757272656e74206f776e6560448201527f720000000000000000000000000000000000000000000000000000000000000060648201526084015b60405180910390fd5b336001600160a01b038216148061111157506111118133610c90565b6111835760405162461bcd60e51b815260206004820152603d60248201527f4552433732313a20617070726f76652063616c6c6572206973206e6f7420746f60448201527f6b656e206f776e6572206f7220617070726f76656420666f7220616c6c00000060648201526084016110ec565b61118d838361339e565b505050565b6000828152600a602090815260408083206001600160a01b03851684529091529020546060908067ffffffffffffffff8111156111d1576111d16157b1565b60405190808252806020026020018201604052801561122357816020015b6040805160808101825260008082526020808301829052928201819052606082015282526000199092019101816111ef5790505b506000858152600a602090815260408083206001600160a01b03881684528252808320805482518185028101850190935280835294965092939092918301828280156112ba57602002820191906000526020600020906000905b82829054906101000a900463ffffffff1663ffffffff168152602001906004019060208260030104928301926001038202915080841161127d5790505b5050505050905060005b828110156113ad576000868152600b602090815260408083206001600160a01b03891684529091528120835190919084908490811061130557611305615c96565b60209081029190910181015163ffffffff90811683528282019390935260409182016000208251608081018452905460ff811615158252610100810485169282019290925267ffffffffffffffff65010000000000830416928101929092526d010000000000000000000000000090049091166060820152845185908390811061139157611391615c96565b6020026020010181905250806113a690615cc2565b90506112c4565b50505092915050565b6113be613419565b6113c782613458565b610d2d8233836134a0565b6014546000906201000090046001600160a01b031615611486576014546040517f285fb8c80000000000000000000000000000000000000000000000000000000081526001600160a01b03868116600483015285811660248301528481166044830152620100009092049091169063285fb8c89060640160006040518083038186803b15801561146157600080fd5b505afa925050508015611472575060015b61147e5750600061148a565b50600161148a565b5060015b9392505050565b61149b33826138e6565b61150d5760405162461bcd60e51b815260206004820152602d60248201527f4552433732313a2063616c6c6572206973206e6f7420746f6b656e206f776e6560448201527f72206f7220617070726f7665640000000000000000000000000000000000000060648201526084016110ec565b61118d838383613965565b6115206132db565b60035460ff161561155d576040517f2be189cd00000000000000000000000000000000000000000000000000000000815260040160405180910390fd5b6003805460ff19166001908117909155825161157e919060208501906153c5565b507ff9c7803e94e0d3c02900d8a90893a6d5e90dd04d32a4cfe825520f82bf9f32f6826040516115ae9190615575565b60405180910390a180516115c99060029060208401906153c5565b507f65ccd57f8a46e7a6cfc4d214d84094e8ba5561ab50fd328f26e4c44052ffeba0816040516115f99190615575565b60405180910390a15050565b600061160f613bb0565b905090565b6000828152601f602090815260408083208151808301909252546001600160a01b038116808352600160a01b9091046bffffffffffffffffffffffff16928201929092528291611693575060408051808201909152601e546001600160a01b0381168252600160a01b90046bffffffffffffffffffffffff1660208201525b6020810151600090612710906116b7906bffffffffffffffffffffffff1687615cdd565b6116c19190615cfc565b915196919550909350505050565b6014546000906201000090046001600160a01b03161561180457601454604051635caaa2a960e11b8152306004820152620100009091046001600160a01b03169063d72dde5e90829063b95545529060240160606040518083038186803b15801561173957600080fd5b505afa15801561174d573d6000803e3d6000fd5b505050506040513d601f19601f820116820180604052508101906117719190615d1e565b602001516040516001600160e01b031960e084901b1681526effffffffffffffffffffffffffffff90911660048201526001600160a01b03851660248201526044015b60206040518083038186803b1580156117cc57600080fd5b505afa1580156117e0573d6000803e3d6000fd5b505050506040513d601f19601f82011682018060405250810190610d159190615d90565b506000919050565b61181581613be3565b61181e82613c36565b610d2d82826000613c80565b61118d83838360405180602001604052806000815250612978565b61184d6132db565b6001600160a01b03821661188d576040517f28e90faa00000000000000000000000000000000000000000000000000000000815260040160405180910390fd5b6018548111156118c9576040517f081a4b7f00000000000000000000000000000000000000000000000000000000815260040160405180910390fd5b6118e4816118d5612be9565b6118df9190615dad565b613f8c565b6018805482900390556118f78282613fd9565b50505050565b6014546060906201000090046001600160a01b031615611a2757601454604051635caaa2a960e11b8152306004820152620100009091046001600160a01b031690633fe5df9990829063b95545529060240160606040518083038186803b15801561196757600080fd5b505afa15801561197b573d6000803e3d6000fd5b505050506040513d601f19601f8201168201806040525081019061199f9190615d1e565b602001516040516001600160e01b031960e084901b1681526effffffffffffffffffffffffffffff90911660048201526024015b60006040518083038186803b1580156119eb57600080fd5b505afa1580156119ff573d6000803e3d6000fd5b505050506040513d6000823e601f3d908101601f1916820160405261160f9190810190615dc5565b5060408051600081526020810190915290565b611a4382613be3565b611a4c83613c36565b61118d8383836134a0565b600a6020528260005260406000206020528160005260406000208181548110611a7f57600080fd5b906000526020600020906008918282040191900660040292509250509054906101000a900463ffffffff1681565b611ab5613419565b611abe82613458565b610d2d82338361404f565b611ad16132db565b8051611ae49060019060208401906153c5565b507ff9c7803e94e0d3c02900d8a90893a6d5e90dd04d32a4cfe825520f82bf9f32f681604051611b149190615575565b60405180910390a150565b611b276132db565b61118d838383614384565b611b3a6132db565b6014546201000090046001600160a01b031680611b83576040517f39ffc7ba00000000000000000000000000000000000000000000000000000000815260040160405180910390fd5b6040517fda0194c00000000000000000000000000000000000000000000000000000000081526001600160a01b0382169063da0194c090611bca9030908890600401615e77565b600060405180830381600087803b158015611be457600080fd5b505af1158015611bf8573d6000803e3d6000fd5b50506040517f2304aa020000000000000000000000000000000000000000000000000000000081523060048201526effffffffffffffffffffffffffffff861660248201526001600160a01b0384169250632304aa029150604401600060405180830381600087803b158015611c6d57600080fd5b505af1158015611c81573d6000803e3d6000fd5b50506040517f8d7443140000000000000000000000000000000000000000000000000000000081523060048201526effffffffffffffffffffffffffffff851660248201526001600160a01b0384169250638d74431491506044015b600060405180830381600087803b158015611cf757600080fd5b505af1158015611d0b573d6000803e3d6000fd5b5050505050505050565b6000818152600e60205260408120546001600160a01b031680610d155760405162461bcd60e51b815260206004820152601860248201527f4552433732313a20696e76616c696420746f6b656e204944000000000000000060448201526064016110ec565b611d826132db565b611d9d71721c310194ccfc01e523fc93c9cccfa2a0ac612722565b6040517fda0194c000000000000000000000000000000000000000000000000000000000815271721c310194ccfc01e523fc93c9cccfa2a0ac9063da0194c090611dee903090600190600401615e77565b600060405180830381600087803b158015611e0857600080fd5b505af1158015611e1c573d6000803e3d6000fd5b50506040517f2304aa020000000000000000000000000000000000000000000000000000000081523060048201526001602482015271721c310194ccfc01e523fc93c9cccfa2a0ac9250632304aa029150604401600060405180830381600087803b158015611e8a57600080fd5b505af11580156118f7573d6000803e3d6000fd5b6000808063ffffffff841115611ee0576040517f0b2530f200000000000000000000000000000000000000000000000000000000815260040160405180910390fd5b5050506000928352600b602090815260408085206001600160a01b0394909416855292815282842063ffffffff9283168552905291205460ff81169265010000000000820467ffffffffffffffff16926d010000000000000000000000000090920490911690565b60006001600160a01b038216611fc65760405162461bcd60e51b815260206004820152602960248201527f4552433732313a2061646472657373207a65726f206973206e6f74206120766160448201527f6c6964206f776e6572000000000000000000000000000000000000000000000060648201526084016110ec565b506001600160a01b03166000908152600f602052604090205490565b611fea6143da565b611ff46000614434565b565b611ffe6132db565b428111612037576040517faf3e22bd00000000000000000000000000000000000000000000000000000000815260040160405180910390fd5b601454760100000000000000000000000000000000000000000000900460ff161561209d57601554421015612098576040517fd705ba2f00000000000000000000000000000000000000000000000000000000815260040160405180910390fd5b6120df565b601480547fffffffffffffffffff00ffffffffffffffffffffffffffffffffffffffffffff167601000000000000000000000000000000000000000000001790555b60158190556040518181527ff05c67ac09cc489b8b8a4713b524acfbf22fca066ee972319956423eca41e81d90602001611b14565b61211c6132db565b612124614491565b42811161215d576040517faf3e22bd00000000000000000000000000000000000000000000000000000000815260040160405180910390fd5b60158190556040518181527f8ef44b9f15cd912828f8c65a0bc6364c6918b2128c541fa639a6b21f7fdb6b6b90602001611b14565b61219a6132db565b6019546121d3576040517f058eb39700000000000000000000000000000000000000000000000000000000815260040160405180910390fd5b8061220a576040517f910c15a700000000000000000000000000000000000000000000000000000000815260040160405180910390fd5b601a8190556040518181527f90004c04698bc3322499a575ed3752dd4abf33e0a7294c06a787a0fe01bea9419060200160405180910390a15060198054600019019055565b6122576132db565b6001600160a01b03811660009081526005602052604090205460ff16156122aa576040517fd8110a5800000000000000000000000000000000000000000000000000000000815260040160405180910390fd5b6040517f01ffc9a70000000000000000000000000000000000000000000000000000000081527f977e0c1c0000000000000000000000000000000000000000000000000000000060048201526001600160a01b038216906301ffc9a79060240160206040518083038186803b15801561232257600080fd5b505afa158015612336573d6000803e3d6000fd5b505050506040513d601f19601f8201168201806040525081019061235a9190615d90565b612390576040517fb50e580c00000000000000000000000000000000000000000000000000000000815260040160405180910390fd5b6004546fffffffffffffffffffffffffffffffff8111156123dd576040517f6daf72d300000000000000000000000000000000000000000000000000000000815260040160405180910390fd5b6001600160a01b03821660008181526005602090815260408083208054600170ffffffffffffffffffffffffffffffffff199091166101006fffffffffffffffffffffffffffffffff89160217811790915560048054808301825594527f8a35acfbc15ff81a39ae7d344fd709f28e8600b4aa8c65c6b64bfe7fe36bd19b909301805473ffffffffffffffffffffffffffffffffffffffff191685179055519182527fe152843d7324c2cb58e95865f2b78d38f2dab6ce9eadf09438ec2c41e78c705e91015b60405180910390a25050565b60008060006124bf868686611e9e565b5091509150816124d05760006124da565b6124da8142615c7f565b9695505050505050565b6124ec6132db565b80516124ff9060029060208401906153c5565b507f65ccd57f8a46e7a6cfc4d214d84094e8ba5561ab50fd328f26e4c44052ffeba081604051611b149190615575565b6000546001600160a01b03161515806125515750600054600160a01b900460ff165b15612588576040517f69fe088700000000000000000000000000000000000000000000000000000000815260040160405180910390fd5b61259181614434565b50565b61259c6132db565b601d54610100900460ff16156125de576040517ff5950a1500000000000000000000000000000000000000000000000000000000815260040160405180910390fd5b601d805461ff001916610100179055610d2d82826144cf565b606060138054610d4090615c2e565b61260e613419565b61261781613458565b60026007556126258161454f565b506001600755565b6014546000906201000090046001600160a01b03161561180457601454604051635caaa2a960e11b8152306004820152620100009091046001600160a01b031690639445f53090829063b95545529060240160606040518083038186803b15801561269757600080fd5b505afa1580156126ab573d6000803e3d6000fd5b505050506040513d601f19601f820116820180604052508101906126cf9190615d1e565b60409081015190516001600160e01b031960e084901b1681526effffffffffffffffffffffffffffff90911660048201526001600160a01b03851660248201526044016117b4565b610d2d338383614558565b61272a6132db565b60006001600160a01b0382163b156127d1576040517f01ffc9a7000000000000000000000000000000000000000000000000000000008152600060048201526001600160a01b038316906301ffc9a79060240160206040518083038186803b15801561279557600080fd5b505afa9250505080156127c5575060408051601f3d908101601f191682019092526127c291810190615d90565b60015b6127ce576127d1565b90505b6001600160a01b038216158015906127e7575080155b1561281e576040517f32483afb00000000000000000000000000000000000000000000000000000000815260040160405180910390fd5b601454604080516001600160a01b03620100009093048316815291841660208301527fcc5dc080ff977b3c3a211fa63ab74f90f658f5ba9d3236e92c8f59570f442aac910160405180910390a150601480546001600160a01b0390921662010000027fffffffffffffffffffff0000000000000000000000000000000000000000ffff909216919091179055565b6128b4613419565b6128bd81613458565b60026007819055506128e0838383604051806020016040528060008152506129f4565b5050600160075550565b600280546128f790615c2e565b80601f016020809104026020016040519081016040528092919081815260200182805461292390615c2e565b80156129705780601f1061294557610100808354040283529160200191612970565b820191906000526020600020905b81548152906001019060200180831161295357829003601f168201915b505050505081565b61298233836138e6565b6129f45760405162461bcd60e51b815260206004820152602d60248201527f4552433732313a2063616c6c6572206973206e6f7420746f6b656e206f776e6560448201527f72206f7220617070726f7665640000000000000000000000000000000000000060648201526084016110ec565b6118f78484848461461f565b60408051606081018252600080825260208201819052918101919091526014546201000090046001600160a01b031615612ab457601454604051635caaa2a960e11b8152306004820152620100009091046001600160a01b03169063b95545529060240160606040518083038186803b158015612a7c57600080fd5b505afa158015612a90573d6000803e3d6000fd5b505050506040513d601f19601f8201168201806040525081019061160f9190615d1e565b50604080516060810182526000808252602082018190529181019190915290565b612add6132db565b601454610100900460ff1615612b1f576040517fa2e0955800000000000000000000000000000000000000000000000000000000815260040160405180910390fd5b6014805461ff001916610100179055612591816146a8565b336001600160a01b038316811415612b7b576040517fc934974800000000000000000000000000000000000000000000000000000000815260040160405180910390fd5b6001600160a01b03818116600081815260096020908152604080832094881680845294825291829020805460ff191687151590811790915591519182527f83347dcc77580bb841ae3bac834b5b8ac5ccd2326276d265e638987eb6b2c05691015b60405180910390a3505050565b60006001612bf660165490565b61160f9190615c7f565b6000818152600e60205260409020546060906001600160a01b0316612c51576040517fad42156900000000000000000000000000000000000000000000000000000000815260040160405180910390fd5b6000612c5b6146bb565b90506000815111612c7b576040518060200160405280600081525061148a565b80612c85846146ca565b6002604051602001612c9993929190615e94565b6040516020818303038152906040529392505050565b6014546060906201000090046001600160a01b031615611a2757601454604051635caaa2a960e11b8152306004820152620100009091046001600160a01b0316906317e94a6c90829063b95545529060240160606040518083038186803b158015612d1957600080fd5b505afa158015612d2d573d6000803e3d6000fd5b505050506040513d601f19601f82011682018060405250810190612d519190615d1e565b60409081015190516001600160e01b031960e084901b1681526effffffffffffffffffffffffffffff90911660048201526024016119d3565b612d926132db565b60145460ff1615612dcf576040517fc7a92d9900000000000000000000000000000000000000000000000000000000815260040160405180910390fd5b6014805460ff19166001179055610d2d8282614774565b612dee614491565b601a5480612e28576040517fd8a88d9700000000000000000000000000000000000000000000000000000000815260040160405180910390fd5b336000908152601c602052604090205460ff1615612e72576040517fa2ae2f5600000000000000000000000000000000000000000000000000000000815260040160405180910390fd5b600084612e7d612be9565b612e879190615dad565b9050601b54851115612ec5576040517f6db5344e00000000000000000000000000000000000000000000000000000000815260040160405180910390fd5b612ece81613f8c565b612f6d848480806020026020016040519081016040528093929190818152602001838360200280828437600092019190915250869250612f10915061339a9050565b88604051602001612f5292919060609290921b7fffffffffffffffffffffffffffffffffffffffff000000000000000000000000168252601482015260340190565b6040516020818303038152906040528051906020012061479b565b612fa3576040517f7b52e59300000000000000000000000000000000000000000000000000000000815260040160405180910390fd5b336000818152601c60205260409020805460ff19166001179055601b80548790039055612fd09086613fd9565b50505050505050565b600180546128f790615c2e565b60048181548110612ff657600080fd5b6000918252602090912001546001600160a01b0316905081565b613018613419565b61302181613458565b60026007556128e083838361150d565b6130396132db565b601d5460ff1615613076576040517f4278252e00000000000000000000000000000000000000000000000000000000815260040160405180910390fd5b601d805460ff19166001179055610d2d82826147b1565b6130956132db565b61309e81613be3565b610d2d82826001613c80565b6130b26143da565b6001600160a01b0381166125885760405162461bcd60e51b815260206004820152602660248201527f4f776e61626c653a206e6577206f776e657220697320746865207a65726f206160448201527f646472657373000000000000000000000000000000000000000000000000000060648201526084016110ec565b6131366132db565b61313f84612722565b6040517fda0194c00000000000000000000000000000000000000000000000000000000081526001600160a01b0385169063da0194c0906131869030908790600401615e77565b600060405180830381600087803b1580156131a057600080fd5b505af11580156131b4573d6000803e3d6000fd5b50506040517f2304aa020000000000000000000000000000000000000000000000000000000081523060048201526effffffffffffffffffffffffffffff851660248201526001600160a01b0387169250632304aa029150604401600060405180830381600087803b15801561322957600080fd5b505af115801561323d573d6000803e3d6000fd5b50506040517f8d7443140000000000000000000000000000000000000000000000000000000081523060048201526effffffffffffffffffffffffffffff841660248201526001600160a01b0387169250638d7443149150604401611cdd565b60006001600160e01b031982167f2a55205a000000000000000000000000000000000000000000000000000000001480610d155750610d1582614835565b611ff46143da565b6132ed8282614873565b6040516bffffffffffffffffffffffff821681526001600160a01b038316907f8a8bae378cb731c5c40b632330c6836c2f916f48edb967699c86736f9a6a76ef906020016124a3565b6000818152600e60205260409020546001600160a01b03166125915760405162461bcd60e51b815260206004820152601860248201527f4552433732313a20696e76616c696420746f6b656e204944000000000000000060448201526064016110ec565b3390565b6000818152601060205260409020805473ffffffffffffffffffffffffffffffffffffffff19166001600160a01b03841690811790915581906133e082611d15565b6001600160a01b03167f8c5be1e5ebec7d5bd14f71427d1e84f3dd0314c0f7b2291e5b200ac8c7c3b92560405160405180910390a45050565b61342233610802565b611ff4576040517ff4b8028800000000000000000000000000000000000000000000000000000000815260040160405180910390fd5b61346a6134648261498d565b336109dd565b612591576040517fdb07237500000000000000000000000000000000000000000000000000000000815260040160405180910390fd5b60008060006134b0868686611e9e565b925092509250826134ed576040517f85fceded00000000000000000000000000000000000000000000000000000000815260040160405180910390fd5b6000868152600a602090815260408083206001600160a01b038916845290915281205485919061351f90600190615c7f565b90508083146136a6576000888152600a602090815260408083206001600160a01b038b168452909152902080548290811061355c5761355c615c96565b600091825260208083206008830401548b8452600a825260408085206001600160a01b038d1686529092529220805460079092166004026101000a90920463ffffffff169190859081106135b2576135b2615c96565b600091825260208083206008830401805460079093166004026101000a63ffffffff818102199094169590931692909202939093179055898152600b825260408082206001600160a01b038b168084529084528183208c8452600a855282842091845293528120805486939291908590811061363057613630615c96565b6000918252602080832060088304015460079092166004026101000a90910463ffffffff9081168452908301939093526040909101902080547fffffffffffffffffffffffffffffff00000000ffffffffffffffffffffffffff166d010000000000000000000000000093909216929092021790555b6000888152600a602090815260408083206001600160a01b038b16845290915290208054806136d7576136d7615cac565b60008281526020808220600860001990940193840401805463ffffffff600460078716026101000a810219909116909155929093558a8152600b835260408082206001600160a01b038c16835284528082209286168252919092528120805470ffffffffffffffffffffffffffffffffff191690556137558961498d565b9050876001600160a01b0316816001600160a01b03168a7f1171d71105bda3fa01f863317a96e01684416ccb1e5416de7c09510bdfbe6aee8a6000806040516137b39392919092835290151560208301521515604082015260600190565b60405180910390a4876001600160a01b03166392b612946040518163ffffffff1660e01b815260040160206040518083038186803b1580156137f457600080fd5b505afa158015613808573d6000803e3d6000fd5b505050506040513d601f19601f8201168201806040525081019061382c9190615d90565b15613852576000898152600860205260408120805490919061384d90615f58565b909155505b6040517f6d4229c90000000000000000000000000000000000000000000000000000000081526001600160a01b038281166004830152602482018b90526044820189905260648201879052891690636d4229c990608401600060405180830381600087803b1580156138c357600080fd5b505af11580156138d7573d6000803e3d6000fd5b50505050505050505050505050565b6000806138f283611d15565b9050806001600160a01b0316846001600160a01b0316148061393957506001600160a01b0380821660009081526011602090815260408083209388168352929052205460ff165b8061395d5750836001600160a01b031661395284611034565b6001600160a01b0316145b949350505050565b826001600160a01b031661397882611d15565b6001600160a01b0316146139f45760405162461bcd60e51b815260206004820152602560248201527f4552433732313a207472616e736665722066726f6d20696e636f72726563742060448201527f6f776e657200000000000000000000000000000000000000000000000000000060648201526084016110ec565b6001600160a01b038216613a6f5760405162461bcd60e51b8152602060048201526024808201527f4552433732313a207472616e7366657220746f20746865207a65726f2061646460448201527f726573730000000000000000000000000000000000000000000000000000000060648201526084016110ec565b613a7c8383836001614998565b826001600160a01b0316613a8f82611d15565b6001600160a01b031614613b0b5760405162461bcd60e51b815260206004820152602560248201527f4552433732313a207472616e736665722066726f6d20696e636f72726563742060448201527f6f776e657200000000000000000000000000000000000000000000000000000060648201526084016110ec565b6000818152601060209081526040808320805473ffffffffffffffffffffffffffffffffffffffff199081169091556001600160a01b03878116808652600f8552838620805460001901905590871680865283862080546001019055868652600e90945282852080549092168417909155905184937fddf252ad1be2c89b69c2b068fc378daa952ba7f163c4a11628f55a4df523b3ef91a461118d8383836001614a1d565b601454600090760100000000000000000000000000000000000000000000900460ff16801561160f575050601554421090565b6001600160a01b03811660009081526005602052604090205460ff1615612591576040517fb6708d9a00000000000000000000000000000000000000000000000000000000815260040160405180910390fd5b33613c408261498d565b6001600160a01b031614612591576040517fb1160e7100000000000000000000000000000000000000000000000000000000815260040160405180910390fd5b6000613c8b8461498d565b6000858152600a602090815260408083206001600160a01b038816845290915281205491925050836001600160a01b03166392b612946040518163ffffffff1660e01b815260040160206040518083038186803b158015613ceb57600080fd5b505afa158015613cff573d6000803e3d6000fd5b505050506040513d601f19601f82011682018060405250810190613d239190615d90565b15613d4c5760008581526008602052604081208054839290613d46908490615c7f565b90915550505b60005b81811015613f59576000868152600a602090815260408083206001600160a01b03891684529091528120805483908110613d8b57613d8b615c96565b600091825260208083206008830401548a8452600b825260408085206001600160a01b038c8116808852918552828720600790961660040261010090810a90940463ffffffff9081168089529686528388208451608081018652905460ff81161515825295860482168188015265010000000000860467ffffffffffffffff168186018190526d01000000000000000000000000009096049091166060808301919091528451888152968701989098528c151593860193909352949650909491939092908916918c917f1171d71105bda3fa01f863317a96e01684416ccb1e5416de7c09510bdfbe6aee910160405180910390a46000898152600b602090815260408083206001600160a01b038c811680865291845282852063ffffffff8916808752945293829020805470ffffffffffffffffffffffffffffffffff1916905590517f6d4229c90000000000000000000000000000000000000000000000000000000081529289166004840152602483018c905260448301919091526064820183905290636d4229c990608401600060405180830381600087803b158015613f3357600080fd5b505af1158015613f47573d6000803e3d6000fd5b50505050836001019350505050613d4f565b506000858152600a602090815260408083206001600160a01b03881684529091528120613f8591615449565b5050505050565b6000613f9760175490565b90508015610d2d5780821115610d2d576040517fb0cc5ac200000000000000000000000000000000000000000000000000000000815260040160405180910390fd5b60008082614013576040517f63b2594700000000000000000000000000000000000000000000000000000000815260040160405180910390fd5b50506016548181016000190161402883614a44565b60005b838110156140475761403f85828501614a5e565b60010161402b565b509250929050565b600061405c848484611e9e565b505090508015614098576040517fbf2bc3b400000000000000000000000000000000000000000000000000000000815260040160405180910390fd5b6000848152600a602090815260408083206001600160a01b038716845290915290205460065481106140f6576040517f026a381300000000000000000000000000000000000000000000000000000000815260040160405180910390fd5b6000858152600a602090815260408083206001600160a01b03881680855290835281842080546001808201835591865284862060088204018054600790921660040261010090810a63ffffffff818102199094168c8516918202179092558c8852600b875285882094885293865284872081885290955292852080547fffffffffffffffffffffffffffffffffffffff0000000000000000ffffffff0016650100000000004267ffffffffffffffff1602179091177fffffffffffffffffffffffffffffff00000000ffffffffffffffff00000000ff16919093027fffffffffffffffffffffffffffffff00000000ffffffffffffffffffffffffff16176d01000000000000000000000000009185169190910217905583906142188761498d565b604080518781526001602082015260008183015290519192506001600160a01b0388811692908416918a917f1171d71105bda3fa01f863317a96e01684416ccb1e5416de7c09510bdfbe6aee9181900360600190a4856001600160a01b03166392b612946040518163ffffffff1660e01b815260040160206040518083038186803b1580156142a657600080fd5b505afa1580156142ba573d6000803e3d6000fd5b505050506040513d601f19601f820116820180604052508101906142de9190615d90565b156142f9576000878152600860205260409020805460010190555b6040517f688a37410000000000000000000000000000000000000000000000000000000081526001600160a01b038281166004830152602482018990526044820187905287169063688a374190606401600060405180830381600087803b15801561436357600080fd5b505af1158015614377573d6000803e3d6000fd5b5050505050505050505050565b61438f838383614a68565b6040516bffffffffffffffffffffffff821681526001600160a01b0383169084907f7f5b076c952c0ec86e5425963c1326dd0f03a3595c19f81d765e8ff559a6e33c90602001612bdc565b6000546001600160a01b03163314611ff45760405162461bcd60e51b815260206004820181905260248201527f4f776e61626c653a2063616c6c6572206973206e6f7420746865206f776e657260448201526064016110ec565b600080546001600160a01b0383811673ffffffffffffffffffffffffffffffffffffffff19831681178455604051919092169283917f8be0079c531659141344cd1fd0a4f28419497f9722a3daafe3b4186f6b6457e09190a35050565b614499613bb0565b611ff4576040517f07dd009200000000000000000000000000000000000000000000000000000000815260040160405180910390fd5b81614506576040517f2eff76af00000000000000000000000000000000000000000000000000000000815260040160405180910390fd5b8061453d576040517f1e993e6c00000000000000000000000000000000000000000000000000000000815260040160405180910390fd5b601b8290556019819055610d2d614b93565b61259181614ba1565b816001600160a01b0316836001600160a01b031614156145ba5760405162461bcd60e51b815260206004820152601960248201527f4552433732313a20617070726f766520746f2063616c6c65720000000000000060448201526064016110ec565b6001600160a01b03838116600081815260116020908152604080832094871680845294825291829020805460ff191686151590811790915591519182527f17307eab39ab6107e8899845ad3d59bd9653f200f220920489ca2b5937696c319101612bdc565b61462a848484613965565b61463684848484614c5b565b6118f75760405162461bcd60e51b815260206004820152603260248201527f4552433732313a207472616e7366657220746f206e6f6e20455243373231526560448201527f63656976657220696d706c656d656e746572000000000000000000000000000060648201526084016110ec565b6146b181614df0565b6006556001600755565b606060018054610d4090615c2e565b606060006146d783614e62565b600101905060008167ffffffffffffffff8111156146f7576146f76157b1565b6040519080825280601f01601f191660200182016040528015614721576020820181803683370190505b5090508181016020015b600019017f3031323334353637383961626364656600000000000000000000000000000000600a86061a8153600a85049450846147675761476c565b61472b565b509392505050565b81516147879060129060208501906153c5565b50805161118d9060139060208401906153c5565b6000826147a88584614f44565b14949350505050565b6000198214156147ed576040517f1fa8dcce00000000000000000000000000000000000000000000000000000000815260040160405180910390fd5b601782905560188190556147ff614b93565b60408051838152602081018390527fdc589a019ee1db2e96132d94ab25ea6587a689283849d4dca055d8742bcdf97091016115f9565b60006001600160e01b031982167f86455d28000000000000000000000000000000000000000000000000000000001480610d155750610d1582614f89565b6127106bffffffffffffffffffffffff821611156148f95760405162461bcd60e51b815260206004820152602a60248201527f455243323938313a20726f79616c7479206665652077696c6c2065786365656460448201527f2073616c6550726963650000000000000000000000000000000000000000000060648201526084016110ec565b6001600160a01b03821661494f5760405162461bcd60e51b815260206004820152601960248201527f455243323938313a20696e76616c69642072656365697665720000000000000060448201526064016110ec565b604080518082019091526001600160a01b039092168083526bffffffffffffffffffffffff9091166020909201829052600160a01b90910217601e55565b6000610d1582611d15565b6000805b82811015614a15576149ae8185615dad565b600081815260086020526040902054909250156149f7576040517fe49dac6100000000000000000000000000000000000000000000000000000000815260040160405180910390fd5b60016007541415614a0d57614a0d868684614fc7565b60010161499c565b505050505050565b60005b81811015613f8557614a3c8585614a378487615dad565b61503c565b600101614a20565b8060166000828254614a569190615dad565b909155505050565b610d2d82826150a3565b6127106bffffffffffffffffffffffff82161115614aee5760405162461bcd60e51b815260206004820152602a60248201527f455243323938313a20726f79616c7479206665652077696c6c2065786365656460448201527f2073616c6550726963650000000000000000000000000000000000000000000060648201526084016110ec565b6001600160a01b038216614b445760405162461bcd60e51b815260206004820152601b60248201527f455243323938313a20496e76616c696420706172616d6574657273000000000060448201526064016110ec565b6040805180820182526001600160a01b0393841681526bffffffffffffffffffffffff92831660208083019182526000968752601f90529190942093519051909116600160a01b029116179055565b601654611ff4576001601655565b6000614bac82611d15565b9050614bbc816000846001614998565b614bc582611d15565b6000838152601060209081526040808320805473ffffffffffffffffffffffffffffffffffffffff199081169091556001600160a01b038516808552600f84528285208054600019019055878552600e909352818420805490911690555192935084927fddf252ad1be2c89b69c2b068fc378daa952ba7f163c4a11628f55a4df523b3ef908390a4610d2d816000846001614a1d565b60006001600160a01b0384163b15614de5576040517f150b7a020000000000000000000000000000000000000000000000000000000081526001600160a01b0385169063150b7a0290614cb8903390899088908890600401615f6f565b602060405180830381600087803b158015614cd257600080fd5b505af1925050508015614d02575060408051601f3d908101601f19168201909252614cff91810190615fa1565b60015b614db2573d808015614d30576040519150601f19603f3d011682016040523d82523d6000602084013e614d35565b606091505b508051614daa5760405162461bcd60e51b815260206004820152603260248201527f4552433732313a207472616e7366657220746f206e6f6e20455243373231526560448201527f63656976657220696d706c656d656e746572000000000000000000000000000060648201526084016110ec565b805181602001fd5b6001600160e01b0319167f150b7a020000000000000000000000000000000000000000000000000000000014905061395d565b506001949350505050565b80614e27576040517fed21f5e500000000000000000000000000000000000000000000000000000000815260040160405180910390fd5b6064811115612591576040517fdbb0ece300000000000000000000000000000000000000000000000000000000815260040160405180910390fd5b6000807a184f03e93ff9f4daa797ed6e38ed64bf6a1f0100000000000000008310614eab577a184f03e93ff9f4daa797ed6e38ed64bf6a1f010000000000000000830492506040015b6d04ee2d6d415b85acef81000000008310614ed7576d04ee2d6d415b85acef8100000000830492506020015b662386f26fc100008310614ef557662386f26fc10000830492506010015b6305f5e1008310614f0d576305f5e100830492506008015b6127108310614f2157612710830492506004015b60648310614f33576064830492506002015b600a8310610d155760010192915050565b600081815b845181101561476c57614f7582868381518110614f6857614f68615c96565b6020026020010151615253565b915080614f8181615cc2565b915050614f49565b60006001600160e01b031982167ff9f7ab41000000000000000000000000000000000000000000000000000000001480610d155750610d158261527f565b6001600160a01b038381161590831615818015614fe15750805b15615018576040517f5cbd944100000000000000000000000000000000000000000000000000000000815260040160405180910390fd5b8115615024575b613f85565b801561502f5761501f565b613f85338686863461531a565b6001600160a01b0383811615908316158180156150565750805b1561508d576040517f5cbd944100000000000000000000000000000000000000000000000000000000815260040160405180910390fd5b81156150985761501f565b801561501f5761501f565b6001600160a01b0382166150f95760405162461bcd60e51b815260206004820181905260248201527f4552433732313a206d696e7420746f20746865207a65726f206164647265737360448201526064016110ec565b6000818152600e60205260409020546001600160a01b03161561515e5760405162461bcd60e51b815260206004820152601c60248201527f4552433732313a20746f6b656e20616c7265616479206d696e7465640000000060448201526064016110ec565b61516c600083836001614998565b6000818152600e60205260409020546001600160a01b0316156151d15760405162461bcd60e51b815260206004820152601c60248201527f4552433732313a20746f6b656e20616c7265616479206d696e7465640000000060448201526064016110ec565b6001600160a01b0382166000818152600f6020908152604080832080546001019055848352600e909152808220805473ffffffffffffffffffffffffffffffffffffffff19168417905551839291907fddf252ad1be2c89b69c2b068fc378daa952ba7f163c4a11628f55a4df523b3ef908290a4610d2d600083836001614a1d565b600081831061526f57600082815260208490526040902061148a565b5060009182526020526040902090565b60006001600160e01b031982167f80ac58cd0000000000000000000000000000000000000000000000000000000014806152e257506001600160e01b031982167f5b5e139f00000000000000000000000000000000000000000000000000000000145b80610d1557507f01ffc9a7000000000000000000000000000000000000000000000000000000006001600160e01b0319831614610d15565b6014546201000090046001600160a01b031615613f85576014546040517f285fb8c80000000000000000000000000000000000000000000000000000000081526001600160a01b03878116600483015286811660248301528581166044830152620100009092049091169063285fb8c89060640160006040518083038186803b1580156153a657600080fd5b505afa1580156153ba573d6000803e3d6000fd5b505050505050505050565b8280546153d190615c2e565b90600052602060002090601f0160209004810192826153f35760008555615439565b82601f1061540c57805160ff1916838001178555615439565b82800160010185558215615439579182015b8281111561543957825182559160200191906001019061541e565b5061544592915061546a565b5090565b50805460008255600701600890049060005260206000209081019061259191905b5b80821115615445576000815560010161546b565b6001600160e01b03198116811461259157600080fd5b6000602082840312156154a757600080fd5b813561148a8161547f565b6001600160a01b038116811461259157600080fd5b80356bffffffffffffffffffffffff811681146154e357600080fd5b919050565b600080604083850312156154fb57600080fd5b8235615506816154b2565b9150615514602084016154c7565b90509250929050565b60005b83811015615538578181015183820152602001615520565b838111156118f75750506000910152565b6000815180845261556181602086016020860161551d565b601f01601f19169290920160200192915050565b60208152600061148a6020830184615549565b60006020828403121561559a57600080fd5b813561148a816154b2565b6000602082840312156155b757600080fd5b5035919050565b600080604083850312156155d157600080fd5b82356155dc816154b2565b946020939093013593505050565b600080604083850312156155fd57600080fd5b82359150602083013561560f816154b2565b809150509250929050565b602080825282518282018190526000919060409081850190868401855b828110156156865781518051151585528681015163ffffffff908116888701528682015167ffffffffffffffff1687870152606091820151169085015260809093019290850190600101615637565b5091979650505050505050565b6000806000606084860312156156a857600080fd5b8335925060208401356156ba816154b2565b9150604084013563ffffffff811681146156d357600080fd5b809150509250925092565b600080604083850312156156f157600080fd5b50508035926020909101359150565b60008060006060848603121561571557600080fd5b8335615720816154b2565b92506020840135615730816154b2565b915060408401356156d3816154b2565b6007811061575e57634e487b7160e01b600052602160045260246000fd5b9052565b60208101610d158284615740565b60008060006060848603121561578557600080fd5b8335615790816154b2565b925060208401356157a0816154b2565b929592945050506040919091013590565b634e487b7160e01b600052604160045260246000fd5b604051601f8201601f1916810167ffffffffffffffff811182821017156157f0576157f06157b1565b604052919050565b600067ffffffffffffffff831115615812576158126157b1565b6158256020601f19601f860116016157c7565b905082815283838301111561583957600080fd5b828260208301376000602084830101529392505050565b600082601f83011261586157600080fd5b61148a838335602085016157f8565b6000806040838503121561588357600080fd5b823567ffffffffffffffff8082111561589b57600080fd5b6158a786838701615850565b935060208501359150808211156158bd57600080fd5b506158ca85828601615850565b9150509250929050565b6020808252825182820181905260009190848201906040850190845b818110156159155783516001600160a01b0316835292840192918401916001016158f0565b50909695505050505050565b60008060006060848603121561593657600080fd5b8335925060208401356157a0816154b2565b60006020828403121561595a57600080fd5b813567ffffffffffffffff81111561597157600080fd5b61395d84828501615850565b60008060006060848603121561599257600080fd5b8335925060208401356159a4816154b2565b91506159b2604085016154c7565b90509250925092565b6007811061259157600080fd5b6effffffffffffffffffffffffffffff8116811461259157600080fd5b6000806000606084860312156159fa57600080fd5b8335615a05816159bb565b92506020840135615a15816159c8565b915060408401356156d3816159c8565b60008060408385031215615a3857600080fd5b8235615a43816154b2565b9150602083013561560f816154b2565b801515811461259157600080fd5b60008060408385031215615a7457600080fd5b8235615a7f816154b2565b9150602083013561560f81615a53565b60008060008060808587031215615aa557600080fd5b8435615ab0816154b2565b93506020850135615ac0816154b2565b925060408501359150606085013567ffffffffffffffff811115615ae357600080fd5b8501601f81018713615af457600080fd5b615b03878235602084016157f8565b91505092959194509250565b6000606082019050615b22828451615740565b60208301516effffffffffffffffffffffffffffff8082166020850152806040860151166040850152505092915050565b600080600060408486031215615b6857600080fd5b83359250602084013567ffffffffffffffff80821115615b8757600080fd5b818601915086601f830112615b9b57600080fd5b813581811115615baa57600080fd5b8760208260051b8501011115615bbf57600080fd5b6020830194508093505050509250925092565b60008060008060808587031215615be857600080fd5b8435615bf3816154b2565b93506020850135615c03816159bb565b92506040850135615c13816159c8565b91506060850135615c23816159c8565b939692955090935050565b600181811c90821680615c4257607f821691505b60208210811415615c6357634e487b7160e01b600052602260045260246000fd5b50919050565b634e487b7160e01b600052601160045260246000fd5b600082821015615c9157615c91615c69565b500390565b634e487b7160e01b600052603260045260246000fd5b634e487b7160e01b600052603160045260246000fd5b6000600019821415615cd657615cd6615c69565b5060010190565b6000816000190483118215151615615cf757615cf7615c69565b500290565b600082615d1957634e487b7160e01b600052601260045260246000fd5b500490565b600060608284031215615d3057600080fd5b6040516060810181811067ffffffffffffffff82111715615d5357615d536157b1565b6040528251615d61816159bb565b81526020830151615d71816159c8565b60208201526040830151615d84816159c8565b60408201529392505050565b600060208284031215615da257600080fd5b815161148a81615a53565b60008219821115615dc057615dc0615c69565b500190565b60006020808385031215615dd857600080fd5b825167ffffffffffffffff80821115615df057600080fd5b818501915085601f830112615e0457600080fd5b815181811115615e1657615e166157b1565b8060051b9150615e278483016157c7565b8181529183018401918481019088841115615e4157600080fd5b938501935b83851015615e6b5784519250615e5b836154b2565b8282529385019390850190615e46565b98975050505050505050565b6001600160a01b03831681526040810161148a6020830184615740565b600084516020615ea78285838a0161551d565b855191840191615eba8184848a0161551d565b8554920191600090600181811c9080831680615ed757607f831692505b858310811415615ef557634e487b7160e01b85526022600452602485fd5b808015615f095760018114615f1a57615f47565b60ff19851688528388019550615f47565b60008b81526020902060005b85811015615f3f5781548a820152908401908801615f26565b505083880195505b50939b9a5050505050505050505050565b600081615f6757615f67615c69565b506000190190565b60006001600160a01b038087168352808616602084015250836040830152608060608301526124da6080830184615549565b600060208284031215615fb357600080fd5b815161148a8161547f56fea2646970667358221220ac405cd404120da7005b2f1257dfdbab03d13438f934374fbc6a51664cf4611264736f6c63430008090033

Deployed Bytecode

0x608060405234801561001057600080fd5b50600436106105805760003560e01c8063772bcfb9116102d7578063b3bcea4811610186578063d2cab056116100e3578063e985e9c511610097578063f1e923c51161007c578063f1e923c514610cd1578063f2fde38b14610ce4578063fd762d9214610cf757600080fd5b8063e985e9c514610c82578063ee16edb714610cbe57600080fd5b8063d5abeb01116100c8578063d5abeb0114610c54578063e2989f4c14610c5c578063e370ab4614610c6f57600080fd5b8063d2cab05614610c39578063d547cfb714610c4c57600080fd5b8063c1bd8cf91161013a578063caa0f92a1161011f578063caa0f92a14610c16578063d007af5c14610c1e578063d147c97a14610c2657600080fd5b8063c1bd8cf914610bfb578063c87b56dd14610c0357600080fd5b8063be537f431161016b578063be537f4314610bc0578063be5bd92214610bd5578063c05e2f4414610be857600080fd5b8063b3bcea4814610ba5578063b88d4fde14610bad57600080fd5b80638f50d0a8116102345780639d645a44116101e8578063a9fc664e116101cd578063a9fc664e14610b1b578063aa6cab5a14610b2e578063aca139f714610b9257600080fd5b80639d645a4414610af5578063a22cb46514610b0857600080fd5b806395d89b411161021957806395d89b4114610ad2578063970f9fc814610ada5780639bc17ea414610ae257600080fd5b80638f50d0a814610a895780639162371814610a9c57600080fd5b80638521b8e31161028b5780638be18e57116102705780638be18e5714610a525780638c5f36bb14610a655780638da5cb5b14610a7857600080fd5b80638521b8e314610a1e578063869f911014610a4a57600080fd5b80637e10b35b116102bc5780637e10b35b146109bc5780637f1a5ce1146109cf578063816a150114610a0b57600080fd5b8063772bcfb9146109965780637cb64759146109a957600080fd5b80632ebb386a1161043357806355f804b3116103905780636c3b86991161034457806370a082311161032957806370a0823114610968578063715018a61461097b57806372be0d8b1461098357600080fd5b80636c3b869914610930578063703fa9291461093857600080fd5b80635d4c1d46116103755780635d4c1d46146108e2578063613471621461090a5780636352211e1461091d57600080fd5b806355f804b3146108bc5780635944c753146108cf57600080fd5b806349590657116103e75780634e02c078116103cc5780634e02c0781461086e57806351dadc281461088157806353401df9146108a957600080fd5b80634959065714610851578063495c8bf91461085957600080fd5b806333b3a8071161041857806333b3a8071461082057806342842e0e1461082b578063484b973c1461083e57600080fd5b80632ebb386a146107e1578063301be740146107f457600080fd5b806311ad4081116104e1578063247946c91161049557806329758bd41161047a57806329758bd4146107945780632a55205a1461079c5780632e8da829146107ce57600080fd5b8063247946c91461077957806324933ba61461078c57600080fd5b80631c33b328116104c65780631c33b3281461073f578063222f320f1461075457806323b872dd1461076657600080fd5b806311ad4081146107195780631b25b0771461072c57600080fd5b8063081812fc11610538578063098144d41161051d578063098144d4146106415780630f3d911c14610658578063113405571461067857600080fd5b8063081812fc1461061b578063095ea7b31461062e57600080fd5b806304634d8d1161056957806304634d8d146105de57806306fdde03146105f3578063070cba171461060857600080fd5b8063014635461461058557806301ffc9a7146105bb575b600080fd5b61059e71721c310194ccfc01e523fc93c9cccfa2a0ac81565b6040516001600160a01b0390911681526020015b60405180910390f35b6105ce6105c9366004615495565b610d0a565b60405190151581526020016105b2565b6105f16105ec3660046154e8565b610d1b565b005b6105fb610d31565b6040516105b29190615575565b6105f1610616366004615588565b610dc3565b61059e6106293660046155a5565b611034565b6105f161063c3660046155be565b61105b565b6014546201000090046001600160a01b031661059e565b61066b6106663660046155ea565b611192565b6040516105b2919061561a565b6106e2610686366004615693565b600b60209081526000938452604080852082529284528284209052825290205460ff81169063ffffffff610100820481169167ffffffffffffffff65010000000000820416916d01000000000000000000000000009091041684565b60408051941515855263ffffffff938416602086015267ffffffffffffffff909216918401919091521660608201526080016105b2565b6105f16107273660046156de565b6113b6565b6105ce61073a366004615700565b6113d2565b610747600181565b6040516105b29190615762565b601b545b6040519081526020016105b2565b6105f1610774366004615770565b611491565b6105f1610787366004615870565b611518565b6105ce611605565b601854610758565b6107af6107aa3660046156de565b611614565b604080516001600160a01b0390931683526020830191909152016105b2565b6105ce6107dc366004615588565b6116cf565b6105f16107ef3660046155ea565b61180c565b6105ce610802366004615588565b6001600160a01b031660009081526005602052604090205460ff1690565b601d5460ff166105ce565b6105f1610839366004615770565b61182a565b6105f161084c3660046155be565b611845565b601a54610758565b6108616118fd565b6040516105b291906158d4565b6105f161087c366004615921565b611a3a565b61089461088f366004615921565b611a57565b60405163ffffffff90911681526020016105b2565b6105f16108b73660046156de565b611aad565b6105f16108ca366004615948565b611ac9565b6105f16108dd36600461597d565b611b1f565b6108ea600181565b6040516effffffffffffffffffffffffffffff90911681526020016105b2565b6105f16109183660046159e5565b611b32565b61059e61092b3660046155a5565b611d15565b6105f1611d7a565b61094b610946366004615921565b611e9e565b6040805193151584526020840192909252908201526060016105b2565b610758610976366004615588565b611f48565b6105f1611fe2565b6105f16109913660046155a5565b611ff6565b6105f16109a43660046155a5565b612114565b6105f16109b73660046155a5565b612192565b6105f16109ca366004615588565b61224f565b6105ce6109dd366004615a25565b6001600160a01b03918216600090815260096020908152604080832093909416825291909152205460ff1690565b610758610a19366004615921565b6124af565b6105ce610a2c366004615588565b6001600160a01b03166000908152601c602052604090205460ff1690565b600654610758565b6105f1610a60366004615948565b6124e4565b6105f1610a73366004615588565b61252f565b6000546001600160a01b031661059e565b6105f1610a973660046156de565b612594565b610758610aaa3660046155ea565b6000918252600a602090815260408084206001600160a01b0393909316845291905290205490565b6105fb6125f7565b601554610758565b6105f1610af03660046155a5565b612606565b6105ce610b03366004615588565b61262d565b6105f1610b16366004615a61565b612717565b6105f1610b29366004615588565b612722565b610b6a610b3c366004615588565b60056020526000908152604090205460ff81169061010090046fffffffffffffffffffffffffffffffff1682565b6040805192151583526fffffffffffffffffffffffffffffffff9091166020830152016105b2565b6105f1610ba0366004615770565b6128ac565b6105fb6128ea565b6105f1610bbb366004615a8f565b612978565b610bc8612a00565b6040516105b29190615b0f565b6105f1610be33660046155a5565b612ad5565b6105f1610bf6366004615a61565b612b37565b610758612be9565b6105fb610c113660046155a5565b612c00565b601654610758565b610861612caf565b6105f1610c34366004615870565b612d8a565b6105f1610c47366004615b53565b612de6565b6105fb612fd9565b601754610758565b61059e610c6a3660046155a5565b612fe6565b6105f1610c7d366004615770565b613010565b6105ce610c90366004615a25565b6001600160a01b03918216600090815260116020908152604080832093909416825291909152205460ff1690565b6105f1610ccc3660046156de565b613031565b6105f1610cdf3660046155ea565b61308d565b6105f1610cf2366004615588565b6130aa565b6105f1610d05366004615bd2565b61312e565b6000610d158261329d565b92915050565b610d236132db565b610d2d82826132e3565b5050565b606060128054610d4090615c2e565b80601f0160208091040260200160405190810160405280929190818152602001828054610d6c90615c2e565b8015610db95780601f10610d8e57610100808354040283529160200191610db9565b820191906000526020600020905b815481529060010190602001808311610d9c57829003601f168201915b5050505050905090565b610dcb6132db565b6001600160a01b03811660009081526005602052604090205460ff16610e1d576040517f385f0cec00000000000000000000000000000000000000000000000000000000815260040160405180910390fd5b6001600160a01b0381166000908152600560205260408120546004546101009091046fffffffffffffffffffffffffffffffff169190610e5f90600190615c7f565b905080826fffffffffffffffffffffffffffffffff1614610f8d5760048181548110610e8d57610e8d615c96565b600091825260209091200154600480546001600160a01b03909216916fffffffffffffffffffffffffffffffff8516908110610ecb57610ecb615c96565b9060005260206000200160006101000a8154816001600160a01b0302191690836001600160a01b0316021790555081600560006004856fffffffffffffffffffffffffffffffff1681548110610f2357610f23615c96565b60009182526020808320909101546001600160a01b03168352820192909252604001902080546fffffffffffffffffffffffffffffffff92909216610100027fffffffffffffffffffffffffffffff00000000000000000000000000000000ff9092169190911790555b6004805480610f9e57610f9e615cac565b600082815260208082206000199084018101805473ffffffffffffffffffffffffffffffffffffffff191690559092019092556001600160a01b038516808352600582526040808420805470ffffffffffffffffffffffffffffffffff1916905551928352917fe152843d7324c2cb58e95865f2b78d38f2dab6ce9eadf09438ec2c41e78c705e910160405180910390a2505050565b600061103f82613336565b506000908152601060205260409020546001600160a01b031690565b600061106682611d15565b9050806001600160a01b0316836001600160a01b031614156110f55760405162461bcd60e51b815260206004820152602160248201527f4552433732313a20617070726f76616c20746f2063757272656e74206f776e6560448201527f720000000000000000000000000000000000000000000000000000000000000060648201526084015b60405180910390fd5b336001600160a01b038216148061111157506111118133610c90565b6111835760405162461bcd60e51b815260206004820152603d60248201527f4552433732313a20617070726f76652063616c6c6572206973206e6f7420746f60448201527f6b656e206f776e6572206f7220617070726f76656420666f7220616c6c00000060648201526084016110ec565b61118d838361339e565b505050565b6000828152600a602090815260408083206001600160a01b03851684529091529020546060908067ffffffffffffffff8111156111d1576111d16157b1565b60405190808252806020026020018201604052801561122357816020015b6040805160808101825260008082526020808301829052928201819052606082015282526000199092019101816111ef5790505b506000858152600a602090815260408083206001600160a01b03881684528252808320805482518185028101850190935280835294965092939092918301828280156112ba57602002820191906000526020600020906000905b82829054906101000a900463ffffffff1663ffffffff168152602001906004019060208260030104928301926001038202915080841161127d5790505b5050505050905060005b828110156113ad576000868152600b602090815260408083206001600160a01b03891684529091528120835190919084908490811061130557611305615c96565b60209081029190910181015163ffffffff90811683528282019390935260409182016000208251608081018452905460ff811615158252610100810485169282019290925267ffffffffffffffff65010000000000830416928101929092526d010000000000000000000000000090049091166060820152845185908390811061139157611391615c96565b6020026020010181905250806113a690615cc2565b90506112c4565b50505092915050565b6113be613419565b6113c782613458565b610d2d8233836134a0565b6014546000906201000090046001600160a01b031615611486576014546040517f285fb8c80000000000000000000000000000000000000000000000000000000081526001600160a01b03868116600483015285811660248301528481166044830152620100009092049091169063285fb8c89060640160006040518083038186803b15801561146157600080fd5b505afa925050508015611472575060015b61147e5750600061148a565b50600161148a565b5060015b9392505050565b61149b33826138e6565b61150d5760405162461bcd60e51b815260206004820152602d60248201527f4552433732313a2063616c6c6572206973206e6f7420746f6b656e206f776e6560448201527f72206f7220617070726f7665640000000000000000000000000000000000000060648201526084016110ec565b61118d838383613965565b6115206132db565b60035460ff161561155d576040517f2be189cd00000000000000000000000000000000000000000000000000000000815260040160405180910390fd5b6003805460ff19166001908117909155825161157e919060208501906153c5565b507ff9c7803e94e0d3c02900d8a90893a6d5e90dd04d32a4cfe825520f82bf9f32f6826040516115ae9190615575565b60405180910390a180516115c99060029060208401906153c5565b507f65ccd57f8a46e7a6cfc4d214d84094e8ba5561ab50fd328f26e4c44052ffeba0816040516115f99190615575565b60405180910390a15050565b600061160f613bb0565b905090565b6000828152601f602090815260408083208151808301909252546001600160a01b038116808352600160a01b9091046bffffffffffffffffffffffff16928201929092528291611693575060408051808201909152601e546001600160a01b0381168252600160a01b90046bffffffffffffffffffffffff1660208201525b6020810151600090612710906116b7906bffffffffffffffffffffffff1687615cdd565b6116c19190615cfc565b915196919550909350505050565b6014546000906201000090046001600160a01b03161561180457601454604051635caaa2a960e11b8152306004820152620100009091046001600160a01b03169063d72dde5e90829063b95545529060240160606040518083038186803b15801561173957600080fd5b505afa15801561174d573d6000803e3d6000fd5b505050506040513d601f19601f820116820180604052508101906117719190615d1e565b602001516040516001600160e01b031960e084901b1681526effffffffffffffffffffffffffffff90911660048201526001600160a01b03851660248201526044015b60206040518083038186803b1580156117cc57600080fd5b505afa1580156117e0573d6000803e3d6000fd5b505050506040513d601f19601f82011682018060405250810190610d159190615d90565b506000919050565b61181581613be3565b61181e82613c36565b610d2d82826000613c80565b61118d83838360405180602001604052806000815250612978565b61184d6132db565b6001600160a01b03821661188d576040517f28e90faa00000000000000000000000000000000000000000000000000000000815260040160405180910390fd5b6018548111156118c9576040517f081a4b7f00000000000000000000000000000000000000000000000000000000815260040160405180910390fd5b6118e4816118d5612be9565b6118df9190615dad565b613f8c565b6018805482900390556118f78282613fd9565b50505050565b6014546060906201000090046001600160a01b031615611a2757601454604051635caaa2a960e11b8152306004820152620100009091046001600160a01b031690633fe5df9990829063b95545529060240160606040518083038186803b15801561196757600080fd5b505afa15801561197b573d6000803e3d6000fd5b505050506040513d601f19601f8201168201806040525081019061199f9190615d1e565b602001516040516001600160e01b031960e084901b1681526effffffffffffffffffffffffffffff90911660048201526024015b60006040518083038186803b1580156119eb57600080fd5b505afa1580156119ff573d6000803e3d6000fd5b505050506040513d6000823e601f3d908101601f1916820160405261160f9190810190615dc5565b5060408051600081526020810190915290565b611a4382613be3565b611a4c83613c36565b61118d8383836134a0565b600a6020528260005260406000206020528160005260406000208181548110611a7f57600080fd5b906000526020600020906008918282040191900660040292509250509054906101000a900463ffffffff1681565b611ab5613419565b611abe82613458565b610d2d82338361404f565b611ad16132db565b8051611ae49060019060208401906153c5565b507ff9c7803e94e0d3c02900d8a90893a6d5e90dd04d32a4cfe825520f82bf9f32f681604051611b149190615575565b60405180910390a150565b611b276132db565b61118d838383614384565b611b3a6132db565b6014546201000090046001600160a01b031680611b83576040517f39ffc7ba00000000000000000000000000000000000000000000000000000000815260040160405180910390fd5b6040517fda0194c00000000000000000000000000000000000000000000000000000000081526001600160a01b0382169063da0194c090611bca9030908890600401615e77565b600060405180830381600087803b158015611be457600080fd5b505af1158015611bf8573d6000803e3d6000fd5b50506040517f2304aa020000000000000000000000000000000000000000000000000000000081523060048201526effffffffffffffffffffffffffffff861660248201526001600160a01b0384169250632304aa029150604401600060405180830381600087803b158015611c6d57600080fd5b505af1158015611c81573d6000803e3d6000fd5b50506040517f8d7443140000000000000000000000000000000000000000000000000000000081523060048201526effffffffffffffffffffffffffffff851660248201526001600160a01b0384169250638d74431491506044015b600060405180830381600087803b158015611cf757600080fd5b505af1158015611d0b573d6000803e3d6000fd5b5050505050505050565b6000818152600e60205260408120546001600160a01b031680610d155760405162461bcd60e51b815260206004820152601860248201527f4552433732313a20696e76616c696420746f6b656e204944000000000000000060448201526064016110ec565b611d826132db565b611d9d71721c310194ccfc01e523fc93c9cccfa2a0ac612722565b6040517fda0194c000000000000000000000000000000000000000000000000000000000815271721c310194ccfc01e523fc93c9cccfa2a0ac9063da0194c090611dee903090600190600401615e77565b600060405180830381600087803b158015611e0857600080fd5b505af1158015611e1c573d6000803e3d6000fd5b50506040517f2304aa020000000000000000000000000000000000000000000000000000000081523060048201526001602482015271721c310194ccfc01e523fc93c9cccfa2a0ac9250632304aa029150604401600060405180830381600087803b158015611e8a57600080fd5b505af11580156118f7573d6000803e3d6000fd5b6000808063ffffffff841115611ee0576040517f0b2530f200000000000000000000000000000000000000000000000000000000815260040160405180910390fd5b5050506000928352600b602090815260408085206001600160a01b0394909416855292815282842063ffffffff9283168552905291205460ff81169265010000000000820467ffffffffffffffff16926d010000000000000000000000000090920490911690565b60006001600160a01b038216611fc65760405162461bcd60e51b815260206004820152602960248201527f4552433732313a2061646472657373207a65726f206973206e6f74206120766160448201527f6c6964206f776e6572000000000000000000000000000000000000000000000060648201526084016110ec565b506001600160a01b03166000908152600f602052604090205490565b611fea6143da565b611ff46000614434565b565b611ffe6132db565b428111612037576040517faf3e22bd00000000000000000000000000000000000000000000000000000000815260040160405180910390fd5b601454760100000000000000000000000000000000000000000000900460ff161561209d57601554421015612098576040517fd705ba2f00000000000000000000000000000000000000000000000000000000815260040160405180910390fd5b6120df565b601480547fffffffffffffffffff00ffffffffffffffffffffffffffffffffffffffffffff167601000000000000000000000000000000000000000000001790555b60158190556040518181527ff05c67ac09cc489b8b8a4713b524acfbf22fca066ee972319956423eca41e81d90602001611b14565b61211c6132db565b612124614491565b42811161215d576040517faf3e22bd00000000000000000000000000000000000000000000000000000000815260040160405180910390fd5b60158190556040518181527f8ef44b9f15cd912828f8c65a0bc6364c6918b2128c541fa639a6b21f7fdb6b6b90602001611b14565b61219a6132db565b6019546121d3576040517f058eb39700000000000000000000000000000000000000000000000000000000815260040160405180910390fd5b8061220a576040517f910c15a700000000000000000000000000000000000000000000000000000000815260040160405180910390fd5b601a8190556040518181527f90004c04698bc3322499a575ed3752dd4abf33e0a7294c06a787a0fe01bea9419060200160405180910390a15060198054600019019055565b6122576132db565b6001600160a01b03811660009081526005602052604090205460ff16156122aa576040517fd8110a5800000000000000000000000000000000000000000000000000000000815260040160405180910390fd5b6040517f01ffc9a70000000000000000000000000000000000000000000000000000000081527f977e0c1c0000000000000000000000000000000000000000000000000000000060048201526001600160a01b038216906301ffc9a79060240160206040518083038186803b15801561232257600080fd5b505afa158015612336573d6000803e3d6000fd5b505050506040513d601f19601f8201168201806040525081019061235a9190615d90565b612390576040517fb50e580c00000000000000000000000000000000000000000000000000000000815260040160405180910390fd5b6004546fffffffffffffffffffffffffffffffff8111156123dd576040517f6daf72d300000000000000000000000000000000000000000000000000000000815260040160405180910390fd5b6001600160a01b03821660008181526005602090815260408083208054600170ffffffffffffffffffffffffffffffffff199091166101006fffffffffffffffffffffffffffffffff89160217811790915560048054808301825594527f8a35acfbc15ff81a39ae7d344fd709f28e8600b4aa8c65c6b64bfe7fe36bd19b909301805473ffffffffffffffffffffffffffffffffffffffff191685179055519182527fe152843d7324c2cb58e95865f2b78d38f2dab6ce9eadf09438ec2c41e78c705e91015b60405180910390a25050565b60008060006124bf868686611e9e565b5091509150816124d05760006124da565b6124da8142615c7f565b9695505050505050565b6124ec6132db565b80516124ff9060029060208401906153c5565b507f65ccd57f8a46e7a6cfc4d214d84094e8ba5561ab50fd328f26e4c44052ffeba081604051611b149190615575565b6000546001600160a01b03161515806125515750600054600160a01b900460ff165b15612588576040517f69fe088700000000000000000000000000000000000000000000000000000000815260040160405180910390fd5b61259181614434565b50565b61259c6132db565b601d54610100900460ff16156125de576040517ff5950a1500000000000000000000000000000000000000000000000000000000815260040160405180910390fd5b601d805461ff001916610100179055610d2d82826144cf565b606060138054610d4090615c2e565b61260e613419565b61261781613458565b60026007556126258161454f565b506001600755565b6014546000906201000090046001600160a01b03161561180457601454604051635caaa2a960e11b8152306004820152620100009091046001600160a01b031690639445f53090829063b95545529060240160606040518083038186803b15801561269757600080fd5b505afa1580156126ab573d6000803e3d6000fd5b505050506040513d601f19601f820116820180604052508101906126cf9190615d1e565b60409081015190516001600160e01b031960e084901b1681526effffffffffffffffffffffffffffff90911660048201526001600160a01b03851660248201526044016117b4565b610d2d338383614558565b61272a6132db565b60006001600160a01b0382163b156127d1576040517f01ffc9a7000000000000000000000000000000000000000000000000000000008152600060048201526001600160a01b038316906301ffc9a79060240160206040518083038186803b15801561279557600080fd5b505afa9250505080156127c5575060408051601f3d908101601f191682019092526127c291810190615d90565b60015b6127ce576127d1565b90505b6001600160a01b038216158015906127e7575080155b1561281e576040517f32483afb00000000000000000000000000000000000000000000000000000000815260040160405180910390fd5b601454604080516001600160a01b03620100009093048316815291841660208301527fcc5dc080ff977b3c3a211fa63ab74f90f658f5ba9d3236e92c8f59570f442aac910160405180910390a150601480546001600160a01b0390921662010000027fffffffffffffffffffff0000000000000000000000000000000000000000ffff909216919091179055565b6128b4613419565b6128bd81613458565b60026007819055506128e0838383604051806020016040528060008152506129f4565b5050600160075550565b600280546128f790615c2e565b80601f016020809104026020016040519081016040528092919081815260200182805461292390615c2e565b80156129705780601f1061294557610100808354040283529160200191612970565b820191906000526020600020905b81548152906001019060200180831161295357829003601f168201915b505050505081565b61298233836138e6565b6129f45760405162461bcd60e51b815260206004820152602d60248201527f4552433732313a2063616c6c6572206973206e6f7420746f6b656e206f776e6560448201527f72206f7220617070726f7665640000000000000000000000000000000000000060648201526084016110ec565b6118f78484848461461f565b60408051606081018252600080825260208201819052918101919091526014546201000090046001600160a01b031615612ab457601454604051635caaa2a960e11b8152306004820152620100009091046001600160a01b03169063b95545529060240160606040518083038186803b158015612a7c57600080fd5b505afa158015612a90573d6000803e3d6000fd5b505050506040513d601f19601f8201168201806040525081019061160f9190615d1e565b50604080516060810182526000808252602082018190529181019190915290565b612add6132db565b601454610100900460ff1615612b1f576040517fa2e0955800000000000000000000000000000000000000000000000000000000815260040160405180910390fd5b6014805461ff001916610100179055612591816146a8565b336001600160a01b038316811415612b7b576040517fc934974800000000000000000000000000000000000000000000000000000000815260040160405180910390fd5b6001600160a01b03818116600081815260096020908152604080832094881680845294825291829020805460ff191687151590811790915591519182527f83347dcc77580bb841ae3bac834b5b8ac5ccd2326276d265e638987eb6b2c05691015b60405180910390a3505050565b60006001612bf660165490565b61160f9190615c7f565b6000818152600e60205260409020546060906001600160a01b0316612c51576040517fad42156900000000000000000000000000000000000000000000000000000000815260040160405180910390fd5b6000612c5b6146bb565b90506000815111612c7b576040518060200160405280600081525061148a565b80612c85846146ca565b6002604051602001612c9993929190615e94565b6040516020818303038152906040529392505050565b6014546060906201000090046001600160a01b031615611a2757601454604051635caaa2a960e11b8152306004820152620100009091046001600160a01b0316906317e94a6c90829063b95545529060240160606040518083038186803b158015612d1957600080fd5b505afa158015612d2d573d6000803e3d6000fd5b505050506040513d601f19601f82011682018060405250810190612d519190615d1e565b60409081015190516001600160e01b031960e084901b1681526effffffffffffffffffffffffffffff90911660048201526024016119d3565b612d926132db565b60145460ff1615612dcf576040517fc7a92d9900000000000000000000000000000000000000000000000000000000815260040160405180910390fd5b6014805460ff19166001179055610d2d8282614774565b612dee614491565b601a5480612e28576040517fd8a88d9700000000000000000000000000000000000000000000000000000000815260040160405180910390fd5b336000908152601c602052604090205460ff1615612e72576040517fa2ae2f5600000000000000000000000000000000000000000000000000000000815260040160405180910390fd5b600084612e7d612be9565b612e879190615dad565b9050601b54851115612ec5576040517f6db5344e00000000000000000000000000000000000000000000000000000000815260040160405180910390fd5b612ece81613f8c565b612f6d848480806020026020016040519081016040528093929190818152602001838360200280828437600092019190915250869250612f10915061339a9050565b88604051602001612f5292919060609290921b7fffffffffffffffffffffffffffffffffffffffff000000000000000000000000168252601482015260340190565b6040516020818303038152906040528051906020012061479b565b612fa3576040517f7b52e59300000000000000000000000000000000000000000000000000000000815260040160405180910390fd5b336000818152601c60205260409020805460ff19166001179055601b80548790039055612fd09086613fd9565b50505050505050565b600180546128f790615c2e565b60048181548110612ff657600080fd5b6000918252602090912001546001600160a01b0316905081565b613018613419565b61302181613458565b60026007556128e083838361150d565b6130396132db565b601d5460ff1615613076576040517f4278252e00000000000000000000000000000000000000000000000000000000815260040160405180910390fd5b601d805460ff19166001179055610d2d82826147b1565b6130956132db565b61309e81613be3565b610d2d82826001613c80565b6130b26143da565b6001600160a01b0381166125885760405162461bcd60e51b815260206004820152602660248201527f4f776e61626c653a206e6577206f776e657220697320746865207a65726f206160448201527f646472657373000000000000000000000000000000000000000000000000000060648201526084016110ec565b6131366132db565b61313f84612722565b6040517fda0194c00000000000000000000000000000000000000000000000000000000081526001600160a01b0385169063da0194c0906131869030908790600401615e77565b600060405180830381600087803b1580156131a057600080fd5b505af11580156131b4573d6000803e3d6000fd5b50506040517f2304aa020000000000000000000000000000000000000000000000000000000081523060048201526effffffffffffffffffffffffffffff851660248201526001600160a01b0387169250632304aa029150604401600060405180830381600087803b15801561322957600080fd5b505af115801561323d573d6000803e3d6000fd5b50506040517f8d7443140000000000000000000000000000000000000000000000000000000081523060048201526effffffffffffffffffffffffffffff841660248201526001600160a01b0387169250638d7443149150604401611cdd565b60006001600160e01b031982167f2a55205a000000000000000000000000000000000000000000000000000000001480610d155750610d1582614835565b611ff46143da565b6132ed8282614873565b6040516bffffffffffffffffffffffff821681526001600160a01b038316907f8a8bae378cb731c5c40b632330c6836c2f916f48edb967699c86736f9a6a76ef906020016124a3565b6000818152600e60205260409020546001600160a01b03166125915760405162461bcd60e51b815260206004820152601860248201527f4552433732313a20696e76616c696420746f6b656e204944000000000000000060448201526064016110ec565b3390565b6000818152601060205260409020805473ffffffffffffffffffffffffffffffffffffffff19166001600160a01b03841690811790915581906133e082611d15565b6001600160a01b03167f8c5be1e5ebec7d5bd14f71427d1e84f3dd0314c0f7b2291e5b200ac8c7c3b92560405160405180910390a45050565b61342233610802565b611ff4576040517ff4b8028800000000000000000000000000000000000000000000000000000000815260040160405180910390fd5b61346a6134648261498d565b336109dd565b612591576040517fdb07237500000000000000000000000000000000000000000000000000000000815260040160405180910390fd5b60008060006134b0868686611e9e565b925092509250826134ed576040517f85fceded00000000000000000000000000000000000000000000000000000000815260040160405180910390fd5b6000868152600a602090815260408083206001600160a01b038916845290915281205485919061351f90600190615c7f565b90508083146136a6576000888152600a602090815260408083206001600160a01b038b168452909152902080548290811061355c5761355c615c96565b600091825260208083206008830401548b8452600a825260408085206001600160a01b038d1686529092529220805460079092166004026101000a90920463ffffffff169190859081106135b2576135b2615c96565b600091825260208083206008830401805460079093166004026101000a63ffffffff818102199094169590931692909202939093179055898152600b825260408082206001600160a01b038b168084529084528183208c8452600a855282842091845293528120805486939291908590811061363057613630615c96565b6000918252602080832060088304015460079092166004026101000a90910463ffffffff9081168452908301939093526040909101902080547fffffffffffffffffffffffffffffff00000000ffffffffffffffffffffffffff166d010000000000000000000000000093909216929092021790555b6000888152600a602090815260408083206001600160a01b038b16845290915290208054806136d7576136d7615cac565b60008281526020808220600860001990940193840401805463ffffffff600460078716026101000a810219909116909155929093558a8152600b835260408082206001600160a01b038c16835284528082209286168252919092528120805470ffffffffffffffffffffffffffffffffff191690556137558961498d565b9050876001600160a01b0316816001600160a01b03168a7f1171d71105bda3fa01f863317a96e01684416ccb1e5416de7c09510bdfbe6aee8a6000806040516137b39392919092835290151560208301521515604082015260600190565b60405180910390a4876001600160a01b03166392b612946040518163ffffffff1660e01b815260040160206040518083038186803b1580156137f457600080fd5b505afa158015613808573d6000803e3d6000fd5b505050506040513d601f19601f8201168201806040525081019061382c9190615d90565b15613852576000898152600860205260408120805490919061384d90615f58565b909155505b6040517f6d4229c90000000000000000000000000000000000000000000000000000000081526001600160a01b038281166004830152602482018b90526044820189905260648201879052891690636d4229c990608401600060405180830381600087803b1580156138c357600080fd5b505af11580156138d7573d6000803e3d6000fd5b50505050505050505050505050565b6000806138f283611d15565b9050806001600160a01b0316846001600160a01b0316148061393957506001600160a01b0380821660009081526011602090815260408083209388168352929052205460ff165b8061395d5750836001600160a01b031661395284611034565b6001600160a01b0316145b949350505050565b826001600160a01b031661397882611d15565b6001600160a01b0316146139f45760405162461bcd60e51b815260206004820152602560248201527f4552433732313a207472616e736665722066726f6d20696e636f72726563742060448201527f6f776e657200000000000000000000000000000000000000000000000000000060648201526084016110ec565b6001600160a01b038216613a6f5760405162461bcd60e51b8152602060048201526024808201527f4552433732313a207472616e7366657220746f20746865207a65726f2061646460448201527f726573730000000000000000000000000000000000000000000000000000000060648201526084016110ec565b613a7c8383836001614998565b826001600160a01b0316613a8f82611d15565b6001600160a01b031614613b0b5760405162461bcd60e51b815260206004820152602560248201527f4552433732313a207472616e736665722066726f6d20696e636f72726563742060448201527f6f776e657200000000000000000000000000000000000000000000000000000060648201526084016110ec565b6000818152601060209081526040808320805473ffffffffffffffffffffffffffffffffffffffff199081169091556001600160a01b03878116808652600f8552838620805460001901905590871680865283862080546001019055868652600e90945282852080549092168417909155905184937fddf252ad1be2c89b69c2b068fc378daa952ba7f163c4a11628f55a4df523b3ef91a461118d8383836001614a1d565b601454600090760100000000000000000000000000000000000000000000900460ff16801561160f575050601554421090565b6001600160a01b03811660009081526005602052604090205460ff1615612591576040517fb6708d9a00000000000000000000000000000000000000000000000000000000815260040160405180910390fd5b33613c408261498d565b6001600160a01b031614612591576040517fb1160e7100000000000000000000000000000000000000000000000000000000815260040160405180910390fd5b6000613c8b8461498d565b6000858152600a602090815260408083206001600160a01b038816845290915281205491925050836001600160a01b03166392b612946040518163ffffffff1660e01b815260040160206040518083038186803b158015613ceb57600080fd5b505afa158015613cff573d6000803e3d6000fd5b505050506040513d601f19601f82011682018060405250810190613d239190615d90565b15613d4c5760008581526008602052604081208054839290613d46908490615c7f565b90915550505b60005b81811015613f59576000868152600a602090815260408083206001600160a01b03891684529091528120805483908110613d8b57613d8b615c96565b600091825260208083206008830401548a8452600b825260408085206001600160a01b038c8116808852918552828720600790961660040261010090810a90940463ffffffff9081168089529686528388208451608081018652905460ff81161515825295860482168188015265010000000000860467ffffffffffffffff168186018190526d01000000000000000000000000009096049091166060808301919091528451888152968701989098528c151593860193909352949650909491939092908916918c917f1171d71105bda3fa01f863317a96e01684416ccb1e5416de7c09510bdfbe6aee910160405180910390a46000898152600b602090815260408083206001600160a01b038c811680865291845282852063ffffffff8916808752945293829020805470ffffffffffffffffffffffffffffffffff1916905590517f6d4229c90000000000000000000000000000000000000000000000000000000081529289166004840152602483018c905260448301919091526064820183905290636d4229c990608401600060405180830381600087803b158015613f3357600080fd5b505af1158015613f47573d6000803e3d6000fd5b50505050836001019350505050613d4f565b506000858152600a602090815260408083206001600160a01b03881684529091528120613f8591615449565b5050505050565b6000613f9760175490565b90508015610d2d5780821115610d2d576040517fb0cc5ac200000000000000000000000000000000000000000000000000000000815260040160405180910390fd5b60008082614013576040517f63b2594700000000000000000000000000000000000000000000000000000000815260040160405180910390fd5b50506016548181016000190161402883614a44565b60005b838110156140475761403f85828501614a5e565b60010161402b565b509250929050565b600061405c848484611e9e565b505090508015614098576040517fbf2bc3b400000000000000000000000000000000000000000000000000000000815260040160405180910390fd5b6000848152600a602090815260408083206001600160a01b038716845290915290205460065481106140f6576040517f026a381300000000000000000000000000000000000000000000000000000000815260040160405180910390fd5b6000858152600a602090815260408083206001600160a01b03881680855290835281842080546001808201835591865284862060088204018054600790921660040261010090810a63ffffffff818102199094168c8516918202179092558c8852600b875285882094885293865284872081885290955292852080547fffffffffffffffffffffffffffffffffffffff0000000000000000ffffffff0016650100000000004267ffffffffffffffff1602179091177fffffffffffffffffffffffffffffff00000000ffffffffffffffff00000000ff16919093027fffffffffffffffffffffffffffffff00000000ffffffffffffffffffffffffff16176d01000000000000000000000000009185169190910217905583906142188761498d565b604080518781526001602082015260008183015290519192506001600160a01b0388811692908416918a917f1171d71105bda3fa01f863317a96e01684416ccb1e5416de7c09510bdfbe6aee9181900360600190a4856001600160a01b03166392b612946040518163ffffffff1660e01b815260040160206040518083038186803b1580156142a657600080fd5b505afa1580156142ba573d6000803e3d6000fd5b505050506040513d601f19601f820116820180604052508101906142de9190615d90565b156142f9576000878152600860205260409020805460010190555b6040517f688a37410000000000000000000000000000000000000000000000000000000081526001600160a01b038281166004830152602482018990526044820187905287169063688a374190606401600060405180830381600087803b15801561436357600080fd5b505af1158015614377573d6000803e3d6000fd5b5050505050505050505050565b61438f838383614a68565b6040516bffffffffffffffffffffffff821681526001600160a01b0383169084907f7f5b076c952c0ec86e5425963c1326dd0f03a3595c19f81d765e8ff559a6e33c90602001612bdc565b6000546001600160a01b03163314611ff45760405162461bcd60e51b815260206004820181905260248201527f4f776e61626c653a2063616c6c6572206973206e6f7420746865206f776e657260448201526064016110ec565b600080546001600160a01b0383811673ffffffffffffffffffffffffffffffffffffffff19831681178455604051919092169283917f8be0079c531659141344cd1fd0a4f28419497f9722a3daafe3b4186f6b6457e09190a35050565b614499613bb0565b611ff4576040517f07dd009200000000000000000000000000000000000000000000000000000000815260040160405180910390fd5b81614506576040517f2eff76af00000000000000000000000000000000000000000000000000000000815260040160405180910390fd5b8061453d576040517f1e993e6c00000000000000000000000000000000000000000000000000000000815260040160405180910390fd5b601b8290556019819055610d2d614b93565b61259181614ba1565b816001600160a01b0316836001600160a01b031614156145ba5760405162461bcd60e51b815260206004820152601960248201527f4552433732313a20617070726f766520746f2063616c6c65720000000000000060448201526064016110ec565b6001600160a01b03838116600081815260116020908152604080832094871680845294825291829020805460ff191686151590811790915591519182527f17307eab39ab6107e8899845ad3d59bd9653f200f220920489ca2b5937696c319101612bdc565b61462a848484613965565b61463684848484614c5b565b6118f75760405162461bcd60e51b815260206004820152603260248201527f4552433732313a207472616e7366657220746f206e6f6e20455243373231526560448201527f63656976657220696d706c656d656e746572000000000000000000000000000060648201526084016110ec565b6146b181614df0565b6006556001600755565b606060018054610d4090615c2e565b606060006146d783614e62565b600101905060008167ffffffffffffffff8111156146f7576146f76157b1565b6040519080825280601f01601f191660200182016040528015614721576020820181803683370190505b5090508181016020015b600019017f3031323334353637383961626364656600000000000000000000000000000000600a86061a8153600a85049450846147675761476c565b61472b565b509392505050565b81516147879060129060208501906153c5565b50805161118d9060139060208401906153c5565b6000826147a88584614f44565b14949350505050565b6000198214156147ed576040517f1fa8dcce00000000000000000000000000000000000000000000000000000000815260040160405180910390fd5b601782905560188190556147ff614b93565b60408051838152602081018390527fdc589a019ee1db2e96132d94ab25ea6587a689283849d4dca055d8742bcdf97091016115f9565b60006001600160e01b031982167f86455d28000000000000000000000000000000000000000000000000000000001480610d155750610d1582614f89565b6127106bffffffffffffffffffffffff821611156148f95760405162461bcd60e51b815260206004820152602a60248201527f455243323938313a20726f79616c7479206665652077696c6c2065786365656460448201527f2073616c6550726963650000000000000000000000000000000000000000000060648201526084016110ec565b6001600160a01b03821661494f5760405162461bcd60e51b815260206004820152601960248201527f455243323938313a20696e76616c69642072656365697665720000000000000060448201526064016110ec565b604080518082019091526001600160a01b039092168083526bffffffffffffffffffffffff9091166020909201829052600160a01b90910217601e55565b6000610d1582611d15565b6000805b82811015614a15576149ae8185615dad565b600081815260086020526040902054909250156149f7576040517fe49dac6100000000000000000000000000000000000000000000000000000000815260040160405180910390fd5b60016007541415614a0d57614a0d868684614fc7565b60010161499c565b505050505050565b60005b81811015613f8557614a3c8585614a378487615dad565b61503c565b600101614a20565b8060166000828254614a569190615dad565b909155505050565b610d2d82826150a3565b6127106bffffffffffffffffffffffff82161115614aee5760405162461bcd60e51b815260206004820152602a60248201527f455243323938313a20726f79616c7479206665652077696c6c2065786365656460448201527f2073616c6550726963650000000000000000000000000000000000000000000060648201526084016110ec565b6001600160a01b038216614b445760405162461bcd60e51b815260206004820152601b60248201527f455243323938313a20496e76616c696420706172616d6574657273000000000060448201526064016110ec565b6040805180820182526001600160a01b0393841681526bffffffffffffffffffffffff92831660208083019182526000968752601f90529190942093519051909116600160a01b029116179055565b601654611ff4576001601655565b6000614bac82611d15565b9050614bbc816000846001614998565b614bc582611d15565b6000838152601060209081526040808320805473ffffffffffffffffffffffffffffffffffffffff199081169091556001600160a01b038516808552600f84528285208054600019019055878552600e909352818420805490911690555192935084927fddf252ad1be2c89b69c2b068fc378daa952ba7f163c4a11628f55a4df523b3ef908390a4610d2d816000846001614a1d565b60006001600160a01b0384163b15614de5576040517f150b7a020000000000000000000000000000000000000000000000000000000081526001600160a01b0385169063150b7a0290614cb8903390899088908890600401615f6f565b602060405180830381600087803b158015614cd257600080fd5b505af1925050508015614d02575060408051601f3d908101601f19168201909252614cff91810190615fa1565b60015b614db2573d808015614d30576040519150601f19603f3d011682016040523d82523d6000602084013e614d35565b606091505b508051614daa5760405162461bcd60e51b815260206004820152603260248201527f4552433732313a207472616e7366657220746f206e6f6e20455243373231526560448201527f63656976657220696d706c656d656e746572000000000000000000000000000060648201526084016110ec565b805181602001fd5b6001600160e01b0319167f150b7a020000000000000000000000000000000000000000000000000000000014905061395d565b506001949350505050565b80614e27576040517fed21f5e500000000000000000000000000000000000000000000000000000000815260040160405180910390fd5b6064811115612591576040517fdbb0ece300000000000000000000000000000000000000000000000000000000815260040160405180910390fd5b6000807a184f03e93ff9f4daa797ed6e38ed64bf6a1f0100000000000000008310614eab577a184f03e93ff9f4daa797ed6e38ed64bf6a1f010000000000000000830492506040015b6d04ee2d6d415b85acef81000000008310614ed7576d04ee2d6d415b85acef8100000000830492506020015b662386f26fc100008310614ef557662386f26fc10000830492506010015b6305f5e1008310614f0d576305f5e100830492506008015b6127108310614f2157612710830492506004015b60648310614f33576064830492506002015b600a8310610d155760010192915050565b600081815b845181101561476c57614f7582868381518110614f6857614f68615c96565b6020026020010151615253565b915080614f8181615cc2565b915050614f49565b60006001600160e01b031982167ff9f7ab41000000000000000000000000000000000000000000000000000000001480610d155750610d158261527f565b6001600160a01b038381161590831615818015614fe15750805b15615018576040517f5cbd944100000000000000000000000000000000000000000000000000000000815260040160405180910390fd5b8115615024575b613f85565b801561502f5761501f565b613f85338686863461531a565b6001600160a01b0383811615908316158180156150565750805b1561508d576040517f5cbd944100000000000000000000000000000000000000000000000000000000815260040160405180910390fd5b81156150985761501f565b801561501f5761501f565b6001600160a01b0382166150f95760405162461bcd60e51b815260206004820181905260248201527f4552433732313a206d696e7420746f20746865207a65726f206164647265737360448201526064016110ec565b6000818152600e60205260409020546001600160a01b03161561515e5760405162461bcd60e51b815260206004820152601c60248201527f4552433732313a20746f6b656e20616c7265616479206d696e7465640000000060448201526064016110ec565b61516c600083836001614998565b6000818152600e60205260409020546001600160a01b0316156151d15760405162461bcd60e51b815260206004820152601c60248201527f4552433732313a20746f6b656e20616c7265616479206d696e7465640000000060448201526064016110ec565b6001600160a01b0382166000818152600f6020908152604080832080546001019055848352600e909152808220805473ffffffffffffffffffffffffffffffffffffffff19168417905551839291907fddf252ad1be2c89b69c2b068fc378daa952ba7f163c4a11628f55a4df523b3ef908290a4610d2d600083836001614a1d565b600081831061526f57600082815260208490526040902061148a565b5060009182526020526040902090565b60006001600160e01b031982167f80ac58cd0000000000000000000000000000000000000000000000000000000014806152e257506001600160e01b031982167f5b5e139f00000000000000000000000000000000000000000000000000000000145b80610d1557507f01ffc9a7000000000000000000000000000000000000000000000000000000006001600160e01b0319831614610d15565b6014546201000090046001600160a01b031615613f85576014546040517f285fb8c80000000000000000000000000000000000000000000000000000000081526001600160a01b03878116600483015286811660248301528581166044830152620100009092049091169063285fb8c89060640160006040518083038186803b1580156153a657600080fd5b505afa1580156153ba573d6000803e3d6000fd5b505050505050505050565b8280546153d190615c2e565b90600052602060002090601f0160209004810192826153f35760008555615439565b82601f1061540c57805160ff1916838001178555615439565b82800160010185558215615439579182015b8281111561543957825182559160200191906001019061541e565b5061544592915061546a565b5090565b50805460008255600701600890049060005260206000209081019061259191905b5b80821115615445576000815560010161546b565b6001600160e01b03198116811461259157600080fd5b6000602082840312156154a757600080fd5b813561148a8161547f565b6001600160a01b038116811461259157600080fd5b80356bffffffffffffffffffffffff811681146154e357600080fd5b919050565b600080604083850312156154fb57600080fd5b8235615506816154b2565b9150615514602084016154c7565b90509250929050565b60005b83811015615538578181015183820152602001615520565b838111156118f75750506000910152565b6000815180845261556181602086016020860161551d565b601f01601f19169290920160200192915050565b60208152600061148a6020830184615549565b60006020828403121561559a57600080fd5b813561148a816154b2565b6000602082840312156155b757600080fd5b5035919050565b600080604083850312156155d157600080fd5b82356155dc816154b2565b946020939093013593505050565b600080604083850312156155fd57600080fd5b82359150602083013561560f816154b2565b809150509250929050565b602080825282518282018190526000919060409081850190868401855b828110156156865781518051151585528681015163ffffffff908116888701528682015167ffffffffffffffff1687870152606091820151169085015260809093019290850190600101615637565b5091979650505050505050565b6000806000606084860312156156a857600080fd5b8335925060208401356156ba816154b2565b9150604084013563ffffffff811681146156d357600080fd5b809150509250925092565b600080604083850312156156f157600080fd5b50508035926020909101359150565b60008060006060848603121561571557600080fd5b8335615720816154b2565b92506020840135615730816154b2565b915060408401356156d3816154b2565b6007811061575e57634e487b7160e01b600052602160045260246000fd5b9052565b60208101610d158284615740565b60008060006060848603121561578557600080fd5b8335615790816154b2565b925060208401356157a0816154b2565b929592945050506040919091013590565b634e487b7160e01b600052604160045260246000fd5b604051601f8201601f1916810167ffffffffffffffff811182821017156157f0576157f06157b1565b604052919050565b600067ffffffffffffffff831115615812576158126157b1565b6158256020601f19601f860116016157c7565b905082815283838301111561583957600080fd5b828260208301376000602084830101529392505050565b600082601f83011261586157600080fd5b61148a838335602085016157f8565b6000806040838503121561588357600080fd5b823567ffffffffffffffff8082111561589b57600080fd5b6158a786838701615850565b935060208501359150808211156158bd57600080fd5b506158ca85828601615850565b9150509250929050565b6020808252825182820181905260009190848201906040850190845b818110156159155783516001600160a01b0316835292840192918401916001016158f0565b50909695505050505050565b60008060006060848603121561593657600080fd5b8335925060208401356157a0816154b2565b60006020828403121561595a57600080fd5b813567ffffffffffffffff81111561597157600080fd5b61395d84828501615850565b60008060006060848603121561599257600080fd5b8335925060208401356159a4816154b2565b91506159b2604085016154c7565b90509250925092565b6007811061259157600080fd5b6effffffffffffffffffffffffffffff8116811461259157600080fd5b6000806000606084860312156159fa57600080fd5b8335615a05816159bb565b92506020840135615a15816159c8565b915060408401356156d3816159c8565b60008060408385031215615a3857600080fd5b8235615a43816154b2565b9150602083013561560f816154b2565b801515811461259157600080fd5b60008060408385031215615a7457600080fd5b8235615a7f816154b2565b9150602083013561560f81615a53565b60008060008060808587031215615aa557600080fd5b8435615ab0816154b2565b93506020850135615ac0816154b2565b925060408501359150606085013567ffffffffffffffff811115615ae357600080fd5b8501601f81018713615af457600080fd5b615b03878235602084016157f8565b91505092959194509250565b6000606082019050615b22828451615740565b60208301516effffffffffffffffffffffffffffff8082166020850152806040860151166040850152505092915050565b600080600060408486031215615b6857600080fd5b83359250602084013567ffffffffffffffff80821115615b8757600080fd5b818601915086601f830112615b9b57600080fd5b813581811115615baa57600080fd5b8760208260051b8501011115615bbf57600080fd5b6020830194508093505050509250925092565b60008060008060808587031215615be857600080fd5b8435615bf3816154b2565b93506020850135615c03816159bb565b92506040850135615c13816159c8565b91506060850135615c23816159c8565b939692955090935050565b600181811c90821680615c4257607f821691505b60208210811415615c6357634e487b7160e01b600052602260045260246000fd5b50919050565b634e487b7160e01b600052601160045260246000fd5b600082821015615c9157615c91615c69565b500390565b634e487b7160e01b600052603260045260246000fd5b634e487b7160e01b600052603160045260246000fd5b6000600019821415615cd657615cd6615c69565b5060010190565b6000816000190483118215151615615cf757615cf7615c69565b500290565b600082615d1957634e487b7160e01b600052601260045260246000fd5b500490565b600060608284031215615d3057600080fd5b6040516060810181811067ffffffffffffffff82111715615d5357615d536157b1565b6040528251615d61816159bb565b81526020830151615d71816159c8565b60208201526040830151615d84816159c8565b60408201529392505050565b600060208284031215615da257600080fd5b815161148a81615a53565b60008219821115615dc057615dc0615c69565b500190565b60006020808385031215615dd857600080fd5b825167ffffffffffffffff80821115615df057600080fd5b818501915085601f830112615e0457600080fd5b815181811115615e1657615e166157b1565b8060051b9150615e278483016157c7565b8181529183018401918481019088841115615e4157600080fd5b938501935b83851015615e6b5784519250615e5b836154b2565b8282529385019390850190615e46565b98975050505050505050565b6001600160a01b03831681526040810161148a6020830184615740565b600084516020615ea78285838a0161551d565b855191840191615eba8184848a0161551d565b8554920191600090600181811c9080831680615ed757607f831692505b858310811415615ef557634e487b7160e01b85526022600452602485fd5b808015615f095760018114615f1a57615f47565b60ff19851688528388019550615f47565b60008b81526020902060005b85811015615f3f5781548a820152908401908801615f26565b505083880195505b50939b9a5050505050505050505050565b600081615f6757615f67615c69565b506000190190565b60006001600160a01b038087168352808616602084015250836040830152608060608301526124da6080830184615549565b600060208284031215615fb357600080fd5b815161148a8161547f56fea2646970667358221220ac405cd404120da7005b2f1257dfdbab03d13438f934374fbc6a51664cf4611264736f6c63430008090033

Block Transaction Difficulty Gas Used Reward
View All Blocks Produced

Block Uncle Number Difficulty Gas Used Reward
View All Uncles
Loading...
Loading
Loading...
Loading

Validator Index Block Amount
View All Withdrawals

Transaction Hash Block Value Eth2 PubKey Valid
View All Deposits
Loading...
Loading
[ Download: CSV Export  ]

A contract address hosts a smart contract, which is a set of code stored on the blockchain that runs when predetermined conditions are met. Learn more about addresses in our Knowledge Base.