Feature Tip: Add private address tag to any address under My Name Tag !
Overview
ETH Balance
0 ETH
Eth Value
$0.00More Info
Private Name Tags
ContractCreator
Latest 25 from a total of 673 transactions
Transaction Hash |
Method
|
Block
|
From
|
To
|
|||||
---|---|---|---|---|---|---|---|---|---|
Transfer Ownersh... | 19772848 | 267 days ago | IN | 0 ETH | 0.00019397 | ||||
Burn | 15905958 | 809 days ago | IN | 0 ETH | 0.001619 | ||||
Create New Phase | 15905597 | 809 days ago | IN | 0 ETH | 0.00074365 | ||||
Burn | 15905489 | 809 days ago | IN | 0 ETH | 0.00164519 | ||||
Burn | 15905454 | 809 days ago | IN | 0 ETH | 0.00122107 | ||||
Burn | 15904310 | 810 days ago | IN | 0 ETH | 0.00135028 | ||||
Burn | 15903763 | 810 days ago | IN | 0 ETH | 0.00134148 | ||||
Burn | 15903438 | 810 days ago | IN | 0 ETH | 0.00105983 | ||||
Burn | 15903419 | 810 days ago | IN | 0 ETH | 0.00136459 | ||||
Burn | 15902801 | 810 days ago | IN | 0 ETH | 0.0014343 | ||||
Burn | 15902555 | 810 days ago | IN | 0 ETH | 0.00099011 | ||||
Burn | 15902549 | 810 days ago | IN | 0 ETH | 0.00148964 | ||||
Burn | 15902492 | 810 days ago | IN | 0 ETH | 0.00139277 | ||||
Burn | 15901301 | 810 days ago | IN | 0 ETH | 0.00126325 | ||||
Burn | 15901296 | 810 days ago | IN | 0 ETH | 0.00141715 | ||||
Burn | 15901293 | 810 days ago | IN | 0 ETH | 0.00147715 | ||||
Burn | 15900447 | 810 days ago | IN | 0 ETH | 0.00178758 | ||||
Burn | 15900307 | 810 days ago | IN | 0 ETH | 0.00153926 | ||||
Burn | 15900127 | 810 days ago | IN | 0 ETH | 0.00178896 | ||||
Burn | 15900104 | 810 days ago | IN | 0 ETH | 0.00181218 | ||||
Burn | 15899945 | 810 days ago | IN | 0 ETH | 0.00115331 | ||||
Burn | 15899640 | 810 days ago | IN | 0 ETH | 0.00144168 | ||||
Burn | 15899544 | 810 days ago | IN | 0 ETH | 0.00160798 | ||||
Burn | 15899530 | 810 days ago | IN | 0 ETH | 0.00157712 | ||||
Burn | 15899490 | 810 days ago | IN | 0 ETH | 0.00174152 |
View more zero value Internal Transactions in Advanced View mode
Advanced mode:
Loading...
Loading
Contract Source Code Verified (Exact Match)
Contract Name:
TheIncinerator
Compiler Version
v0.8.10+commit.fc410830
Optimization Enabled:
No with 200 runs
Other Settings:
default evmVersion
Contract Source Code (Solidity Standard Json-Input format)
//SPDX-License-Identifier: MIT pragma solidity ^0.8.10; import "erc721a/contracts/ERC721A.sol"; import "@openzeppelin/contracts/access/Ownable.sol"; // Contract by: @backseats_eth contract TheIncinerator is Ownable { // The Jar Dude contract address ERC721A public jarDudeContract = ERC721A(0xB4711Bfa7D063200eCAB54529807B53A0d3C17CC); // 10_000 1s that we flip to 0s when a particular ID has been burned uint256[] _burnedIdSlots; // Phases allow us to define the burn rules around a particular burn event struct Phase { // Phase ID uint8 id; // How many an address can burn in this phase uint16 burnsPerAddress; // How many burn slots remain in this phase uint16 slotsRemaining; } // Maps the Phase ID to the address and how many tokens the address has burnt mapping (uint256 => mapping (address => uint256)) public burnCountForPhase; // An array of phases, sequentially. phases[0] will be Phase 0, phases[1] will be Phase 1, etc. Phase[] public phases; // A boolean that handles reentrancy bool private reentrancyLock; // Event event tokenBurned(uint256 indexed _id, address indexed _by); // Modifier // Prevents reentrancy attacks. Thanks LL. modifier reentrancyGuard { if (reentrancyLock) revert(); reentrancyLock = true; _; reentrancyLock = false; } // Allows a user to burn their Jar Dude tokens and record the necessary information function burn(uint256[] calldata _ids) external reentrancyGuard() { require(jarDudeContract.isApprovedForAll(msg.sender, address(this)), "Not approved to burn Jar Dudes"); Phase memory _currentPhase = phases[phases.length - 1]; require(_currentPhase.slotsRemaining > 0, "Phase is over"); uint256 length = _ids.length; // Note: The problem here is that someone can just move pieces to a new address and burn require(burnCountForPhase[_currentPhase.id][msg.sender] + length <= _currentPhase.burnsPerAddress, "Max burns per address hit"); // Ensures that msg.sender's burns wouldn't exceed the remaining slot count require(_currentPhase.slotsRemaining - length >= 0, "Too many burns"); for(uint256 i; i < length;) { uint256 id = _ids[i]; // Flips the bit from 1 to 0 for that ID, to indicate that it has been burned _recordIdBurned(id); // ERC721A protects against sending to the burn address, so this is a workaround jarDudeContract.transferFrom(msg.sender, address(0x0000000000000000000000000000000000000001), id); // Emit a tokenBurned event emit tokenBurned(id, msg.sender); unchecked { // 1. Increment the burn count for the address for the phase ++burnCountForPhase[_currentPhase.id][msg.sender]; // 2. Reduce the amount of burn slots for phase --_currentPhase.slotsRemaining; // 3. Increment the loop ++i; } } // Replace the last element of the phases array with the changes phases[phases.length - 1] = _currentPhase; } // Internal Functions /// @notice To check and Jar Dude Ids being burned /// @dev Returns error if id is larger than range or has been burned already /// @dev Uses bit manipulation in place of mapping /// @dev https://medium.com/donkeverse/hardcore-gas-savings-in-nft-minting-part-3-save-30-000-in-presale-gas-c945406e89f0 /// @param _jarDudeId id of the token being burned function _recordIdBurned(uint256 _jarDudeId) internal { require(_jarDudeId < _burnedIdSlots.length * 256, "Invalid"); uint256 storageOffset; // [][][] uint256 localGroup; // [][x][] uint256 offsetWithin256; // 0xF[x]FFF unchecked { storageOffset = _jarDudeId / 256; offsetWithin256 = _jarDudeId % 256; } localGroup = _burnedIdSlots[storageOffset]; // [][x][] > 0x1111[x]1111 > 1 require((localGroup >> offsetWithin256) & uint256(1) == 1, "Already burned"); // [][x][] > 0x1111[x]1111 > (1) flip to (0) localGroup = localGroup & ~(uint256(1) << offsetWithin256); _burnedIdSlots[storageOffset] = localGroup; } // Ownable // Thanks @xtremetom. Credit: https://www.contractreader.io/contract/0x86c10d10eca1fca9daf87a279abccabe0063f247 // This is a cheaper way of handlnig which IDs have been burned rather than using a mapping function setBurnSlotLength(uint256 num) external onlyOwner { // Prevents over-filling require(num <= 10_000, "Bad id"); // Account for solidity rounding down uint256 slotCount = (num / 256) + 1; // Set each element in the slot to binaries of 1 uint256 MAX_INT = 0xffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffff; // Create a temporary array based on number of slots required uint256[] memory arr = new uint256[](slotCount); // Fill each element with MAX_INT for (uint256 i; i < slotCount; i++) { arr[i] = MAX_INT; } _burnedIdSlots = arr; } // Creates a new phase with rules about total slots for Jar Dudes that can be burned and how many per address someone can burn // Note: if you want to make _burnPerAddress "unlimited", set it to the value of _totalSlots function createNewPhase(uint16 _burnsPerAddress, uint16 _totalSlots) external onlyOwner { require(_burnsPerAddress > 0 && _totalSlots > 0, "Must be > 0"); require(_burnsPerAddress <= _totalSlots, "Size mismatch"); Phase memory phase = Phase({ id: uint8(phases.length), burnsPerAddress: _burnsPerAddress, slotsRemaining: _totalSlots }); // Append the new phase to the phases array phases.push(phase); } /// @notice A convenience function to view the current phase's ID function currentPhaseId() view external returns (uint8) { return phases[phases.length - 1].id; } /// @notice A convenience function to view the number of Jar Dudes that can be burned per address for the current phase function currentPhaseBurnsPerAddress() view external returns (uint16) { return phases[phases.length - 1].burnsPerAddress; } /// @notice A convenience function to see how many more Jar Dudes can be burned this phase function currentPhaseSlotsRemaining() view external returns (uint16) { return phases[phases.length - 1].slotsRemaining; } }
// SPDX-License-Identifier: MIT // ERC721A Contracts v3.3.0 // Creator: Chiru Labs pragma solidity ^0.8.4; import './IERC721A.sol'; import '@openzeppelin/contracts/token/ERC721/IERC721Receiver.sol'; import '@openzeppelin/contracts/utils/Address.sol'; import '@openzeppelin/contracts/utils/Context.sol'; import '@openzeppelin/contracts/utils/Strings.sol'; import '@openzeppelin/contracts/utils/introspection/ERC165.sol'; /** * @dev Implementation of https://eips.ethereum.org/EIPS/eip-721[ERC721] Non-Fungible Token Standard, including * the Metadata extension. Built to optimize for lower gas during batch mints. * * Assumes serials are sequentially minted starting at _startTokenId() (defaults to 0, e.g. 0, 1, 2, 3..). * * Assumes that an owner cannot have more than 2**64 - 1 (max value of uint64) of supply. * * Assumes that the maximum token id cannot exceed 2**256 - 1 (max value of uint256). */ contract ERC721A is Context, ERC165, IERC721A { using Address for address; using Strings for uint256; // The tokenId of the next token to be minted. uint256 internal _currentIndex; // The number of tokens burned. uint256 internal _burnCounter; // Token name string private _name; // Token symbol string private _symbol; // Mapping from token ID to ownership details // An empty struct value does not necessarily mean the token is unowned. See _ownershipOf implementation for details. mapping(uint256 => TokenOwnership) internal _ownerships; // Mapping owner address to address data mapping(address => AddressData) private _addressData; // Mapping from token ID to approved address mapping(uint256 => address) private _tokenApprovals; // Mapping from owner to operator approvals mapping(address => mapping(address => bool)) private _operatorApprovals; constructor(string memory name_, string memory symbol_) { _name = name_; _symbol = symbol_; _currentIndex = _startTokenId(); } /** * To change the starting tokenId, please override this function. */ function _startTokenId() internal view virtual returns (uint256) { return 0; } /** * @dev Burned tokens are calculated here, use _totalMinted() if you want to count just minted tokens. */ function totalSupply() public view override returns (uint256) { // Counter underflow is impossible as _burnCounter cannot be incremented // more than _currentIndex - _startTokenId() times unchecked { return _currentIndex - _burnCounter - _startTokenId(); } } /** * Returns the total amount of tokens minted in the contract. */ function _totalMinted() internal view returns (uint256) { // Counter underflow is impossible as _currentIndex does not decrement, // and it is initialized to _startTokenId() unchecked { return _currentIndex - _startTokenId(); } } /** * @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 override returns (uint256) { if (owner == address(0)) revert BalanceQueryForZeroAddress(); return uint256(_addressData[owner].balance); } /** * Returns the number of tokens minted by `owner`. */ function _numberMinted(address owner) internal view returns (uint256) { return uint256(_addressData[owner].numberMinted); } /** * Returns the number of tokens burned by or on behalf of `owner`. */ function _numberBurned(address owner) internal view returns (uint256) { return uint256(_addressData[owner].numberBurned); } /** * Returns the auxillary data for `owner`. (e.g. number of whitelist mint slots used). */ function _getAux(address owner) internal view returns (uint64) { return _addressData[owner].aux; } /** * Sets the auxillary data for `owner`. (e.g. number of whitelist mint slots used). * If there are multiple variables, please pack them into a uint64. */ function _setAux(address owner, uint64 aux) internal { _addressData[owner].aux = aux; } /** * Gas spent here starts off proportional to the maximum mint batch size. * It gradually moves to O(1) as tokens get transferred around in the collection over time. */ function _ownershipOf(uint256 tokenId) internal view returns (TokenOwnership memory) { uint256 curr = tokenId; unchecked { if (_startTokenId() <= curr) if (curr < _currentIndex) { TokenOwnership memory ownership = _ownerships[curr]; if (!ownership.burned) { if (ownership.addr != address(0)) { return ownership; } // Invariant: // There will always be an ownership that has an address and is not burned // before an ownership that does not have an address and is not burned. // Hence, curr will not underflow. while (true) { curr--; ownership = _ownerships[curr]; if (ownership.addr != address(0)) { return ownership; } } } } } revert OwnerQueryForNonexistentToken(); } /** * @dev See {IERC721-ownerOf}. */ function ownerOf(uint256 tokenId) public view override returns (address) { return _ownershipOf(tokenId).addr; } /** * @dev See {IERC721Metadata-name}. */ function name() public view virtual override returns (string memory) { return _name; } /** * @dev See {IERC721Metadata-symbol}. */ function symbol() public view virtual override returns (string memory) { return _symbol; } /** * @dev See {IERC721Metadata-tokenURI}. */ function tokenURI(uint256 tokenId) public view virtual override returns (string memory) { if (!_exists(tokenId)) revert URIQueryForNonexistentToken(); string memory baseURI = _baseURI(); return bytes(baseURI).length != 0 ? string(abi.encodePacked(baseURI, tokenId.toString())) : ''; } /** * @dev Base URI for computing {tokenURI}. If set, the resulting URI for each * token will be the concatenation of the `baseURI` and the `tokenId`. Empty * by default, can be overriden in child contracts. */ function _baseURI() internal view virtual returns (string memory) { return ''; } /** * @dev See {IERC721-approve}. */ function approve(address to, uint256 tokenId) public override { address owner = ERC721A.ownerOf(tokenId); if (to == owner) revert ApprovalToCurrentOwner(); if (_msgSender() != owner) if(!isApprovedForAll(owner, _msgSender())) { revert ApprovalCallerNotOwnerNorApproved(); } _approve(to, tokenId, owner); } /** * @dev See {IERC721-getApproved}. */ function getApproved(uint256 tokenId) public view override returns (address) { if (!_exists(tokenId)) revert ApprovalQueryForNonexistentToken(); return _tokenApprovals[tokenId]; } /** * @dev See {IERC721-setApprovalForAll}. */ function setApprovalForAll(address operator, bool approved) public virtual override { if (operator == _msgSender()) revert ApproveToCaller(); _operatorApprovals[_msgSender()][operator] = approved; emit ApprovalForAll(_msgSender(), operator, approved); } /** * @dev See {IERC721-isApprovedForAll}. */ function isApprovedForAll(address owner, address operator) public view virtual override returns (bool) { return _operatorApprovals[owner][operator]; } /** * @dev See {IERC721-transferFrom}. */ function transferFrom( address from, address to, uint256 tokenId ) public virtual override { _transfer(from, to, tokenId); } /** * @dev See {IERC721-safeTransferFrom}. */ function safeTransferFrom( address from, address to, uint256 tokenId ) public virtual override { safeTransferFrom(from, to, tokenId, ''); } /** * @dev See {IERC721-safeTransferFrom}. */ function safeTransferFrom( address from, address to, uint256 tokenId, bytes memory _data ) public virtual override { _transfer(from, to, tokenId); if (to.isContract()) if(!_checkContractOnERC721Received(from, to, tokenId, _data)) { revert TransferToNonERC721ReceiverImplementer(); } } /** * @dev Returns whether `tokenId` exists. * * Tokens can be managed by their owner or approved accounts via {approve} or {setApprovalForAll}. * * Tokens start existing when they are minted (`_mint`), */ function _exists(uint256 tokenId) internal view returns (bool) { return _startTokenId() <= tokenId && tokenId < _currentIndex && !_ownerships[tokenId].burned; } /** * @dev Equivalent to `_safeMint(to, quantity, '')`. */ function _safeMint(address to, uint256 quantity) internal { _safeMint(to, quantity, ''); } /** * @dev Safely mints `quantity` tokens and transfers them to `to`. * * Requirements: * * - If `to` refers to a smart contract, it must implement * {IERC721Receiver-onERC721Received}, which is called for each safe transfer. * - `quantity` must be greater than 0. * * Emits a {Transfer} event. */ function _safeMint( address to, uint256 quantity, bytes memory _data ) internal { uint256 startTokenId = _currentIndex; if (to == address(0)) revert MintToZeroAddress(); if (quantity == 0) revert MintZeroQuantity(); _beforeTokenTransfers(address(0), to, startTokenId, quantity); // Overflows are incredibly unrealistic. // balance or numberMinted overflow if current value of either + quantity > 1.8e19 (2**64) - 1 // updatedIndex overflows if _currentIndex + quantity > 1.2e77 (2**256) - 1 unchecked { _addressData[to].balance += uint64(quantity); _addressData[to].numberMinted += uint64(quantity); _ownerships[startTokenId].addr = to; _ownerships[startTokenId].startTimestamp = uint64(block.timestamp); uint256 updatedIndex = startTokenId; uint256 end = updatedIndex + quantity; if (to.isContract()) { do { emit Transfer(address(0), to, updatedIndex); if (!_checkContractOnERC721Received(address(0), to, updatedIndex++, _data)) { revert TransferToNonERC721ReceiverImplementer(); } } while (updatedIndex < end); // Reentrancy protection if (_currentIndex != startTokenId) revert(); } else { do { emit Transfer(address(0), to, updatedIndex++); } while (updatedIndex < end); } _currentIndex = updatedIndex; } _afterTokenTransfers(address(0), to, startTokenId, quantity); } /** * @dev Mints `quantity` tokens and transfers them to `to`. * * Requirements: * * - `to` cannot be the zero address. * - `quantity` must be greater than 0. * * Emits a {Transfer} event. */ function _mint(address to, uint256 quantity) internal { uint256 startTokenId = _currentIndex; if (to == address(0)) revert MintToZeroAddress(); if (quantity == 0) revert MintZeroQuantity(); _beforeTokenTransfers(address(0), to, startTokenId, quantity); // Overflows are incredibly unrealistic. // balance or numberMinted overflow if current value of either + quantity > 1.8e19 (2**64) - 1 // updatedIndex overflows if _currentIndex + quantity > 1.2e77 (2**256) - 1 unchecked { _addressData[to].balance += uint64(quantity); _addressData[to].numberMinted += uint64(quantity); _ownerships[startTokenId].addr = to; _ownerships[startTokenId].startTimestamp = uint64(block.timestamp); uint256 updatedIndex = startTokenId; uint256 end = updatedIndex + quantity; do { emit Transfer(address(0), to, updatedIndex++); } while (updatedIndex < end); _currentIndex = updatedIndex; } _afterTokenTransfers(address(0), to, startTokenId, quantity); } /** * @dev Transfers `tokenId` from `from` to `to`. * * Requirements: * * - `to` cannot be the zero address. * - `tokenId` token must be owned by `from`. * * Emits a {Transfer} event. */ function _transfer( address from, address to, uint256 tokenId ) private { TokenOwnership memory prevOwnership = _ownershipOf(tokenId); if (prevOwnership.addr != from) revert TransferFromIncorrectOwner(); bool isApprovedOrOwner = (_msgSender() == from || isApprovedForAll(from, _msgSender()) || getApproved(tokenId) == _msgSender()); if (!isApprovedOrOwner) revert TransferCallerNotOwnerNorApproved(); if (to == address(0)) revert TransferToZeroAddress(); _beforeTokenTransfers(from, to, tokenId, 1); // Clear approvals from the previous owner _approve(address(0), tokenId, from); // Underflow of the sender's balance is impossible because we check for // ownership above and the recipient's balance can't realistically overflow. // Counter overflow is incredibly unrealistic as tokenId would have to be 2**256. unchecked { _addressData[from].balance -= 1; _addressData[to].balance += 1; TokenOwnership storage currSlot = _ownerships[tokenId]; currSlot.addr = to; currSlot.startTimestamp = uint64(block.timestamp); // If the ownership slot of tokenId+1 is not explicitly set, that means the transfer initiator owns it. // Set the slot of tokenId+1 explicitly in storage to maintain correctness for ownerOf(tokenId+1) calls. uint256 nextTokenId = tokenId + 1; TokenOwnership storage nextSlot = _ownerships[nextTokenId]; if (nextSlot.addr == address(0)) { // This will suffice for checking _exists(nextTokenId), // as a burned slot cannot contain the zero address. if (nextTokenId != _currentIndex) { nextSlot.addr = from; nextSlot.startTimestamp = prevOwnership.startTimestamp; } } } emit Transfer(from, to, tokenId); _afterTokenTransfers(from, to, tokenId, 1); } /** * @dev Equivalent to `_burn(tokenId, false)`. */ function _burn(uint256 tokenId) internal virtual { _burn(tokenId, false); } /** * @dev Destroys `tokenId`. * The approval is cleared when the token is burned. * * Requirements: * * - `tokenId` must exist. * * Emits a {Transfer} event. */ function _burn(uint256 tokenId, bool approvalCheck) internal virtual { TokenOwnership memory prevOwnership = _ownershipOf(tokenId); address from = prevOwnership.addr; if (approvalCheck) { bool isApprovedOrOwner = (_msgSender() == from || isApprovedForAll(from, _msgSender()) || getApproved(tokenId) == _msgSender()); if (!isApprovedOrOwner) revert TransferCallerNotOwnerNorApproved(); } _beforeTokenTransfers(from, address(0), tokenId, 1); // Clear approvals from the previous owner _approve(address(0), tokenId, from); // Underflow of the sender's balance is impossible because we check for // ownership above and the recipient's balance can't realistically overflow. // Counter overflow is incredibly unrealistic as tokenId would have to be 2**256. unchecked { AddressData storage addressData = _addressData[from]; addressData.balance -= 1; addressData.numberBurned += 1; // Keep track of who burned the token, and the timestamp of burning. TokenOwnership storage currSlot = _ownerships[tokenId]; currSlot.addr = from; currSlot.startTimestamp = uint64(block.timestamp); currSlot.burned = true; // If the ownership slot of tokenId+1 is not explicitly set, that means the burn initiator owns it. // Set the slot of tokenId+1 explicitly in storage to maintain correctness for ownerOf(tokenId+1) calls. uint256 nextTokenId = tokenId + 1; TokenOwnership storage nextSlot = _ownerships[nextTokenId]; if (nextSlot.addr == address(0)) { // This will suffice for checking _exists(nextTokenId), // as a burned slot cannot contain the zero address. if (nextTokenId != _currentIndex) { nextSlot.addr = from; nextSlot.startTimestamp = prevOwnership.startTimestamp; } } } emit Transfer(from, address(0), tokenId); _afterTokenTransfers(from, address(0), tokenId, 1); // Overflow not possible, as _burnCounter cannot be exceed _currentIndex times. unchecked { _burnCounter++; } } /** * @dev Approve `to` to operate on `tokenId` * * Emits a {Approval} event. */ function _approve( address to, uint256 tokenId, address owner ) private { _tokenApprovals[tokenId] = to; emit Approval(owner, to, tokenId); } /** * @dev Internal function to invoke {IERC721Receiver-onERC721Received} on a target 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 _checkContractOnERC721Received( address from, address to, uint256 tokenId, bytes memory _data ) private returns (bool) { try IERC721Receiver(to).onERC721Received(_msgSender(), from, tokenId, _data) returns (bytes4 retval) { return retval == IERC721Receiver(to).onERC721Received.selector; } catch (bytes memory reason) { if (reason.length == 0) { revert TransferToNonERC721ReceiverImplementer(); } else { assembly { revert(add(32, reason), mload(reason)) } } } } /** * @dev Hook that is called before a set of serially-ordered token ids are about to be transferred. This includes minting. * And also called before burning one token. * * startTokenId - the first token id to be transferred * quantity - the amount to be transferred * * Calling conditions: * * - When `from` and `to` are both non-zero, `from`'s `tokenId` will be * transferred to `to`. * - When `from` is zero, `tokenId` will be minted for `to`. * - When `to` is zero, `tokenId` will be burned by `from`. * - `from` and `to` are never both zero. */ function _beforeTokenTransfers( address from, address to, uint256 startTokenId, uint256 quantity ) internal virtual {} /** * @dev Hook that is called after a set of serially-ordered token ids have been transferred. This includes * minting. * And also called after one token has been burned. * * startTokenId - the first token id to be transferred * quantity - the amount to be transferred * * Calling conditions: * * - When `from` and `to` are both non-zero, `from`'s `tokenId` has been * transferred to `to`. * - When `from` is zero, `tokenId` has been minted for `to`. * - When `to` is zero, `tokenId` has been burned by `from`. * - `from` and `to` are never both zero. */ function _afterTokenTransfers( address from, address to, uint256 startTokenId, uint256 quantity ) internal virtual {} }
// SPDX-License-Identifier: MIT // OpenZeppelin Contracts v4.4.1 (access/Ownable.sol) pragma solidity ^0.8.0; import "../utils/Context.sol"; /** * @dev Contract module which provides a basic access control mechanism, where * there is an account (an owner) that can be granted exclusive access to * specific functions. * * By default, the owner account will be the one that deploys the contract. This * can later be changed with {transferOwnership}. * * This module is used through inheritance. It will make available the modifier * `onlyOwner`, which can be applied to your functions to restrict their use to * the owner. */ abstract contract Ownable is Context { address private _owner; event OwnershipTransferred(address indexed previousOwner, address indexed newOwner); /** * @dev Initializes the contract setting the deployer as the initial owner. */ constructor() { _transferOwnership(_msgSender()); } /** * @dev Returns the address of the current owner. */ function owner() public view virtual returns (address) { return _owner; } /** * @dev Throws if called by any account other than the owner. */ modifier onlyOwner() { require(owner() == _msgSender(), "Ownable: caller is not the owner"); _; } /** * @dev Leaves the contract without owner. It will not be possible to call * `onlyOwner` functions anymore. Can only be called by the current owner. * * NOTE: Renouncing ownership will leave the contract without an owner, * thereby removing any functionality that is only available to the owner. */ function renounceOwnership() public virtual onlyOwner { _transferOwnership(address(0)); } /** * @dev Transfers ownership of the contract to a new account (`newOwner`). * Can only be called by the current owner. */ function transferOwnership(address newOwner) public virtual onlyOwner { require(newOwner != address(0), "Ownable: new owner is the zero address"); _transferOwnership(newOwner); } /** * @dev Transfers ownership of the contract to a new account (`newOwner`). * Internal function without access restriction. */ function _transferOwnership(address newOwner) internal virtual { address oldOwner = _owner; _owner = newOwner; emit OwnershipTransferred(oldOwner, newOwner); } }
// SPDX-License-Identifier: MIT // ERC721A Contracts v3.3.0 // Creator: Chiru Labs pragma solidity ^0.8.4; import '@openzeppelin/contracts/token/ERC721/IERC721.sol'; import '@openzeppelin/contracts/token/ERC721/extensions/IERC721Metadata.sol'; /** * @dev Interface of an ERC721A compliant contract. */ interface IERC721A is IERC721, IERC721Metadata { /** * The caller must own the token or be an approved operator. */ error ApprovalCallerNotOwnerNorApproved(); /** * The token does not exist. */ error ApprovalQueryForNonexistentToken(); /** * The caller cannot approve to their own address. */ error ApproveToCaller(); /** * The caller cannot approve to the current owner. */ error ApprovalToCurrentOwner(); /** * Cannot query the balance for the zero address. */ error BalanceQueryForZeroAddress(); /** * Cannot mint to the zero address. */ error MintToZeroAddress(); /** * The quantity of tokens minted must be more than zero. */ error MintZeroQuantity(); /** * The token does not exist. */ error OwnerQueryForNonexistentToken(); /** * The caller must own the token or be an approved operator. */ error TransferCallerNotOwnerNorApproved(); /** * The token must be owned by `from`. */ error TransferFromIncorrectOwner(); /** * Cannot safely transfer to a contract that does not implement the ERC721Receiver interface. */ error TransferToNonERC721ReceiverImplementer(); /** * Cannot transfer to the zero address. */ error TransferToZeroAddress(); /** * The token does not exist. */ error URIQueryForNonexistentToken(); // Compiler will pack this into a single 256bit word. struct TokenOwnership { // The address of the owner. address addr; // Keeps track of the start time of ownership with minimal overhead for tokenomics. uint64 startTimestamp; // Whether the token has been burned. bool burned; } // Compiler will pack this into a single 256bit word. struct AddressData { // Realistically, 2**64-1 is more than enough. uint64 balance; // Keeps track of mint count with minimal overhead for tokenomics. uint64 numberMinted; // Keeps track of burn count with minimal overhead for tokenomics. uint64 numberBurned; // For miscellaneous variable(s) pertaining to the address // (e.g. number of whitelist mint slots used). // If there are multiple variables, please pack them into a uint64. uint64 aux; } /** * @dev Returns the total amount of tokens stored by the contract. * * Burned tokens are calculated here, use `_totalMinted()` if you want to count just minted tokens. */ function totalSupply() external view returns (uint256); }
// 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); }
// SPDX-License-Identifier: MIT // OpenZeppelin Contracts (last updated v4.5.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 functionCall(target, data, "Address: low-level call failed"); } /** * @dev Same as {xref-Address-functionCall-address-bytes-}[`functionCall`], but with * `errorMessage` as a fallback revert reason when `target` reverts. * * _Available since v3.1._ */ function functionCall( address target, bytes memory data, string memory errorMessage ) internal returns (bytes memory) { return functionCallWithValue(target, data, 0, errorMessage); } /** * @dev Same as {xref-Address-functionCall-address-bytes-}[`functionCall`], * but also transferring `value` wei to `target`. * * Requirements: * * - the calling contract must have an ETH balance of at least `value`. * - the called Solidity function must be `payable`. * * _Available since v3.1._ */ function functionCallWithValue( address target, bytes memory data, uint256 value ) internal returns (bytes memory) { return functionCallWithValue(target, data, value, "Address: low-level call with value failed"); } /** * @dev Same as {xref-Address-functionCallWithValue-address-bytes-uint256-}[`functionCallWithValue`], but * with `errorMessage` as a fallback revert reason when `target` reverts. * * _Available since v3.1._ */ function functionCallWithValue( address target, bytes memory data, uint256 value, string memory errorMessage ) internal returns (bytes memory) { require(address(this).balance >= value, "Address: insufficient balance for call"); require(isContract(target), "Address: call to non-contract"); (bool success, bytes memory returndata) = target.call{value: value}(data); return verifyCallResult(success, returndata, errorMessage); } /** * @dev Same as {xref-Address-functionCall-address-bytes-}[`functionCall`], * but performing a static call. * * _Available since v3.3._ */ function functionStaticCall(address target, bytes memory data) internal view returns (bytes memory) { return functionStaticCall(target, data, "Address: low-level static call failed"); } /** * @dev Same as {xref-Address-functionCall-address-bytes-string-}[`functionCall`], * but performing a static call. * * _Available since v3.3._ */ function functionStaticCall( address target, bytes memory data, string memory errorMessage ) internal view returns (bytes memory) { require(isContract(target), "Address: static call to non-contract"); (bool success, bytes memory returndata) = target.staticcall(data); return verifyCallResult(success, returndata, errorMessage); } /** * @dev Same as {xref-Address-functionCall-address-bytes-}[`functionCall`], * but performing a delegate call. * * _Available since v3.4._ */ function functionDelegateCall(address target, bytes memory data) internal returns (bytes memory) { return functionDelegateCall(target, data, "Address: low-level delegate call failed"); } /** * @dev Same as {xref-Address-functionCall-address-bytes-string-}[`functionCall`], * but performing a delegate call. * * _Available since v3.4._ */ function functionDelegateCall( address target, bytes memory data, string memory errorMessage ) internal returns (bytes memory) { require(isContract(target), "Address: delegate call to non-contract"); (bool success, bytes memory returndata) = target.delegatecall(data); return verifyCallResult(success, returndata, errorMessage); } /** * @dev Tool to verifies that a low level call was successful, and revert if it wasn't, either by bubbling the * revert reason using the provided one. * * _Available since v4.3._ */ function verifyCallResult( bool success, bytes memory returndata, string memory errorMessage ) internal pure returns (bytes memory) { if (success) { return returndata; } else { // Look for revert reason and bubble it up if present if (returndata.length > 0) { // The easiest way to bubble the revert reason is using memory via assembly assembly { let returndata_size := mload(returndata) revert(add(32, returndata), returndata_size) } } else { revert(errorMessage); } } } }
// 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; } }
// SPDX-License-Identifier: MIT // OpenZeppelin Contracts v4.4.1 (utils/Strings.sol) pragma solidity ^0.8.0; /** * @dev String operations. */ library Strings { bytes16 private constant _HEX_SYMBOLS = "0123456789abcdef"; /** * @dev Converts a `uint256` to its ASCII `string` decimal representation. */ function toString(uint256 value) internal pure returns (string memory) { // Inspired by OraclizeAPI's implementation - MIT licence // https://github.com/oraclize/ethereum-api/blob/b42146b063c7d6ee1358846c198246239e9360e8/oraclizeAPI_0.4.25.sol if (value == 0) { return "0"; } uint256 temp = value; uint256 digits; while (temp != 0) { digits++; temp /= 10; } bytes memory buffer = new bytes(digits); while (value != 0) { digits -= 1; buffer[digits] = bytes1(uint8(48 + uint256(value % 10))); value /= 10; } return string(buffer); } /** * @dev Converts a `uint256` to its ASCII `string` hexadecimal representation. */ function toHexString(uint256 value) internal pure returns (string memory) { if (value == 0) { return "0x00"; } uint256 temp = value; uint256 length = 0; while (temp != 0) { length++; temp >>= 8; } return toHexString(value, length); } /** * @dev Converts a `uint256` to its ASCII `string` hexadecimal representation with fixed length. */ function toHexString(uint256 value, uint256 length) internal pure returns (string memory) { bytes memory buffer = new bytes(2 * length + 2); buffer[0] = "0"; buffer[1] = "x"; for (uint256 i = 2 * length + 1; i > 1; --i) { buffer[i] = _HEX_SYMBOLS[value & 0xf]; value >>= 4; } require(value == 0, "Strings: hex length insufficient"); return string(buffer); } }
// 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; } }
// SPDX-License-Identifier: MIT // OpenZeppelin Contracts (last updated v4.6.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 be have been allowed to move this token by either {approve} or {setApprovalForAll}. * - If `to` refers to a smart contract, it must implement {IERC721Receiver-onERC721Received}, which is called upon a safe transfer. * * Emits a {Transfer} event. */ function safeTransferFrom( address from, address to, uint256 tokenId ) external; /** * @dev Transfers `tokenId` token from `from` to `to`. * * WARNING: Usage of this method is discouraged, use {safeTransferFrom} whenever possible. * * Requirements: * * - `from` cannot be the zero address. * - `to` cannot be the zero address. * - `tokenId` token must be owned by `from`. * - If the caller is not `from`, it must be approved to move this token by either {approve} or {setApprovalForAll}. * * Emits a {Transfer} event. */ function transferFrom( address from, address to, uint256 tokenId ) external; /** * @dev Gives permission to `to` to transfer `tokenId` token to another account. * The approval is cleared when the token is transferred. * * Only a single account can be approved at a time, so approving the zero address clears previous approvals. * * Requirements: * * - The caller must own the token or be an approved operator. * - `tokenId` must exist. * * Emits an {Approval} event. */ function approve(address to, uint256 tokenId) external; /** * @dev 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); }
// 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); }
// 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); }
{ "optimizer": { "enabled": false, "runs": 200 }, "outputSelection": { "*": { "*": [ "evm.bytecode", "evm.deployedBytecode", "devdoc", "userdoc", "metadata", "abi" ] } }, "libraries": {} }
Contract Security Audit
- No Contract Security Audit Submitted- Submit Audit Here
[{"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":"_id","type":"uint256"},{"indexed":true,"internalType":"address","name":"_by","type":"address"}],"name":"tokenBurned","type":"event"},{"inputs":[{"internalType":"uint256[]","name":"_ids","type":"uint256[]"}],"name":"burn","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"uint256","name":"","type":"uint256"},{"internalType":"address","name":"","type":"address"}],"name":"burnCountForPhase","outputs":[{"internalType":"uint256","name":"","type":"uint256"}],"stateMutability":"view","type":"function"},{"inputs":[{"internalType":"uint16","name":"_burnsPerAddress","type":"uint16"},{"internalType":"uint16","name":"_totalSlots","type":"uint16"}],"name":"createNewPhase","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[],"name":"currentPhaseBurnsPerAddress","outputs":[{"internalType":"uint16","name":"","type":"uint16"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"currentPhaseId","outputs":[{"internalType":"uint8","name":"","type":"uint8"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"currentPhaseSlotsRemaining","outputs":[{"internalType":"uint16","name":"","type":"uint16"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"jarDudeContract","outputs":[{"internalType":"contract ERC721A","name":"","type":"address"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"owner","outputs":[{"internalType":"address","name":"","type":"address"}],"stateMutability":"view","type":"function"},{"inputs":[{"internalType":"uint256","name":"","type":"uint256"}],"name":"phases","outputs":[{"internalType":"uint8","name":"id","type":"uint8"},{"internalType":"uint16","name":"burnsPerAddress","type":"uint16"},{"internalType":"uint16","name":"slotsRemaining","type":"uint16"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"renounceOwnership","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"uint256","name":"num","type":"uint256"}],"name":"setBurnSlotLength","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"address","name":"newOwner","type":"address"}],"name":"transferOwnership","outputs":[],"stateMutability":"nonpayable","type":"function"}]
Contract Creation Code
608060405273b4711bfa7d063200ecab54529807b53a0d3c17cc600160006101000a81548173ffffffffffffffffffffffffffffffffffffffff021916908373ffffffffffffffffffffffffffffffffffffffff16021790555034801561006557600080fd5b5061008261007761008760201b60201c565b61008f60201b60201c565b610153565b600033905090565b60008060009054906101000a900473ffffffffffffffffffffffffffffffffffffffff169050816000806101000a81548173ffffffffffffffffffffffffffffffffffffffff021916908373ffffffffffffffffffffffffffffffffffffffff1602179055508173ffffffffffffffffffffffffffffffffffffffff168173ffffffffffffffffffffffffffffffffffffffff167f8be0079c531659141344cd1fd0a4f28419497f9722a3daafe3b4186f6b6457e060405160405180910390a35050565b611c45806101626000396000f3fe608060405234801561001057600080fd5b50600436106100b45760003560e01c8063770b463711610071578063770b46371461017d5780638da5cb5b14610199578063b80f55c9146101b7578063c70e212a146101d3578063cd649d21146101f1578063f2fde38b1461020f576100b4565b80631deac4d0146100b9578063255dfdb9146100d75780632c9032dd146101075780632e37eef61461012357806340c5b34e14610155578063715018a614610173575b600080fd5b6100c161022b565b6040516100ce91906110a8565b60405180910390f35b6100f160048036038101906100ec9190611161565b610273565b6040516100fe91906111b0565b60405180910390f35b610121600480360381019061011c91906111cb565b610298565b005b61013d600480360381019061013891906111cb565b610445565b60405161014c93929190611214565b60405180910390f35b61015d6104a4565b60405161016a919061124b565b60405180910390f35b61017b6104eb565b005b61019760048036038101906101929190611292565b610573565b005b6101a1610756565b6040516101ae91906112e1565b60405180910390f35b6101d160048036038101906101cc9190611361565b61077f565b005b6101db610cd0565b6040516101e8919061140d565b60405180910390f35b6101f9610cf6565b60405161020691906110a8565b60405180910390f35b61022960048036038101906102249190611428565b610d3e565b005b6000600460016004805490506102419190611484565b81548110610252576102516114b8565b5b9060005260206000200160000160019054906101000a900461ffff16905090565b6003602052816000526040600020602052806000526040600020600091509150505481565b6102a0610e36565b73ffffffffffffffffffffffffffffffffffffffff166102be610756565b73ffffffffffffffffffffffffffffffffffffffff1614610314576040517f08c379a000000000000000000000000000000000000000000000000000000000815260040161030b90611544565b60405180910390fd5b612710811115610359576040517f08c379a0000000000000000000000000000000000000000000000000000000008152600401610350906115b0565b60405180910390fd5b600060016101008361036b91906115ff565b6103759190611630565b905060007fffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffff905060008267ffffffffffffffff8111156103b8576103b7611686565b5b6040519080825280602002602001820160405280156103e65781602001602082028036833780820191505090505b50905060005b838110156104275782828281518110610408576104076114b8565b5b602002602001018181525050808061041f906116b5565b9150506103ec565b50806002908051906020019061043e929190611021565b5050505050565b6004818154811061045557600080fd5b906000526020600020016000915090508060000160009054906101000a900460ff16908060000160019054906101000a900461ffff16908060000160039054906101000a900461ffff16905083565b6000600460016004805490506104ba9190611484565b815481106104cb576104ca6114b8565b5b9060005260206000200160000160009054906101000a900460ff16905090565b6104f3610e36565b73ffffffffffffffffffffffffffffffffffffffff16610511610756565b73ffffffffffffffffffffffffffffffffffffffff1614610567576040517f08c379a000000000000000000000000000000000000000000000000000000000815260040161055e90611544565b60405180910390fd5b6105716000610e3e565b565b61057b610e36565b73ffffffffffffffffffffffffffffffffffffffff16610599610756565b73ffffffffffffffffffffffffffffffffffffffff16146105ef576040517f08c379a00000000000000000000000000000000000000000000000000000000081526004016105e690611544565b60405180910390fd5b60008261ffff16118015610607575060008161ffff16115b610646576040517f08c379a000000000000000000000000000000000000000000000000000000000815260040161063d9061174a565b60405180910390fd5b8061ffff168261ffff161115610691576040517f08c379a0000000000000000000000000000000000000000000000000000000008152600401610688906117b6565b60405180910390fd5b6000604051806060016040528060048054905060ff1681526020018461ffff1681526020018361ffff1681525090506004819080600181540180825580915050600190039060005260206000200160009091909190915060008201518160000160006101000a81548160ff021916908360ff16021790555060208201518160000160016101000a81548161ffff021916908361ffff16021790555060408201518160000160036101000a81548161ffff021916908361ffff1602179055505050505050565b60008060009054906101000a900473ffffffffffffffffffffffffffffffffffffffff16905090565b600560009054906101000a900460ff161561079957600080fd5b6001600560006101000a81548160ff021916908315150217905550600160009054906101000a900473ffffffffffffffffffffffffffffffffffffffff1673ffffffffffffffffffffffffffffffffffffffff1663e985e9c533306040518363ffffffff1660e01b81526004016108119291906117d6565b602060405180830381865afa15801561082e573d6000803e3d6000fd5b505050506040513d601f19601f820116820180604052508101906108529190611837565b610891576040517f08c379a0000000000000000000000000000000000000000000000000000000008152600401610888906118b0565b60405180910390fd5b6000600460016004805490506108a79190611484565b815481106108b8576108b76114b8565b5b906000526020600020016040518060600160405290816000820160009054906101000a900460ff1660ff1660ff1681526020016000820160019054906101000a900461ffff1661ffff1661ffff1681526020016000820160039054906101000a900461ffff1661ffff1661ffff168152505090506000816040015161ffff1611610977576040517f08c379a000000000000000000000000000000000000000000000000000000000815260040161096e9061191c565b60405180910390fd5b6000838390509050816020015161ffff168160036000856000015160ff16815260200190815260200160002060003373ffffffffffffffffffffffffffffffffffffffff1673ffffffffffffffffffffffffffffffffffffffff168152602001908152602001600020546109eb9190611630565b1115610a2c576040517f08c379a0000000000000000000000000000000000000000000000000000000008152600401610a2390611988565b60405180910390fd5b600081836040015161ffff16610a429190611484565b1015610a83576040517f08c379a0000000000000000000000000000000000000000000000000000000008152600401610a7a906119f4565b60405180910390fd5b60005b81811015610c14576000858583818110610aa357610aa26114b8565b5b905060200201359050610ab581610f02565b600160009054906101000a900473ffffffffffffffffffffffffffffffffffffffff1673ffffffffffffffffffffffffffffffffffffffff166323b872dd336001846040518463ffffffff1660e01b8152600401610b1593929190611a14565b600060405180830381600087803b158015610b2f57600080fd5b505af1158015610b43573d6000803e3d6000fd5b505050503373ffffffffffffffffffffffffffffffffffffffff16817f43de1438b2a63abb546337aa03321a4318e3e8a018514734fccd3fec28c1d2ed60405160405180910390a360036000856000015160ff16815260200190815260200160002060003373ffffffffffffffffffffffffffffffffffffffff1673ffffffffffffffffffffffffffffffffffffffff16815260200190815260200160002060008154600101919050819055508360400180516001900361ffff16908161ffff168152505081600101915050610a86565b508160046001600480549050610c2a9190611484565b81548110610c3b57610c3a6114b8565b5b9060005260206000200160008201518160000160006101000a81548160ff021916908360ff16021790555060208201518160000160016101000a81548161ffff021916908361ffff16021790555060408201518160000160036101000a81548161ffff021916908361ffff16021790555090505050506000600560006101000a81548160ff0219169083151502179055505050565b600160009054906101000a900473ffffffffffffffffffffffffffffffffffffffff1681565b600060046001600480549050610d0c9190611484565b81548110610d1d57610d1c6114b8565b5b9060005260206000200160000160039054906101000a900461ffff16905090565b610d46610e36565b73ffffffffffffffffffffffffffffffffffffffff16610d64610756565b73ffffffffffffffffffffffffffffffffffffffff1614610dba576040517f08c379a0000000000000000000000000000000000000000000000000000000008152600401610db190611544565b60405180910390fd5b600073ffffffffffffffffffffffffffffffffffffffff168173ffffffffffffffffffffffffffffffffffffffff161415610e2a576040517f08c379a0000000000000000000000000000000000000000000000000000000008152600401610e2190611abd565b60405180910390fd5b610e3381610e3e565b50565b600033905090565b60008060009054906101000a900473ffffffffffffffffffffffffffffffffffffffff169050816000806101000a81548173ffffffffffffffffffffffffffffffffffffffff021916908373ffffffffffffffffffffffffffffffffffffffff1602179055508173ffffffffffffffffffffffffffffffffffffffff168173ffffffffffffffffffffffffffffffffffffffff167f8be0079c531659141344cd1fd0a4f28419497f9722a3daafe3b4186f6b6457e060405160405180910390a35050565b610100600280549050610f159190611add565b8110610f56576040517f08c379a0000000000000000000000000000000000000000000000000000000008152600401610f4d90611b83565b60405180910390fd5b60008060006101008481610f6d57610f6c6115d0565b5b0492506101008481610f8257610f816115d0565b5b06905060028381548110610f9957610f986114b8565b5b906000526020600020015491506001808284901c1614610fee576040517f08c379a0000000000000000000000000000000000000000000000000000000008152600401610fe590611bef565b60405180910390fd5b806001901b1982169150816002848154811061100d5761100c6114b8565b5b906000526020600020018190555050505050565b82805482825590600052602060002090810192821561105d579160200282015b8281111561105c578251825591602001919060010190611041565b5b50905061106a919061106e565b5090565b5b8082111561108757600081600090555060010161106f565b5090565b600061ffff82169050919050565b6110a28161108b565b82525050565b60006020820190506110bd6000830184611099565b92915050565b600080fd5b600080fd5b6000819050919050565b6110e0816110cd565b81146110eb57600080fd5b50565b6000813590506110fd816110d7565b92915050565b600073ffffffffffffffffffffffffffffffffffffffff82169050919050565b600061112e82611103565b9050919050565b61113e81611123565b811461114957600080fd5b50565b60008135905061115b81611135565b92915050565b60008060408385031215611178576111776110c3565b5b6000611186858286016110ee565b92505060206111978582860161114c565b9150509250929050565b6111aa816110cd565b82525050565b60006020820190506111c560008301846111a1565b92915050565b6000602082840312156111e1576111e06110c3565b5b60006111ef848285016110ee565b91505092915050565b600060ff82169050919050565b61120e816111f8565b82525050565b60006060820190506112296000830186611205565b6112366020830185611099565b6112436040830184611099565b949350505050565b60006020820190506112606000830184611205565b92915050565b61126f8161108b565b811461127a57600080fd5b50565b60008135905061128c81611266565b92915050565b600080604083850312156112a9576112a86110c3565b5b60006112b78582860161127d565b92505060206112c88582860161127d565b9150509250929050565b6112db81611123565b82525050565b60006020820190506112f660008301846112d2565b92915050565b600080fd5b600080fd5b600080fd5b60008083601f840112611321576113206112fc565b5b8235905067ffffffffffffffff81111561133e5761133d611301565b5b60208301915083602082028301111561135a57611359611306565b5b9250929050565b60008060208385031215611378576113776110c3565b5b600083013567ffffffffffffffff811115611396576113956110c8565b5b6113a28582860161130b565b92509250509250929050565b6000819050919050565b60006113d36113ce6113c984611103565b6113ae565b611103565b9050919050565b60006113e5826113b8565b9050919050565b60006113f7826113da565b9050919050565b611407816113ec565b82525050565b600060208201905061142260008301846113fe565b92915050565b60006020828403121561143e5761143d6110c3565b5b600061144c8482850161114c565b91505092915050565b7f4e487b7100000000000000000000000000000000000000000000000000000000600052601160045260246000fd5b600061148f826110cd565b915061149a836110cd565b9250828210156114ad576114ac611455565b5b828203905092915050565b7f4e487b7100000000000000000000000000000000000000000000000000000000600052603260045260246000fd5b600082825260208201905092915050565b7f4f776e61626c653a2063616c6c6572206973206e6f7420746865206f776e6572600082015250565b600061152e6020836114e7565b9150611539826114f8565b602082019050919050565b6000602082019050818103600083015261155d81611521565b9050919050565b7f4261642069640000000000000000000000000000000000000000000000000000600082015250565b600061159a6006836114e7565b91506115a582611564565b602082019050919050565b600060208201905081810360008301526115c98161158d565b9050919050565b7f4e487b7100000000000000000000000000000000000000000000000000000000600052601260045260246000fd5b600061160a826110cd565b9150611615836110cd565b925082611625576116246115d0565b5b828204905092915050565b600061163b826110cd565b9150611646836110cd565b9250827fffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffff0382111561167b5761167a611455565b5b828201905092915050565b7f4e487b7100000000000000000000000000000000000000000000000000000000600052604160045260246000fd5b60006116c0826110cd565b91507fffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffff8214156116f3576116f2611455565b5b600182019050919050565b7f4d757374206265203e2030000000000000000000000000000000000000000000600082015250565b6000611734600b836114e7565b915061173f826116fe565b602082019050919050565b6000602082019050818103600083015261176381611727565b9050919050565b7f53697a65206d69736d6174636800000000000000000000000000000000000000600082015250565b60006117a0600d836114e7565b91506117ab8261176a565b602082019050919050565b600060208201905081810360008301526117cf81611793565b9050919050565b60006040820190506117eb60008301856112d2565b6117f860208301846112d2565b9392505050565b60008115159050919050565b611814816117ff565b811461181f57600080fd5b50565b6000815190506118318161180b565b92915050565b60006020828403121561184d5761184c6110c3565b5b600061185b84828501611822565b91505092915050565b7f4e6f7420617070726f76656420746f206275726e204a61722044756465730000600082015250565b600061189a601e836114e7565b91506118a582611864565b602082019050919050565b600060208201905081810360008301526118c98161188d565b9050919050565b7f5068617365206973206f76657200000000000000000000000000000000000000600082015250565b6000611906600d836114e7565b9150611911826118d0565b602082019050919050565b60006020820190508181036000830152611935816118f9565b9050919050565b7f4d6178206275726e732070657220616464726573732068697400000000000000600082015250565b60006119726019836114e7565b915061197d8261193c565b602082019050919050565b600060208201905081810360008301526119a181611965565b9050919050565b7f546f6f206d616e79206275726e73000000000000000000000000000000000000600082015250565b60006119de600e836114e7565b91506119e9826119a8565b602082019050919050565b60006020820190508181036000830152611a0d816119d1565b9050919050565b6000606082019050611a2960008301866112d2565b611a3660208301856112d2565b611a4360408301846111a1565b949350505050565b7f4f776e61626c653a206e6577206f776e657220697320746865207a65726f206160008201527f6464726573730000000000000000000000000000000000000000000000000000602082015250565b6000611aa76026836114e7565b9150611ab282611a4b565b604082019050919050565b60006020820190508181036000830152611ad681611a9a565b9050919050565b6000611ae8826110cd565b9150611af3836110cd565b9250817fffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffff0483118215151615611b2c57611b2b611455565b5b828202905092915050565b7f496e76616c696400000000000000000000000000000000000000000000000000600082015250565b6000611b6d6007836114e7565b9150611b7882611b37565b602082019050919050565b60006020820190508181036000830152611b9c81611b60565b9050919050565b7f416c7265616479206275726e6564000000000000000000000000000000000000600082015250565b6000611bd9600e836114e7565b9150611be482611ba3565b602082019050919050565b60006020820190508181036000830152611c0881611bcc565b905091905056fea2646970667358221220ae3e5c014cffff617088189d7b19709b0cad5462caf6946756165679393d23b164736f6c634300080a0033
Deployed Bytecode
0x608060405234801561001057600080fd5b50600436106100b45760003560e01c8063770b463711610071578063770b46371461017d5780638da5cb5b14610199578063b80f55c9146101b7578063c70e212a146101d3578063cd649d21146101f1578063f2fde38b1461020f576100b4565b80631deac4d0146100b9578063255dfdb9146100d75780632c9032dd146101075780632e37eef61461012357806340c5b34e14610155578063715018a614610173575b600080fd5b6100c161022b565b6040516100ce91906110a8565b60405180910390f35b6100f160048036038101906100ec9190611161565b610273565b6040516100fe91906111b0565b60405180910390f35b610121600480360381019061011c91906111cb565b610298565b005b61013d600480360381019061013891906111cb565b610445565b60405161014c93929190611214565b60405180910390f35b61015d6104a4565b60405161016a919061124b565b60405180910390f35b61017b6104eb565b005b61019760048036038101906101929190611292565b610573565b005b6101a1610756565b6040516101ae91906112e1565b60405180910390f35b6101d160048036038101906101cc9190611361565b61077f565b005b6101db610cd0565b6040516101e8919061140d565b60405180910390f35b6101f9610cf6565b60405161020691906110a8565b60405180910390f35b61022960048036038101906102249190611428565b610d3e565b005b6000600460016004805490506102419190611484565b81548110610252576102516114b8565b5b9060005260206000200160000160019054906101000a900461ffff16905090565b6003602052816000526040600020602052806000526040600020600091509150505481565b6102a0610e36565b73ffffffffffffffffffffffffffffffffffffffff166102be610756565b73ffffffffffffffffffffffffffffffffffffffff1614610314576040517f08c379a000000000000000000000000000000000000000000000000000000000815260040161030b90611544565b60405180910390fd5b612710811115610359576040517f08c379a0000000000000000000000000000000000000000000000000000000008152600401610350906115b0565b60405180910390fd5b600060016101008361036b91906115ff565b6103759190611630565b905060007fffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffff905060008267ffffffffffffffff8111156103b8576103b7611686565b5b6040519080825280602002602001820160405280156103e65781602001602082028036833780820191505090505b50905060005b838110156104275782828281518110610408576104076114b8565b5b602002602001018181525050808061041f906116b5565b9150506103ec565b50806002908051906020019061043e929190611021565b5050505050565b6004818154811061045557600080fd5b906000526020600020016000915090508060000160009054906101000a900460ff16908060000160019054906101000a900461ffff16908060000160039054906101000a900461ffff16905083565b6000600460016004805490506104ba9190611484565b815481106104cb576104ca6114b8565b5b9060005260206000200160000160009054906101000a900460ff16905090565b6104f3610e36565b73ffffffffffffffffffffffffffffffffffffffff16610511610756565b73ffffffffffffffffffffffffffffffffffffffff1614610567576040517f08c379a000000000000000000000000000000000000000000000000000000000815260040161055e90611544565b60405180910390fd5b6105716000610e3e565b565b61057b610e36565b73ffffffffffffffffffffffffffffffffffffffff16610599610756565b73ffffffffffffffffffffffffffffffffffffffff16146105ef576040517f08c379a00000000000000000000000000000000000000000000000000000000081526004016105e690611544565b60405180910390fd5b60008261ffff16118015610607575060008161ffff16115b610646576040517f08c379a000000000000000000000000000000000000000000000000000000000815260040161063d9061174a565b60405180910390fd5b8061ffff168261ffff161115610691576040517f08c379a0000000000000000000000000000000000000000000000000000000008152600401610688906117b6565b60405180910390fd5b6000604051806060016040528060048054905060ff1681526020018461ffff1681526020018361ffff1681525090506004819080600181540180825580915050600190039060005260206000200160009091909190915060008201518160000160006101000a81548160ff021916908360ff16021790555060208201518160000160016101000a81548161ffff021916908361ffff16021790555060408201518160000160036101000a81548161ffff021916908361ffff1602179055505050505050565b60008060009054906101000a900473ffffffffffffffffffffffffffffffffffffffff16905090565b600560009054906101000a900460ff161561079957600080fd5b6001600560006101000a81548160ff021916908315150217905550600160009054906101000a900473ffffffffffffffffffffffffffffffffffffffff1673ffffffffffffffffffffffffffffffffffffffff1663e985e9c533306040518363ffffffff1660e01b81526004016108119291906117d6565b602060405180830381865afa15801561082e573d6000803e3d6000fd5b505050506040513d601f19601f820116820180604052508101906108529190611837565b610891576040517f08c379a0000000000000000000000000000000000000000000000000000000008152600401610888906118b0565b60405180910390fd5b6000600460016004805490506108a79190611484565b815481106108b8576108b76114b8565b5b906000526020600020016040518060600160405290816000820160009054906101000a900460ff1660ff1660ff1681526020016000820160019054906101000a900461ffff1661ffff1661ffff1681526020016000820160039054906101000a900461ffff1661ffff1661ffff168152505090506000816040015161ffff1611610977576040517f08c379a000000000000000000000000000000000000000000000000000000000815260040161096e9061191c565b60405180910390fd5b6000838390509050816020015161ffff168160036000856000015160ff16815260200190815260200160002060003373ffffffffffffffffffffffffffffffffffffffff1673ffffffffffffffffffffffffffffffffffffffff168152602001908152602001600020546109eb9190611630565b1115610a2c576040517f08c379a0000000000000000000000000000000000000000000000000000000008152600401610a2390611988565b60405180910390fd5b600081836040015161ffff16610a429190611484565b1015610a83576040517f08c379a0000000000000000000000000000000000000000000000000000000008152600401610a7a906119f4565b60405180910390fd5b60005b81811015610c14576000858583818110610aa357610aa26114b8565b5b905060200201359050610ab581610f02565b600160009054906101000a900473ffffffffffffffffffffffffffffffffffffffff1673ffffffffffffffffffffffffffffffffffffffff166323b872dd336001846040518463ffffffff1660e01b8152600401610b1593929190611a14565b600060405180830381600087803b158015610b2f57600080fd5b505af1158015610b43573d6000803e3d6000fd5b505050503373ffffffffffffffffffffffffffffffffffffffff16817f43de1438b2a63abb546337aa03321a4318e3e8a018514734fccd3fec28c1d2ed60405160405180910390a360036000856000015160ff16815260200190815260200160002060003373ffffffffffffffffffffffffffffffffffffffff1673ffffffffffffffffffffffffffffffffffffffff16815260200190815260200160002060008154600101919050819055508360400180516001900361ffff16908161ffff168152505081600101915050610a86565b508160046001600480549050610c2a9190611484565b81548110610c3b57610c3a6114b8565b5b9060005260206000200160008201518160000160006101000a81548160ff021916908360ff16021790555060208201518160000160016101000a81548161ffff021916908361ffff16021790555060408201518160000160036101000a81548161ffff021916908361ffff16021790555090505050506000600560006101000a81548160ff0219169083151502179055505050565b600160009054906101000a900473ffffffffffffffffffffffffffffffffffffffff1681565b600060046001600480549050610d0c9190611484565b81548110610d1d57610d1c6114b8565b5b9060005260206000200160000160039054906101000a900461ffff16905090565b610d46610e36565b73ffffffffffffffffffffffffffffffffffffffff16610d64610756565b73ffffffffffffffffffffffffffffffffffffffff1614610dba576040517f08c379a0000000000000000000000000000000000000000000000000000000008152600401610db190611544565b60405180910390fd5b600073ffffffffffffffffffffffffffffffffffffffff168173ffffffffffffffffffffffffffffffffffffffff161415610e2a576040517f08c379a0000000000000000000000000000000000000000000000000000000008152600401610e2190611abd565b60405180910390fd5b610e3381610e3e565b50565b600033905090565b60008060009054906101000a900473ffffffffffffffffffffffffffffffffffffffff169050816000806101000a81548173ffffffffffffffffffffffffffffffffffffffff021916908373ffffffffffffffffffffffffffffffffffffffff1602179055508173ffffffffffffffffffffffffffffffffffffffff168173ffffffffffffffffffffffffffffffffffffffff167f8be0079c531659141344cd1fd0a4f28419497f9722a3daafe3b4186f6b6457e060405160405180910390a35050565b610100600280549050610f159190611add565b8110610f56576040517f08c379a0000000000000000000000000000000000000000000000000000000008152600401610f4d90611b83565b60405180910390fd5b60008060006101008481610f6d57610f6c6115d0565b5b0492506101008481610f8257610f816115d0565b5b06905060028381548110610f9957610f986114b8565b5b906000526020600020015491506001808284901c1614610fee576040517f08c379a0000000000000000000000000000000000000000000000000000000008152600401610fe590611bef565b60405180910390fd5b806001901b1982169150816002848154811061100d5761100c6114b8565b5b906000526020600020018190555050505050565b82805482825590600052602060002090810192821561105d579160200282015b8281111561105c578251825591602001919060010190611041565b5b50905061106a919061106e565b5090565b5b8082111561108757600081600090555060010161106f565b5090565b600061ffff82169050919050565b6110a28161108b565b82525050565b60006020820190506110bd6000830184611099565b92915050565b600080fd5b600080fd5b6000819050919050565b6110e0816110cd565b81146110eb57600080fd5b50565b6000813590506110fd816110d7565b92915050565b600073ffffffffffffffffffffffffffffffffffffffff82169050919050565b600061112e82611103565b9050919050565b61113e81611123565b811461114957600080fd5b50565b60008135905061115b81611135565b92915050565b60008060408385031215611178576111776110c3565b5b6000611186858286016110ee565b92505060206111978582860161114c565b9150509250929050565b6111aa816110cd565b82525050565b60006020820190506111c560008301846111a1565b92915050565b6000602082840312156111e1576111e06110c3565b5b60006111ef848285016110ee565b91505092915050565b600060ff82169050919050565b61120e816111f8565b82525050565b60006060820190506112296000830186611205565b6112366020830185611099565b6112436040830184611099565b949350505050565b60006020820190506112606000830184611205565b92915050565b61126f8161108b565b811461127a57600080fd5b50565b60008135905061128c81611266565b92915050565b600080604083850312156112a9576112a86110c3565b5b60006112b78582860161127d565b92505060206112c88582860161127d565b9150509250929050565b6112db81611123565b82525050565b60006020820190506112f660008301846112d2565b92915050565b600080fd5b600080fd5b600080fd5b60008083601f840112611321576113206112fc565b5b8235905067ffffffffffffffff81111561133e5761133d611301565b5b60208301915083602082028301111561135a57611359611306565b5b9250929050565b60008060208385031215611378576113776110c3565b5b600083013567ffffffffffffffff811115611396576113956110c8565b5b6113a28582860161130b565b92509250509250929050565b6000819050919050565b60006113d36113ce6113c984611103565b6113ae565b611103565b9050919050565b60006113e5826113b8565b9050919050565b60006113f7826113da565b9050919050565b611407816113ec565b82525050565b600060208201905061142260008301846113fe565b92915050565b60006020828403121561143e5761143d6110c3565b5b600061144c8482850161114c565b91505092915050565b7f4e487b7100000000000000000000000000000000000000000000000000000000600052601160045260246000fd5b600061148f826110cd565b915061149a836110cd565b9250828210156114ad576114ac611455565b5b828203905092915050565b7f4e487b7100000000000000000000000000000000000000000000000000000000600052603260045260246000fd5b600082825260208201905092915050565b7f4f776e61626c653a2063616c6c6572206973206e6f7420746865206f776e6572600082015250565b600061152e6020836114e7565b9150611539826114f8565b602082019050919050565b6000602082019050818103600083015261155d81611521565b9050919050565b7f4261642069640000000000000000000000000000000000000000000000000000600082015250565b600061159a6006836114e7565b91506115a582611564565b602082019050919050565b600060208201905081810360008301526115c98161158d565b9050919050565b7f4e487b7100000000000000000000000000000000000000000000000000000000600052601260045260246000fd5b600061160a826110cd565b9150611615836110cd565b925082611625576116246115d0565b5b828204905092915050565b600061163b826110cd565b9150611646836110cd565b9250827fffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffff0382111561167b5761167a611455565b5b828201905092915050565b7f4e487b7100000000000000000000000000000000000000000000000000000000600052604160045260246000fd5b60006116c0826110cd565b91507fffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffff8214156116f3576116f2611455565b5b600182019050919050565b7f4d757374206265203e2030000000000000000000000000000000000000000000600082015250565b6000611734600b836114e7565b915061173f826116fe565b602082019050919050565b6000602082019050818103600083015261176381611727565b9050919050565b7f53697a65206d69736d6174636800000000000000000000000000000000000000600082015250565b60006117a0600d836114e7565b91506117ab8261176a565b602082019050919050565b600060208201905081810360008301526117cf81611793565b9050919050565b60006040820190506117eb60008301856112d2565b6117f860208301846112d2565b9392505050565b60008115159050919050565b611814816117ff565b811461181f57600080fd5b50565b6000815190506118318161180b565b92915050565b60006020828403121561184d5761184c6110c3565b5b600061185b84828501611822565b91505092915050565b7f4e6f7420617070726f76656420746f206275726e204a61722044756465730000600082015250565b600061189a601e836114e7565b91506118a582611864565b602082019050919050565b600060208201905081810360008301526118c98161188d565b9050919050565b7f5068617365206973206f76657200000000000000000000000000000000000000600082015250565b6000611906600d836114e7565b9150611911826118d0565b602082019050919050565b60006020820190508181036000830152611935816118f9565b9050919050565b7f4d6178206275726e732070657220616464726573732068697400000000000000600082015250565b60006119726019836114e7565b915061197d8261193c565b602082019050919050565b600060208201905081810360008301526119a181611965565b9050919050565b7f546f6f206d616e79206275726e73000000000000000000000000000000000000600082015250565b60006119de600e836114e7565b91506119e9826119a8565b602082019050919050565b60006020820190508181036000830152611a0d816119d1565b9050919050565b6000606082019050611a2960008301866112d2565b611a3660208301856112d2565b611a4360408301846111a1565b949350505050565b7f4f776e61626c653a206e6577206f776e657220697320746865207a65726f206160008201527f6464726573730000000000000000000000000000000000000000000000000000602082015250565b6000611aa76026836114e7565b9150611ab282611a4b565b604082019050919050565b60006020820190508181036000830152611ad681611a9a565b9050919050565b6000611ae8826110cd565b9150611af3836110cd565b9250817fffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffff0483118215151615611b2c57611b2b611455565b5b828202905092915050565b7f496e76616c696400000000000000000000000000000000000000000000000000600082015250565b6000611b6d6007836114e7565b9150611b7882611b37565b602082019050919050565b60006020820190508181036000830152611b9c81611b60565b9050919050565b7f416c7265616479206275726e6564000000000000000000000000000000000000600082015250565b6000611bd9600e836114e7565b9150611be482611ba3565b602082019050919050565b60006020820190508181036000830152611c0881611bcc565b905091905056fea2646970667358221220ae3e5c014cffff617088189d7b19709b0cad5462caf6946756165679393d23b164736f6c634300080a0033
Loading...
Loading
Loading...
Loading
Multichain Portfolio | 30 Chains
Chain | Token | Portfolio % | Price | Amount | Value |
---|
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.