Overview
ETH Balance
0 ETH
Eth Value
$0.00More Info
Private Name Tags
ContractCreator
Transaction Hash |
Method
|
Block
|
From
|
To
|
|||||
---|---|---|---|---|---|---|---|---|---|
Latest 1 internal transaction
Advanced mode:
Parent Transaction Hash | Block |
From
|
To
|
|||
---|---|---|---|---|---|---|
17103078 | 612 days ago | Contract Creation | 0 ETH |
Loading...
Loading
This contract may be a proxy contract. Click on More Options and select Is this a proxy? to confirm and enable the "Read as Proxy" & "Write as Proxy" tabs.
Contract Name:
DegenNFT
Compiler Version
v0.8.17+commit.8df45f5f
Optimization Enabled:
Yes with 200 runs
Other Settings:
default evmVersion
Contract Source Code (Solidity Standard Json-Input format)
// SPDX-License-Identifier: GPL-3.0 pragma solidity 0.8.17; import {UUPSUpgradeable} from "@openzeppelin/contracts-upgradeable/proxy/utils/UUPSUpgradeable.sol"; import {IDegenNFT} from "src/interfaces/nft/IDegenNFT.sol"; import {SafeOwnableUpgradeable} from "@p12/contracts-lib/contracts/access/SafeOwnableUpgradeable.sol"; import {ERC721AUpgradeable} from "erc721a-upgradeable/contracts/ERC721AUpgradeable.sol"; import {CommonError} from "src/lib/CommonError.sol"; contract DegenNFT is SafeOwnableUpgradeable, UUPSUpgradeable, ERC721AUpgradeable, IDegenNFT { uint256 public constant PERCENTAGE_BASE = 10000; // Mapping from tokenId to Property mapping(uint256 => uint256) internal properties; // NFTManager address public manager; string public baseURI; // Mapping tokenId to level // bucket => value mapping(uint256 => uint256) internal levelBucket; address _royaltyReceiver; // ---| uint96 _royaltyPercentage; // ---| uint256[45] private _gap; function _authorizeUpgrade( address newImplementation ) internal override onlyOwner {} function initialize( string calldata name_, string calldata symbol_, address owner_ // upgrade owner ) public initializerERC721A initializer { __ERC721A_init(name_, symbol_); __Ownable_init_unchained(owner_); } function mint(address to, uint256 quantity) external onlyManager { _mint(to, quantity); } function burn(uint256 tokenId) external onlyManager { _burn(tokenId); } function setManager(address manager_) external onlyOwner { if (manager_ == address(0)) { revert CommonError.ZeroAddressSet(); } manager = manager_; emit SetManager(manager_); } function setBaseURI(string calldata baseURI_) external onlyOwner { baseURI = baseURI_; emit SetBaseURI(baseURI_); } function setProperties( uint256 tokenId, Property memory property_ ) external onlyManager { // encode property uint16 property = encodeProperty(property_); // storage property uint256 bucket = (tokenId - 1) >> 4; uint256 pos = (tokenId - 1) % 16; uint256 mask = uint256(property) << (pos * 16); uint256 data = properties[bucket]; // clear the data on the tokenId pos data &= ~(uint256(type(uint16).max) << (pos * 16)); properties[bucket] = data | mask; emit SetProperties(tokenId, property_); emit MetadataUpdate(tokenId); } /** * @dev emit ERC4906 event to trigger all metadata update */ function emitMetadataUpdate() external { emit BatchMetadataUpdate(0, type(uint256).max); } function emitMetadataUpdate(uint256 tokenId) external { emit MetadataUpdate(tokenId); } function setBucket( uint256 bucket, uint256 compactData ) external onlyManager { properties[bucket] = compactData; } function setLevel(uint256 tokenId, uint256 level) external onlyManager { uint256 bucket = (tokenId - 1) >> 5; uint256 pos = (tokenId - 1) % 32; uint256 mask = level << (pos * 8); uint256 data = levelBucket[bucket]; // clear the data on the tokenId pos data &= ~(uint256(type(uint8).max) << (pos * 8)); levelBucket[bucket] = data | mask; emit LevelSet(tokenId, level); } /** * @dev set royaly info manually * @param receiver receiver address * @param percent percent with 10000 percentBase */ function setRoyaltyInfo( address receiver, uint96 percent ) external onlyOwner { _royaltyReceiver = receiver; _royaltyPercentage = percent; emit RoyaltyInfoSet(receiver, percent); } function totalMinted() external view returns (uint256) { return _totalMinted(); } function encodeProperty( Property memory property_ ) public pure returns (uint16 property) { property = (property << 12) | property_.nameId; property = (property << 3) | property_.rarity; property = (property << 1) | property_.tokenType; } function decodeProperty( uint16 property ) public pure returns (uint16 nameId, uint16 rarity, uint16 tokenType) { nameId = (property >> 4) & 0x0fff; rarity = (property >> 1) & 0x07; tokenType = property & 0x01; } function getProperty( uint256 tokenId ) external view returns (Property memory) { uint256 bucket = (tokenId - 1) >> 4; uint256 compactData = properties[bucket]; uint16 property = uint16( (compactData >> (((tokenId - 1) % 16) * 16)) & 0xffff ); (uint16 nameId, uint16 rarity, uint16 tokenType) = decodeProperty( property ); return Property({nameId: nameId, rarity: rarity, tokenType: tokenType}); } /** * @dev See {IERC721Metadata-tokenURI}. */ function tokenURI( uint256 tokenId ) public view virtual override returns (string memory) { return string.concat(super.tokenURI(tokenId), ".json"); } /** * @dev royalty info * @param tokenId NFT tokenId but it's not related with tokenId * @param salePrice sale price * @return receiver * @return royaltyAmount */ function royaltyInfo( uint256 tokenId, uint256 salePrice ) external view override returns (address receiver, uint256 royaltyAmount) { receiver = _royaltyReceiver; royaltyAmount = (salePrice * uint256(_royaltyPercentage)) / PERCENTAGE_BASE; } // ============================================================= // IERC165 // ============================================================= /** * @dev Returns true if this contract implements the interface defined by * `interfaceId`. See the corresponding * [EIP section](https://eips.ethereum.org/EIPS/eip-165#how-interfaces-are-identified) * to learn more about how these ids are created. * * This function call must use less than 30000 gas. */ function supportsInterface( bytes4 interfaceId ) public view virtual override returns (bool) { // The interface IDs are constants representing the first 4 bytes // of the XOR of all function selectors in the interface. // See: [ERC165](https://eips.ethereum.org/EIPS/eip-165) // (e.g. `bytes4(i.functionA.selector ^ i.functionB.selector ^ ...)`) return interfaceId == 0x01ffc9a7 || // ERC165 interface ID for ERC165. interfaceId == 0x80ac58cd || // ERC165 interface ID for ERC721. interfaceId == 0x5b5e139f || // ERC165 interface ID for ERC721Metadata. interfaceId == 0x2a55205a; // ERC165 interface ID ERC2981 Royalty } function exists(uint256 tokenId) external view returns (bool) { return _exists(tokenId); } function nextTokenId() external view returns (uint256) { return _nextTokenId(); } function getLevel(uint256 tokenId) external view returns (uint256) { uint256 bucket = (tokenId - 1) >> 5; uint256 compactData = levelBucket[bucket]; uint256 level = uint8( (compactData >> (((tokenId - 1) % 32) * 8)) & 0xff ); return level; } function _baseURI() internal view override returns (string memory) { return baseURI; } // tokenId start from 1 function _startTokenId() internal pure override returns (uint256) { return 1; } function _checkManager() internal view { if (msg.sender != manager) { revert OnlyManager(); } } modifier onlyManager() { _checkManager(); _; } }
// SPDX-License-Identifier: GPL-3.0 pragma solidity 0.8.17; import {IBurnPool} from "src/interfaces/IBurnPool.sol"; import {Ownable} from "@openzeppelin/contracts/access/Ownable.sol"; import {RBT} from "./RBT.sol"; contract BurnPool is IBurnPool, Ownable { RBT rebornToken; constructor(address owner_, address rebornToken_) { if (owner_ == address(0)) { revert ZeroOwnerSet(); } if (rebornToken_ == address(0)) { revert ZeroRebornTokenSet(); } _transferOwnership(owner_); rebornToken = RBT(rebornToken_); } function burn(uint256 amount) external override onlyOwner { rebornToken.burn(amount); emit Burn(amount); } }
// SPDX-License-Identifier: GPL-3.0 pragma solidity 0.8.17; interface IBurnPool { error ZeroRebornTokenSet(); error ZeroOwnerSet(); event Burn(uint256 amount); // burn expect amount of $REBORN function burn(uint256 amount) external; }
// 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); } }
// SPDX-License-Identifier: GPL-3.0 pragma solidity 0.8.17; import {ERC20CappedUpgradeable, ERC20Upgradeable} from "./oz/contracts-upgradeable/token/ERC20/extensions/ERC20CappedUpgradeable.sol"; import {SafeOwnableUpgradeable} from "./utils/SafeOwnableUpgradeable.sol"; import {UUPSUpgradeable} from "./oz/contracts-upgradeable/proxy/utils/UUPSUpgradeable.sol"; import {ERC20PermitUpgradeable} from "./oz/contracts-upgradeable/token/ERC20/extensions/draft-ERC20PermitUpgradeable.sol"; import {ERC20BurnableUpgradeable} from "./oz/contracts-upgradeable/token/ERC20/extensions/ERC20BurnableUpgradeable.sol"; import {IRebornToken} from "src/interfaces/IRebornToken.sol"; import {RBTStorage} from "src/RBTStorage.sol"; contract RBT is ERC20PermitUpgradeable, ERC20CappedUpgradeable, SafeOwnableUpgradeable, UUPSUpgradeable, IRebornToken, RBTStorage, ERC20BurnableUpgradeable { function initialize( string memory name_, string memory symbol_, uint256 cap_, address owner_ ) public initializer { __ERC20_init_unchained(name_, symbol_); __ERC20Capped_init(cap_); __ERC20Permit_init(name_); __Ownable_init(owner_); } // solhint-disable-next-line no-empty-blocks function _authorizeUpgrade( address newImplementation ) internal override onlyOwner {} /** * @dev allow minter to mint it */ function mint(address to, uint256 amount) external override onlyMinter { _mint(to, amount); } /** * @dev update minters */ function updateMinter( address[] calldata toAdd, address[] calldata toRemove ) external onlyOwner { for (uint256 i = 0; i < toAdd.length; i++) { minters[toAdd[i]] = true; emit MinterUpdate(toAdd[i], true); } for (uint256 i = 0; i < toRemove.length; i++) { delete minters[toRemove[i]]; emit MinterUpdate(toRemove[i], false); } } /** * @dev See {ERC20-_mint}. */ function _mint( address account, uint256 amount ) internal virtual override(ERC20CappedUpgradeable, ERC20Upgradeable) { require( ERC20Upgradeable.totalSupply() + amount <= cap(), "ERC20Capped: cap exceeded" ); ERC20Upgradeable._mint(account, amount); } modifier onlyMinter() { if (!minters[msg.sender]) { revert NotMinter(); } _; } }
// 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 (token/ERC20/extensions/ERC20Capped.sol) pragma solidity ^0.8.0; import "../ERC20Upgradeable.sol"; import "../../../proxy/utils/Initializable.sol"; /** * @dev Extension of {ERC20} that adds a cap to the supply of tokens. * * @custom:storage-size 51 */ abstract contract ERC20CappedUpgradeable is Initializable, ERC20Upgradeable { uint256 private _cap; /** * @dev Sets the value of the `cap`. This value is immutable, it can only be * set once during construction. */ function __ERC20Capped_init(uint256 cap_) internal onlyInitializing { __ERC20Capped_init_unchained(cap_); } function __ERC20Capped_init_unchained( uint256 cap_ ) internal onlyInitializing { require(cap_ > 0, "ERC20Capped: cap is 0"); _cap = cap_; } /** * @dev Returns the cap on the token's total supply. */ function cap() public view virtual returns (uint256) { return _cap; } /** * @dev See {ERC20-_mint}. */ function _mint(address account, uint256 amount) internal virtual override { require( ERC20Upgradeable.totalSupply() + amount <= cap(), "ERC20Capped: cap exceeded" ); super._mint(account, amount); } /** * @dev This empty reserved space is put in place to allow future versions to add new * variables without shifting down storage in the inheritance chain. * See https://docs.openzeppelin.com/contracts/4.x/upgradeable#storage_gaps */ uint256[50] private __gap; }
// SPDX-License-Identifier: MIT // Thanks Yos Riady // Refer to https://github.com/boringcrypto/BoringSolidity/blob/master/contracts/BoringOwnable.sol // https://github.com/OpenZeppelin/openzeppelin-contracts-upgradeable/blob/master/contracts/access/OwnableUpgradeable.sol pragma solidity ^0.8.0; import "../oz/contracts-upgradeable/proxy/utils/Initializable.sol"; import "../oz/contracts-upgradeable/utils/ContextUpgradeable.sol"; contract SafeOwnableUpgradeable is Initializable, ContextUpgradeable { error CallerNotOwner(); error ZeroAddressOwnerSet(); error CallerNotPendingOwner(); /** * @dev Storage slot with the admin of the contract. * This is the keccak-256 hash of "eip1967.proxy.admin" subtracted by 1, and is * validated in the constructor. */ bytes32 private constant _ADMIN_SLOT = 0xb53127684a568b3173ae13b9f8a6016e243e63b6e8ee1178d6a717850b5d6103; address private _owner; address private _pendingOwner; event OwnershipTransferred( address indexed previousOwner, address indexed newOwner ); /** * @dev Initializes the contract setting the deployer as the initial owner. */ function __Ownable_init(address owner_) internal onlyInitializing { __Ownable_init_unchained(owner_); } function __Ownable_init_unchained( address owner_ ) internal onlyInitializing { _transferOwnership(owner_); } /** * @dev Returns the address of the current owner. */ function owner() public view virtual returns (address) { return _owner; } /** * @dev Return the address of the pending owner */ function pendingOwner() public view virtual returns (address) { return _pendingOwner; } function _checkOwner() internal view { if (owner() != _msgSender()) { revert CallerNotOwner(); } } /** * @dev Throws if called by any account other than the owner. */ modifier onlyOwner() { _checkOwner(); _; } /** * @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. * Note If direct is false, it will set an pending owner and the OwnerShipTransferring * only happens when the pending owner claim the ownership */ function transferOwnership( address newOwner, bool direct ) public virtual onlyOwner { if (newOwner == address(0)) { revert ZeroAddressOwnerSet(); } if (direct) { _transferOwnership(newOwner); } else { _transferPendingOwnership(newOwner); } } /** * @dev pending owner call this function to claim ownership */ function claimOwnership() public { if (msg.sender != _pendingOwner) { revert CallerNotPendingOwner(); } _claimOwnership(); } /** * @dev Transfers ownership of the contract to a new account (`newOwner`). * Internal function without access restriction. */ function _transferOwnership(address newOwner) internal virtual { // compatible with hardhat-deploy, maybe removed later assembly { sstore(_ADMIN_SLOT, newOwner) } address oldOwner = _owner; _owner = newOwner; emit OwnershipTransferred(oldOwner, newOwner); } /** * @dev set the pending owner address * Internal function without access restriction. */ function _transferPendingOwnership(address newOwner) internal virtual { _pendingOwner = newOwner; } /** * @dev Transfers ownership of the contract to a new account (`newOwner`). * Internal function without access restriction. */ function _claimOwnership() internal virtual { address oldOwner = _owner; emit OwnershipTransferred(oldOwner, _pendingOwner); _owner = _pendingOwner; _pendingOwner = address(0); } /** * @dev This empty reserved space is put in place to allow future versions to add new * variables without shifting down storage in the inheritance chain. * See https://docs.openzeppelin.com/contracts/4.x/upgradeable#storage_gaps */ uint256[48] private __gap; }
// SPDX-License-Identifier: MIT // OpenZeppelin Contracts (last updated v4.8.0) (proxy/utils/UUPSUpgradeable.sol) pragma solidity ^0.8.0; import "../../interfaces/draft-IERC1822Upgradeable.sol"; import "../ERC1967/ERC1967UpgradeUpgradeable.sol"; import "./Initializable.sol"; /** * @dev An upgradeability mechanism designed for UUPS proxies. The functions included here can perform an upgrade of an * {ERC1967Proxy}, when this contract is set as the implementation behind such a proxy. * * A security mechanism ensures that an upgrade does not turn off upgradeability accidentally, although this risk is * reinstated if the upgrade retains upgradeability but removes the security mechanism, e.g. by replacing * `UUPSUpgradeable` with a custom implementation of upgrades. * * The {_authorizeUpgrade} function must be overridden to include access restriction to the upgrade mechanism. * * _Available since v4.1._ */ abstract contract UUPSUpgradeable is Initializable, IERC1822ProxiableUpgradeable, ERC1967UpgradeUpgradeable { function __UUPSUpgradeable_init() internal onlyInitializing {} function __UUPSUpgradeable_init_unchained() internal onlyInitializing {} /// @custom:oz-upgrades-unsafe-allow state-variable-immutable state-variable-assignment address private immutable __self = address(this); /** * @dev Check that the execution is being performed through a delegatecall call and that the execution context is * a proxy contract with an implementation (as defined in ERC1967) pointing to self. This should only be the case * for UUPS and transparent proxies that are using the current contract as their implementation. Execution of a * function through ERC1167 minimal proxies (clones) would not normally pass this test, but is not guaranteed to * fail. */ modifier onlyProxy() { if (address(this) == __self) { revert MustBeCalledThroughDelegatecall(); } if (_getImplementation() != __self) { revert MustBeCalledThroughActiveProxy(); } _; } /** * @dev Check that the execution is not being performed through a delegate call. This allows a function to be * callable on the implementing contract but not through proxies. */ modifier notDelegated() { if (address(this) != __self) { revert MustBeCalledThroughDelegatecall(); } _; } /** * @dev Implementation of the ERC1822 {proxiableUUID} function. This returns the storage slot used by the * implementation. It is used to validate the implementation's compatibility when performing an upgrade. * * IMPORTANT: A proxy pointing at a proxiable contract should not be considered proxiable itself, because this risks * bricking a proxy that upgrades to it, by delegating to itself until out of gas. Thus it is critical that this * function revert if invoked through a proxy. This is guaranteed by the `notDelegated` modifier. */ function proxiableUUID() external view virtual override notDelegated returns (bytes32) { return _IMPLEMENTATION_SLOT; } /** * @dev Upgrade the implementation of the proxy to `newImplementation`. * * Calls {_authorizeUpgrade}. * * Emits an {Upgraded} event. */ function upgradeTo(address newImplementation) external virtual onlyProxy { _authorizeUpgrade(newImplementation); _upgradeToAndCallUUPS(newImplementation, new bytes(0), false); } /** * @dev Upgrade the implementation of the proxy to `newImplementation`, and subsequently execute the function call * encoded in `data`. * * Calls {_authorizeUpgrade}. * * Emits an {Upgraded} event. */ function upgradeToAndCall( address newImplementation, bytes memory data ) external payable virtual onlyProxy { _authorizeUpgrade(newImplementation); _upgradeToAndCallUUPS(newImplementation, data, true); } /** * @dev Function that should revert when `msg.sender` is not authorized to upgrade the contract. Called by * {upgradeTo} and {upgradeToAndCall}. * * Normally, this function will use an xref:access.adoc[access control] modifier such as {Ownable-onlyOwner}. * * ```solidity * function _authorizeUpgrade(address) internal override onlyOwner {} * ``` */ function _authorizeUpgrade(address newImplementation) internal virtual; /** * @dev This empty reserved space is put in place to allow future versions to add new * variables without shifting down storage in the inheritance chain. * See https://docs.openzeppelin.com/contracts/4.x/upgradeable#storage_gaps */ uint256[50] private __gap; }
// SPDX-License-Identifier: MIT // OpenZeppelin Contracts (last updated v4.8.0) (token/ERC20/extensions/draft-ERC20Permit.sol) pragma solidity ^0.8.0; import "./draft-IERC20PermitUpgradeable.sol"; import "../ERC20Upgradeable.sol"; import "../../../utils/cryptography/ECDSAUpgradeable.sol"; import "../../../utils/cryptography/EIP712Upgradeable.sol"; import "../../../utils/CountersUpgradeable.sol"; import "../../../proxy/utils/Initializable.sol"; /** * @dev Implementation of the ERC20 Permit extension allowing approvals to be made via signatures, as defined in * https://eips.ethereum.org/EIPS/eip-2612[EIP-2612]. * * Adds the {permit} method, which can be used to change an account's ERC20 allowance (see {IERC20-allowance}) by * presenting a message signed by the account. By not relying on `{IERC20-approve}`, the token holder account doesn't * need to send a transaction, and thus is not required to hold Ether at all. * * _Available since v3.4._ * * @custom:storage-size 51 */ abstract contract ERC20PermitUpgradeable is Initializable, ERC20Upgradeable, IERC20PermitUpgradeable, EIP712Upgradeable { using CountersUpgradeable for CountersUpgradeable.Counter; mapping(address => CountersUpgradeable.Counter) private _nonces; // solhint-disable-next-line var-name-mixedcase bytes32 private constant _PERMIT_TYPEHASH = keccak256( "Permit(address owner,address spender,uint256 value,uint256 nonce,uint256 deadline)" ); /** * @dev In previous versions `_PERMIT_TYPEHASH` was declared as `immutable`. * However, to ensure consistency with the upgradeable transpiler, we will continue * to reserve a slot. * @custom:oz-renamed-from _PERMIT_TYPEHASH */ // solhint-disable-next-line var-name-mixedcase bytes32 private _PERMIT_TYPEHASH_DEPRECATED_SLOT; /** * @dev Initializes the {EIP712} domain separator using the `name` parameter, and setting `version` to `"1"`. * * It's a good idea to use the same `name` that is defined as the ERC20 token name. */ function __ERC20Permit_init(string memory name) internal onlyInitializing { __EIP712_init_unchained(name, "1"); } function __ERC20Permit_init_unchained( string memory ) internal onlyInitializing {} /** * @dev See {IERC20Permit-permit}. */ function permit( address owner, address spender, uint256 value, uint256 deadline, uint8 v, bytes32 r, bytes32 s ) public virtual override { require(block.timestamp <= deadline, "ERC20Permit: expired deadline"); bytes32 structHash = keccak256( abi.encode( _PERMIT_TYPEHASH, owner, spender, value, _useNonce(owner), deadline ) ); bytes32 hash = _hashTypedDataV4(structHash); address signer = ECDSAUpgradeable.recover(hash, v, r, s); require(signer == owner, "ERC20Permit: invalid signature"); _approve(owner, spender, value); } /** * @dev See {IERC20Permit-nonces}. */ function nonces( address owner ) public view virtual override returns (uint256) { return _nonces[owner].current(); } /** * @dev See {IERC20Permit-DOMAIN_SEPARATOR}. */ // solhint-disable-next-line func-name-mixedcase function DOMAIN_SEPARATOR() external view override returns (bytes32) { return _domainSeparatorV4(); } /** * @dev "Consume a nonce": return the current value and increment. * * _Available since v4.1._ */ function _useNonce( address owner ) internal virtual returns (uint256 current) { CountersUpgradeable.Counter storage nonce = _nonces[owner]; current = nonce.current(); nonce.increment(); } /** * @dev This empty reserved space is put in place to allow future versions to add new * variables without shifting down storage in the inheritance chain. * See https://docs.openzeppelin.com/contracts/4.x/upgradeable#storage_gaps */ uint256[49] private __gap; }
// SPDX-License-Identifier: MIT // OpenZeppelin Contracts (last updated v4.5.0) (token/ERC20/extensions/ERC20Burnable.sol) pragma solidity ^0.8.0; import "../ERC20Upgradeable.sol"; import "../../../utils/ContextUpgradeable.sol"; import "../../../proxy/utils/Initializable.sol"; /** * @dev Extension of {ERC20} that allows token holders to destroy both their own * tokens and those that they have an allowance for, in a way that can be * recognized off-chain (via event analysis). */ abstract contract ERC20BurnableUpgradeable is Initializable, ContextUpgradeable, ERC20Upgradeable { function __ERC20Burnable_init() internal onlyInitializing {} function __ERC20Burnable_init_unchained() internal onlyInitializing {} /** * @dev Destroys `amount` tokens from the caller. * * See {ERC20-_burn}. */ function burn(uint256 amount) public virtual { _burn(_msgSender(), amount); } /** * @dev Destroys `amount` tokens from `account`, deducting from the caller's * allowance. * * See {ERC20-_burn} and {ERC20-allowance}. * * Requirements: * * - the caller must have allowance for ``accounts``'s tokens of at least * `amount`. */ function burnFrom(address account, uint256 amount) public virtual { _spendAllowance(account, _msgSender(), amount); _burn(account, amount); } /** * @dev This empty reserved space is put in place to allow future versions to add new * variables without shifting down storage in the inheritance chain. * See https://docs.openzeppelin.com/contracts/4.x/upgradeable#storage_gaps */ uint256[50] private __gap; }
// SPDX-License-Identifier: GPL-3.0 pragma solidity 0.8.17; import {IERC20Upgradeable} from "../oz/contracts-upgradeable/token/ERC20/IERC20Upgradeable.sol"; import {IERC20PermitUpgradeable} from "../oz/contracts-upgradeable/token/ERC20/extensions/draft-IERC20PermitUpgradeable.sol"; interface IRebornTokenDef { /// @dev revert when the caller is not minter error NotMinter(); /// @dev emit when minter is updated event MinterUpdate(address minter, bool valid); } interface IRebornToken is IERC20Upgradeable, IERC20PermitUpgradeable, IRebornTokenDef { function mint(address to, uint256 amount) external; }
// SPDX-License-Identifier: GPL-3.0 pragma solidity 0.8.17; contract RBTStorage { mapping(address => bool) public minters; /// @dev gap for potential vairable uint256[49] private _gap; }
// SPDX-License-Identifier: MIT // OpenZeppelin Contracts (last updated v4.8.0) (token/ERC20/ERC20.sol) pragma solidity ^0.8.0; import "./IERC20Upgradeable.sol"; import "./extensions/IERC20MetadataUpgradeable.sol"; import "../../utils/ContextUpgradeable.sol"; import "../../proxy/utils/Initializable.sol"; /** * @dev Implementation of the {IERC20} interface. * * This implementation is agnostic to the way tokens are created. This means * that a supply mechanism has to be added in a derived contract using {_mint}. * For a generic mechanism see {ERC20PresetMinterPauser}. * * TIP: For a detailed writeup see our guide * https://forum.openzeppelin.com/t/how-to-implement-erc20-supply-mechanisms/226[How * to implement supply mechanisms]. * * We have followed general OpenZeppelin Contracts guidelines: functions revert * instead returning `false` on failure. This behavior is nonetheless * conventional and does not conflict with the expectations of ERC20 * applications. * * Additionally, an {Approval} event is emitted on calls to {transferFrom}. * This allows applications to reconstruct the allowance for all accounts just * by listening to said events. Other implementations of the EIP may not emit * these events, as it isn't required by the specification. * * Finally, the non-standard {decreaseAllowance} and {increaseAllowance} * functions have been added to mitigate the well-known issues around setting * allowances. See {IERC20-approve}. */ contract ERC20Upgradeable is Initializable, ContextUpgradeable, IERC20Upgradeable, IERC20MetadataUpgradeable { mapping(address => uint256) private _balances; mapping(address => mapping(address => uint256)) private _allowances; uint256 private _totalSupply; string private _name; string private _symbol; /** * @dev Sets the values for {name} and {symbol}. * * The default value of {decimals} is 18. To select a different value for * {decimals} you should overload it. * * All two of these values are immutable: they can only be set once during * construction. */ function __ERC20_init( string memory name_, string memory symbol_ ) internal onlyInitializing { __ERC20_init_unchained(name_, symbol_); } function __ERC20_init_unchained( string memory name_, string memory symbol_ ) internal onlyInitializing { _name = name_; _symbol = symbol_; } /** * @dev Returns the name of the token. */ function name() public view virtual override returns (string memory) { return _name; } /** * @dev Returns the symbol of the token, usually a shorter version of the * name. */ function symbol() public view virtual override returns (string memory) { return _symbol; } /** * @dev Returns the number of decimals used to get its user representation. * For example, if `decimals` equals `2`, a balance of `505` tokens should * be displayed to a user as `5.05` (`505 / 10 ** 2`). * * Tokens usually opt for a value of 18, imitating the relationship between * Ether and Wei. This is the value {ERC20} uses, unless this function is * overridden; * * NOTE: This information is only used for _display_ purposes: it in * no way affects any of the arithmetic of the contract, including * {IERC20-balanceOf} and {IERC20-transfer}. */ function decimals() public view virtual override returns (uint8) { return 18; } /** * @dev See {IERC20-totalSupply}. */ function totalSupply() public view virtual override returns (uint256) { return _totalSupply; } /** * @dev See {IERC20-balanceOf}. */ function balanceOf( address account ) public view virtual override returns (uint256) { return _balances[account]; } /** * @dev See {IERC20-transfer}. * * Requirements: * * - `to` cannot be the zero address. * - the caller must have a balance of at least `amount`. */ function transfer( address to, uint256 amount ) public virtual override returns (bool) { address owner = _msgSender(); _transfer(owner, to, amount); return true; } /** * @dev See {IERC20-allowance}. */ function allowance( address owner, address spender ) public view virtual override returns (uint256) { return _allowances[owner][spender]; } /** * @dev See {IERC20-approve}. * * NOTE: If `amount` is the maximum `uint256`, the allowance is not updated on * `transferFrom`. This is semantically equivalent to an infinite approval. * * Requirements: * * - `spender` cannot be the zero address. */ function approve( address spender, uint256 amount ) public virtual override returns (bool) { address owner = _msgSender(); _approve(owner, spender, amount); return true; } /** * @dev See {IERC20-transferFrom}. * * Emits an {Approval} event indicating the updated allowance. This is not * required by the EIP. See the note at the beginning of {ERC20}. * * NOTE: Does not update the allowance if the current allowance * is the maximum `uint256`. * * Requirements: * * - `from` and `to` cannot be the zero address. * - `from` must have a balance of at least `amount`. * - the caller must have allowance for ``from``'s tokens of at least * `amount`. */ function transferFrom( address from, address to, uint256 amount ) public virtual override returns (bool) { address spender = _msgSender(); _spendAllowance(from, spender, amount); _transfer(from, to, amount); return true; } /** * @dev Atomically increases the allowance granted to `spender` by the caller. * * This is an alternative to {approve} that can be used as a mitigation for * problems described in {IERC20-approve}. * * Emits an {Approval} event indicating the updated allowance. * * Requirements: * * - `spender` cannot be the zero address. */ function increaseAllowance( address spender, uint256 addedValue ) public virtual returns (bool) { address owner = _msgSender(); _approve(owner, spender, allowance(owner, spender) + addedValue); return true; } /** * @dev Atomically decreases the allowance granted to `spender` by the caller. * * This is an alternative to {approve} that can be used as a mitigation for * problems described in {IERC20-approve}. * * Emits an {Approval} event indicating the updated allowance. * * Requirements: * * - `spender` cannot be the zero address. * - `spender` must have allowance for the caller of at least * `subtractedValue`. */ function decreaseAllowance( address spender, uint256 subtractedValue ) public virtual returns (bool) { address owner = _msgSender(); uint256 currentAllowance = allowance(owner, spender); if (currentAllowance < subtractedValue) { revert DecreasedAllowanceBelowZero(); } unchecked { _approve(owner, spender, currentAllowance - subtractedValue); } return true; } /** * @dev Moves `amount` of tokens from `from` to `to`. * * This internal function is equivalent to {transfer}, and can be used to * e.g. implement automatic token fees, slashing mechanisms, etc. * * Emits a {Transfer} event. * * Requirements: * * - `from` cannot be the zero address. * - `to` cannot be the zero address. * - `from` must have a balance of at least `amount`. */ function _transfer( address from, address to, uint256 amount ) internal virtual { if (from == address(0)) { revert TransferFromZeroAddress(); } if (to == address(0)) { revert TransferToZeroAddress(); } _beforeTokenTransfer(from, to, amount); uint256 fromBalance = _balances[from]; if (fromBalance < amount) { revert TransferAmountExceedsBalance(); } unchecked { _balances[from] = fromBalance - amount; // Overflow not possible: the sum of all balances is capped by totalSupply, and the sum is preserved by // decrementing then incrementing. _balances[to] += amount; } emit Transfer(from, to, amount); _afterTokenTransfer(from, to, amount); } /** @dev Creates `amount` tokens and assigns them to `account`, increasing * the total supply. * * Emits a {Transfer} event with `from` set to the zero address. * * Requirements: * * - `account` cannot be the zero address. */ function _mint(address account, uint256 amount) internal virtual { if (account == address(0)) { revert MintToZeroAddress(); } _beforeTokenTransfer(address(0), account, amount); _totalSupply += amount; unchecked { // Overflow not possible: balance + amount is at most totalSupply + amount, which is checked above. _balances[account] += amount; } emit Transfer(address(0), account, amount); _afterTokenTransfer(address(0), account, amount); } /** * @dev Destroys `amount` tokens from `account`, reducing the * total supply. * * Emits a {Transfer} event with `to` set to the zero address. * * Requirements: * * - `account` cannot be the zero address. * - `account` must have at least `amount` tokens. */ function _burn(address account, uint256 amount) internal virtual { if (account == address(0)) { revert BurnFromZeroAddress(); } _beforeTokenTransfer(account, address(0), amount); uint256 accountBalance = _balances[account]; if (accountBalance < amount) { revert BurnAmountExceedsBalance(); } unchecked { _balances[account] = accountBalance - amount; // Overflow not possible: amount <= accountBalance <= totalSupply. _totalSupply -= amount; } emit Transfer(account, address(0), amount); _afterTokenTransfer(account, address(0), amount); } /** * @dev Sets `amount` as the allowance of `spender` over the `owner` s tokens. * * This internal function is equivalent to `approve`, and can be used to * e.g. set automatic allowances for certain subsystems, etc. * * Emits an {Approval} event. * * Requirements: * * - `owner` cannot be the zero address. * - `spender` cannot be the zero address. */ function _approve( address owner, address spender, uint256 amount ) internal virtual { if (owner == address(0)) { revert ApproveFromZeroAddress(); } if (spender == address(0)) { revert ApproveToZeroAddress(); } _allowances[owner][spender] = amount; emit Approval(owner, spender, amount); } /** * @dev Updates `owner` s allowance for `spender` based on spent `amount`. * * Does not update the allowance amount in case of infinite allowance. * Revert if not enough allowance is available. * * Might emit an {Approval} event. */ function _spendAllowance( address owner, address spender, uint256 amount ) internal virtual { uint256 currentAllowance = allowance(owner, spender); if (currentAllowance != type(uint256).max) { if (currentAllowance < amount) { revert InsufficientAllowance(); } unchecked { _approve(owner, spender, currentAllowance - amount); } } } /** * @dev Hook that is called before any transfer of tokens. This includes * minting and burning. * * Calling conditions: * * - when `from` and `to` are both non-zero, `amount` of ``from``'s tokens * will be transferred to `to`. * - when `from` is zero, `amount` tokens will be minted for `to`. * - when `to` is zero, `amount` of ``from``'s tokens will be burned. * - `from` and `to` are never both zero. * * To learn more about hooks, head to xref:ROOT:extending-contracts.adoc#using-hooks[Using Hooks]. */ function _beforeTokenTransfer( address from, address to, uint256 amount ) internal virtual {} /** * @dev Hook that is called after any transfer of tokens. This includes * minting and burning. * * Calling conditions: * * - when `from` and `to` are both non-zero, `amount` of ``from``'s tokens * has been transferred to `to`. * - when `from` is zero, `amount` tokens have been minted for `to`. * - when `to` is zero, `amount` of ``from``'s tokens have been burned. * - `from` and `to` are never both zero. * * To learn more about hooks, head to xref:ROOT:extending-contracts.adoc#using-hooks[Using Hooks]. */ function _afterTokenTransfer( address from, address to, uint256 amount ) internal virtual {} /** * @dev This empty reserved space is put in place to allow future versions to add new * variables without shifting down storage in the inheritance chain. * See https://docs.openzeppelin.com/contracts/4.x/upgradeable#storage_gaps */ uint256[45] private __gap; }
// SPDX-License-Identifier: MIT // OpenZeppelin Contracts (last updated v4.8.1) (proxy/utils/Initializable.sol) pragma solidity ^0.8.2; import "../../utils/AddressUpgradeable.sol"; import "../../ICustomError.sol"; /** * @dev This is a base contract to aid in writing upgradeable contracts, or any kind of contract that will be deployed * behind a proxy. Since proxied contracts do not make use of a constructor, it's common to move constructor logic to an * external initializer function, usually called `initialize`. It then becomes necessary to protect this initializer * function so it can only be called once. The {initializer} modifier provided by this contract will have this effect. * * The initialization functions use a version number. Once a version number is used, it is consumed and cannot be * reused. This mechanism prevents re-execution of each "step" but allows the creation of new initialization steps in * case an upgrade adds a module that needs to be initialized. * * For example: * * [.hljs-theme-light.nopadding] * ``` * contract MyToken is ERC20Upgradeable { * function initialize() initializer public { * __ERC20_init("MyToken", "MTK"); * } * } * contract MyTokenV2 is MyToken, ERC20PermitUpgradeable { * function initializeV2() reinitializer(2) public { * __ERC20Permit_init("MyToken"); * } * } * ``` * * TIP: To avoid leaving the proxy in an uninitialized state, the initializer function should be called as early as * possible by providing the encoded function call as the `_data` argument to {ERC1967Proxy-constructor}. * * CAUTION: When used with inheritance, manual care must be taken to not invoke a parent initializer twice, or to ensure * that all initializers are idempotent. This is not verified automatically as constructors are by Solidity. * * [CAUTION] * ==== * Avoid leaving a contract uninitialized. * * An uninitialized contract can be taken over by an attacker. This applies to both a proxy and its implementation * contract, which may impact the proxy. To prevent the implementation contract from being used, you should invoke * the {_disableInitializers} function in the constructor to automatically lock it when it is deployed: * * [.hljs-theme-light.nopadding] * ``` * /// @custom:oz-upgrades-unsafe-allow constructor * constructor() { * _disableInitializers(); * } * ``` * ==== */ abstract contract Initializable is ICustomError { /** * @dev Indicates that the contract has been initialized. * @custom:oz-retyped-from bool */ uint8 private _initialized; /** * @dev Indicates that the contract is in the process of being initialized. */ bool private _initializing; /** * @dev Triggered when the contract has been initialized or reinitialized. */ event Initialized(uint8 version); /** * @dev A modifier that defines a protected initializer function that can be invoked at most once. In its scope, * `onlyInitializing` functions can be used to initialize parent contracts. * * Similar to `reinitializer(1)`, except that functions marked with `initializer` can be nested in the context of a * constructor. * * Emits an {Initialized} event. */ modifier initializer() { bool isTopLevelCall = !_initializing; require( (isTopLevelCall && _initialized < 1) || (!AddressUpgradeable.isContract(address(this)) && _initialized == 1), "Initializable: contract is already initialized" ); _initialized = 1; if (isTopLevelCall) { _initializing = true; } _; if (isTopLevelCall) { _initializing = false; emit Initialized(1); } } /** * @dev A modifier that defines a protected reinitializer function that can be invoked at most once, and only if the * contract hasn't been initialized to a greater version before. In its scope, `onlyInitializing` functions can be * used to initialize parent contracts. * * A reinitializer may be used after the original initialization step. This is essential to configure modules that * are added through upgrades and that require initialization. * * When `version` is 1, this modifier is similar to `initializer`, except that functions marked with `reinitializer` * cannot be nested. If one is invoked in the context of another, execution will revert. * * Note that versions can jump in increments greater than 1; this implies that if multiple reinitializers coexist in * a contract, executing them in the right order is up to the developer or operator. * * WARNING: setting the version to 255 will prevent any future reinitialization. * * Emits an {Initialized} event. */ modifier reinitializer(uint8 version) { if (_initializing || _initialized >= version) { revert ContractAlreadyInitialized(); } _initialized = version; _initializing = true; _; _initializing = false; emit Initialized(version); } /** * @dev Modifier to protect an initialization function so that it can only be invoked by functions with the * {initializer} and {reinitializer} modifiers, directly or indirectly. */ modifier onlyInitializing() { if (!_initializing) { revert ContractIsNotInitializing(); } _; } /** * @dev Locks the contract, preventing any future reinitialization. This cannot be part of an initializer call. * Calling this in the constructor of a contract will prevent that contract from being initialized or reinitialized * to any version. It is recommended to use this to lock implementation contracts that are designed to be called * through proxies. * * Emits an {Initialized} event the first time it is successfully executed. */ function _disableInitializers() internal virtual { if (_initializing) { revert ContractIsInitializing(); } if (_initialized < type(uint8).max) { _initialized = type(uint8).max; emit Initialized(type(uint8).max); } } /** * @dev Returns the highest version that has been initialized. See {reinitializer}. */ function _getInitializedVersion() internal view returns (uint8) { return _initialized; } /** * @dev Returns `true` if the contract is currently initializing. See {onlyInitializing}. */ function _isInitializing() internal view returns (bool) { return _initializing; } }
// SPDX-License-Identifier: MIT // OpenZeppelin Contracts (last updated v4.6.0) (token/ERC20/IERC20.sol) pragma solidity ^0.8.0; /** * @dev Interface of the ERC20 standard as defined in the EIP. */ interface IERC20Upgradeable { /** * @dev Emitted when `value` tokens are moved from one account (`from`) to * another (`to`). * * Note that `value` may be zero. */ event Transfer(address indexed from, address indexed to, uint256 value); /** * @dev Emitted when the allowance of a `spender` for an `owner` is set by * a call to {approve}. `value` is the new allowance. */ event Approval(address indexed owner, address indexed spender, uint256 value); /** * @dev Returns the amount of tokens in existence. */ function totalSupply() external view returns (uint256); /** * @dev Returns the amount of tokens owned by `account`. */ function balanceOf(address account) external view returns (uint256); /** * @dev Moves `amount` tokens from the caller's account to `to`. * * Returns a boolean value indicating whether the operation succeeded. * * Emits a {Transfer} event. */ function transfer(address to, uint256 amount) external returns (bool); /** * @dev Returns the remaining number of tokens that `spender` will be * allowed to spend on behalf of `owner` through {transferFrom}. This is * zero by default. * * This value changes when {approve} or {transferFrom} are called. */ function allowance(address owner, address spender) external view returns (uint256); /** * @dev Sets `amount` as the allowance of `spender` over the caller's tokens. * * Returns a boolean value indicating whether the operation succeeded. * * IMPORTANT: Beware that changing an allowance with this method brings the risk * that someone may use both the old and the new allowance by unfortunate * transaction ordering. One possible solution to mitigate this race * condition is to first reduce the spender's allowance to 0 and set the * desired value afterwards: * https://github.com/ethereum/EIPs/issues/20#issuecomment-263524729 * * Emits an {Approval} event. */ function approve(address spender, uint256 amount) external returns (bool); /** * @dev Moves `amount` tokens from `from` to `to` using the * allowance mechanism. `amount` is then deducted from the caller's * allowance. * * Returns a boolean value indicating whether the operation succeeded. * * Emits a {Transfer} event. */ function transferFrom( address from, address to, uint256 amount ) external returns (bool); }
// SPDX-License-Identifier: MIT // OpenZeppelin Contracts v4.4.1 (token/ERC20/extensions/IERC20Metadata.sol) pragma solidity ^0.8.0; import "../IERC20Upgradeable.sol"; /** * @dev Interface for the optional metadata functions from the ERC20 standard. * * _Available since v4.1._ */ interface IERC20MetadataUpgradeable is IERC20Upgradeable { /** * @dev Returns the name of the token. */ function name() external view returns (string memory); /** * @dev Returns the symbol of the token. */ function symbol() external view returns (string memory); /** * @dev Returns the decimals places of the token. */ function decimals() external view returns (uint8); }
// SPDX-License-Identifier: MIT // OpenZeppelin Contracts v4.4.1 (utils/Context.sol) pragma solidity ^0.8.0; import "../proxy/utils/Initializable.sol"; /** * @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 ContextUpgradeable is Initializable { function __Context_init() internal onlyInitializing { } function __Context_init_unchained() internal onlyInitializing { } function _msgSender() internal view virtual returns (address) { return msg.sender; } function _msgData() internal view virtual returns (bytes calldata) { return msg.data; } /** * @dev This empty reserved space is put in place to allow future versions to add new * variables without shifting down storage in the inheritance chain. * See https://docs.openzeppelin.com/contracts/4.x/upgradeable#storage_gaps */ uint256[50] private __gap; }
// 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 AddressUpgradeable { error InsufficientBalance(); error UnableToSendValue(); error CallToNoContract(); /** * @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 { if (address(this).balance < amount) { revert InsufficientBalance(); } (bool success, ) = recipient.call{value: amount}(""); if (!success) { revert UnableToSendValue(); } } /** * @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) { if (address(this).balance < value) { revert InsufficientBalance(); } (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 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 if (!isContract(target)) { revert CallToNoContract(); } } 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); } } }
// SPDX-License-Identifier: MIT pragma solidity ^0.8.0; interface ICustomError { /********************************** * Generic errors **********************************/ error ZeroOwnerSet(); /********************************** * Initializable **********************************/ error ContractAlreadyInitialized(); error ContractIsNotInitializing(); error ContractIsInitializing(); /********************************** * ReentrancyGuardUpgradeable **********************************/ error ReentrantCall(); /********************************** * PausableUpgradeable **********************************/ error PausablePaused(); error PausableNotPaused(); /********************************** * UUPSUpgradeable **********************************/ error MustBeCalledThroughDelegatecall(); error MustBeCalledThroughActiveProxy(); /********************************** * ERC1967UpgradeUpgradeable **********************************/ error NewImplementationIsNotContract(); error UnsupportedProxiableUUID(); error NewImplementationIsNotUUPS(); error NewAdminIsZeroAddress(); error NewBeaconIsNotContract(); error BeaconImplementationIsNotContract(); error DelegateCallToNonContract(); /********************************** * ERC721 **********************************/ error InvalidTokenID(); error ApproveToCurrentOwner(); error CallerNotTokenOwnerOrApproved(); error TransferToNonERC721ReceiverImplementer(); error MintToZeroAddress(); error TokenAlreadyMinted(); error TransferFromIncorrectOwner(); error TransferToZeroAddress(); error ApproveToCaller(); /********************************** * ERC20Upgradeable **********************************/ error DecreasedAllowanceBelowZero(); error TransferFromZeroAddress(); error TransferAmountExceedsBalance(); error BurnFromZeroAddress(); error BurnAmountExceedsBalance(); error ApproveFromZeroAddress(); error ApproveToZeroAddress(); error InsufficientAllowance(); /********************************** * SafeERC20Upgradeable **********************************/ error ApproveFromNonZeroToNonZeroAllowance(); error PermitDidNotSucceed(); error ERC20OperationDidNotSucceed(); }
// SPDX-License-Identifier: MIT // OpenZeppelin Contracts (last updated v4.5.0) (interfaces/draft-IERC1822.sol) pragma solidity ^0.8.0; /** * @dev ERC1822: Universal Upgradeable Proxy Standard (UUPS) documents a method for upgradeability through a simplified * proxy whose upgrades are fully controlled by the current implementation. */ interface IERC1822ProxiableUpgradeable { /** * @dev Returns the storage slot that the proxiable contract assumes is being used to store the implementation * address. * * IMPORTANT: A proxy pointing at a proxiable contract should not be considered proxiable itself, because this risks * bricking a proxy that upgrades to it, by delegating to itself until out of gas. Thus it is critical that this * function revert if invoked through a proxy. */ function proxiableUUID() external view returns (bytes32); }
// SPDX-License-Identifier: MIT // OpenZeppelin Contracts (last updated v4.5.0) (proxy/ERC1967/ERC1967Upgrade.sol) pragma solidity ^0.8.2; import "../beacon/IBeaconUpgradeable.sol"; import "../../interfaces/draft-IERC1822Upgradeable.sol"; import "../../utils/AddressUpgradeable.sol"; import "../../utils/StorageSlotUpgradeable.sol"; import "../utils/Initializable.sol"; /** * @dev This abstract contract provides getters and event emitting update functions for * https://eips.ethereum.org/EIPS/eip-1967[EIP1967] slots. * * _Available since v4.1._ * * @custom:oz-upgrades-unsafe-allow delegatecall */ abstract contract ERC1967UpgradeUpgradeable is Initializable { function __ERC1967Upgrade_init() internal onlyInitializing {} function __ERC1967Upgrade_init_unchained() internal onlyInitializing {} // This is the keccak-256 hash of "eip1967.proxy.rollback" subtracted by 1 bytes32 private constant _ROLLBACK_SLOT = 0x4910fdfa16fed3260ed0e7147f7cc6da11a60208b5b9406d12a635614ffd9143; /** * @dev Storage slot with the address of the current implementation. * This is the keccak-256 hash of "eip1967.proxy.implementation" subtracted by 1, and is * validated in the constructor. */ bytes32 internal constant _IMPLEMENTATION_SLOT = 0x360894a13ba1a3210667c828492db98dca3e2076cc3735a920a3ca505d382bbc; /** * @dev Emitted when the implementation is upgraded. */ event Upgraded(address indexed implementation); /** * @dev Returns the current implementation address. */ function _getImplementation() internal view returns (address) { return StorageSlotUpgradeable.getAddressSlot(_IMPLEMENTATION_SLOT).value; } /** * @dev Stores a new address in the EIP1967 implementation slot. */ function _setImplementation(address newImplementation) private { if (!AddressUpgradeable.isContract(newImplementation)) { revert NewImplementationIsNotContract(); } StorageSlotUpgradeable .getAddressSlot(_IMPLEMENTATION_SLOT) .value = newImplementation; } /** * @dev Perform implementation upgrade * * Emits an {Upgraded} event. */ function _upgradeTo(address newImplementation) internal { _setImplementation(newImplementation); emit Upgraded(newImplementation); } /** * @dev Perform implementation upgrade with additional setup call. * * Emits an {Upgraded} event. */ function _upgradeToAndCall( address newImplementation, bytes memory data, bool forceCall ) internal { _upgradeTo(newImplementation); if (data.length > 0 || forceCall) { _functionDelegateCall(newImplementation, data); } } /** * @dev Perform implementation upgrade with security checks for UUPS proxies, and additional setup call. * * Emits an {Upgraded} event. */ function _upgradeToAndCallUUPS( address newImplementation, bytes memory data, bool forceCall ) internal { // Upgrades from old implementations will perform a rollback test. This test requires the new // implementation to upgrade back to the old, non-ERC1822 compliant, implementation. Removing // this special case will break upgrade paths from old UUPS implementation to new ones. if (StorageSlotUpgradeable.getBooleanSlot(_ROLLBACK_SLOT).value) { _setImplementation(newImplementation); } else { try IERC1822ProxiableUpgradeable(newImplementation).proxiableUUID() returns (bytes32 slot) { // require(slot == _IMPLEMENTATION_SLOT, "ERC1967Upgrade: unsupported proxiableUUID"); if (slot != _IMPLEMENTATION_SLOT) { revert UnsupportedProxiableUUID(); } } catch { revert NewImplementationIsNotUUPS(); } _upgradeToAndCall(newImplementation, data, forceCall); } } /** * @dev Storage slot with the admin of the contract. * This is the keccak-256 hash of "eip1967.proxy.admin" subtracted by 1, and is * validated in the constructor. */ bytes32 internal constant _ADMIN_SLOT = 0xb53127684a568b3173ae13b9f8a6016e243e63b6e8ee1178d6a717850b5d6103; /** * @dev Emitted when the admin account has changed. */ event AdminChanged(address previousAdmin, address newAdmin); /** * @dev Returns the current admin. */ function _getAdmin() internal view returns (address) { return StorageSlotUpgradeable.getAddressSlot(_ADMIN_SLOT).value; } /** * @dev Stores a new address in the EIP1967 admin slot. */ function _setAdmin(address newAdmin) private { if (newAdmin == address(0)) { revert NewAdminIsZeroAddress(); } StorageSlotUpgradeable.getAddressSlot(_ADMIN_SLOT).value = newAdmin; } /** * @dev Changes the admin of the proxy. * * Emits an {AdminChanged} event. */ function _changeAdmin(address newAdmin) internal { emit AdminChanged(_getAdmin(), newAdmin); _setAdmin(newAdmin); } /** * @dev The storage slot of the UpgradeableBeacon contract which defines the implementation for this proxy. * This is bytes32(uint256(keccak256('eip1967.proxy.beacon')) - 1)) and is validated in the constructor. */ bytes32 internal constant _BEACON_SLOT = 0xa3f0ad74e5423aebfd80d3ef4346578335a9a72aeaee59ff6cb3582b35133d50; /** * @dev Emitted when the beacon is upgraded. */ event BeaconUpgraded(address indexed beacon); /** * @dev Returns the current beacon. */ function _getBeacon() internal view returns (address) { return StorageSlotUpgradeable.getAddressSlot(_BEACON_SLOT).value; } /** * @dev Stores a new beacon in the EIP1967 beacon slot. */ function _setBeacon(address newBeacon) private { if (!AddressUpgradeable.isContract(newBeacon)) { revert NewBeaconIsNotContract(); } if ( !AddressUpgradeable.isContract( IBeaconUpgradeable(newBeacon).implementation() ) ) { revert BeaconImplementationIsNotContract(); } StorageSlotUpgradeable.getAddressSlot(_BEACON_SLOT).value = newBeacon; } /** * @dev Perform beacon upgrade with additional setup call. Note: This upgrades the address of the beacon, it does * not upgrade the implementation contained in the beacon (see {UpgradeableBeacon-_setImplementation} for that). * * Emits a {BeaconUpgraded} event. */ function _upgradeBeaconToAndCall( address newBeacon, bytes memory data, bool forceCall ) internal { _setBeacon(newBeacon); emit BeaconUpgraded(newBeacon); if (data.length > 0 || forceCall) { _functionDelegateCall( IBeaconUpgradeable(newBeacon).implementation(), data ); } } /** * @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 ) private returns (bytes memory) { if (!AddressUpgradeable.isContract(target)) { revert DelegateCallToNonContract(); } // solhint-disable-next-line avoid-low-level-calls (bool success, bytes memory returndata) = target.delegatecall(data); return AddressUpgradeable.verifyCallResult( success, returndata, "Address: low-level delegate call failed" ); } /** * @dev This empty reserved space is put in place to allow future versions to add new * variables without shifting down storage in the inheritance chain. * See https://docs.openzeppelin.com/contracts/4.x/upgradeable#storage_gaps */ uint256[50] private __gap; }
// SPDX-License-Identifier: MIT // OpenZeppelin Contracts v4.4.1 (proxy/beacon/IBeacon.sol) pragma solidity ^0.8.0; /** * @dev This is the interface that {BeaconProxy} expects of its beacon. */ interface IBeaconUpgradeable { /** * @dev Must return an address that can be used as a delegate call target. * * {BeaconProxy} will check that this address is a contract. */ function implementation() external view returns (address); }
// SPDX-License-Identifier: MIT // OpenZeppelin Contracts (last updated v4.7.0) (utils/StorageSlot.sol) pragma solidity ^0.8.0; /** * @dev Library for reading and writing primitive types to specific storage slots. * * Storage slots are often used to avoid storage conflict when dealing with upgradeable contracts. * This library helps with reading and writing to such slots without the need for inline assembly. * * The functions in this library return Slot structs that contain a `value` member that can be used to read or write. * * Example usage to set ERC1967 implementation slot: * ``` * contract ERC1967 { * bytes32 internal constant _IMPLEMENTATION_SLOT = 0x360894a13ba1a3210667c828492db98dca3e2076cc3735a920a3ca505d382bbc; * * function _getImplementation() internal view returns (address) { * return StorageSlot.getAddressSlot(_IMPLEMENTATION_SLOT).value; * } * * function _setImplementation(address newImplementation) internal { * require(Address.isContract(newImplementation), "ERC1967: new implementation is not a contract"); * StorageSlot.getAddressSlot(_IMPLEMENTATION_SLOT).value = newImplementation; * } * } * ``` * * _Available since v4.1 for `address`, `bool`, `bytes32`, and `uint256`._ */ library StorageSlotUpgradeable { struct AddressSlot { address value; } struct BooleanSlot { bool value; } struct Bytes32Slot { bytes32 value; } struct Uint256Slot { uint256 value; } /** * @dev Returns an `AddressSlot` with member `value` located at `slot`. */ function getAddressSlot(bytes32 slot) internal pure returns (AddressSlot storage r) { /// @solidity memory-safe-assembly assembly { r.slot := slot } } /** * @dev Returns an `BooleanSlot` with member `value` located at `slot`. */ function getBooleanSlot(bytes32 slot) internal pure returns (BooleanSlot storage r) { /// @solidity memory-safe-assembly assembly { r.slot := slot } } /** * @dev Returns an `Bytes32Slot` with member `value` located at `slot`. */ function getBytes32Slot(bytes32 slot) internal pure returns (Bytes32Slot storage r) { /// @solidity memory-safe-assembly assembly { r.slot := slot } } /** * @dev Returns an `Uint256Slot` with member `value` located at `slot`. */ function getUint256Slot(bytes32 slot) internal pure returns (Uint256Slot storage r) { /// @solidity memory-safe-assembly assembly { r.slot := slot } } }
// SPDX-License-Identifier: MIT // OpenZeppelin Contracts v4.4.1 (token/ERC20/extensions/draft-IERC20Permit.sol) pragma solidity ^0.8.0; /** * @dev Interface of the ERC20 Permit extension allowing approvals to be made via signatures, as defined in * https://eips.ethereum.org/EIPS/eip-2612[EIP-2612]. * * Adds the {permit} method, which can be used to change an account's ERC20 allowance (see {IERC20-allowance}) by * presenting a message signed by the account. By not relying on {IERC20-approve}, the token holder account doesn't * need to send a transaction, and thus is not required to hold Ether at all. */ interface IERC20PermitUpgradeable { /** * @dev Sets `value` as the allowance of `spender` over ``owner``'s tokens, * given ``owner``'s signed approval. * * IMPORTANT: The same issues {IERC20-approve} has related to transaction * ordering also apply here. * * Emits an {Approval} event. * * Requirements: * * - `spender` cannot be the zero address. * - `deadline` must be a timestamp in the future. * - `v`, `r` and `s` must be a valid `secp256k1` signature from `owner` * over the EIP712-formatted function arguments. * - the signature must use ``owner``'s current nonce (see {nonces}). * * For more information on the signature format, see the * https://eips.ethereum.org/EIPS/eip-2612#specification[relevant EIP * section]. */ function permit( address owner, address spender, uint256 value, uint256 deadline, uint8 v, bytes32 r, bytes32 s ) external; /** * @dev Returns the current nonce for `owner`. This value must be * included whenever a signature is generated for {permit}. * * Every successful call to {permit} increases ``owner``'s nonce by one. This * prevents a signature from being used multiple times. */ function nonces(address owner) external view returns (uint256); /** * @dev Returns the domain separator used in the encoding of the signature for {permit}, as defined by {EIP712}. */ // solhint-disable-next-line func-name-mixedcase function DOMAIN_SEPARATOR() external view returns (bytes32); }
// SPDX-License-Identifier: MIT // OpenZeppelin Contracts (last updated v4.8.0) (utils/cryptography/ECDSA.sol) pragma solidity ^0.8.0; import "../StringsUpgradeable.sol"; /** * @dev Elliptic Curve Digital Signature Algorithm (ECDSA) operations. * * These functions can be used to verify that a message was signed by the holder * of the private keys of a given address. */ library ECDSAUpgradeable { enum RecoverError { NoError, InvalidSignature, InvalidSignatureLength, InvalidSignatureS, InvalidSignatureV // Deprecated in v4.8 } error InvalidSignature(); error InvalidSignatureLength(); error InvalidSignatureSValue(); function _throwError(RecoverError error) private pure { if (error == RecoverError.NoError) { return; // no error: do nothing } else if (error == RecoverError.InvalidSignature) { revert InvalidSignature(); } else if (error == RecoverError.InvalidSignatureLength) { revert InvalidSignatureLength(); } else if (error == RecoverError.InvalidSignatureS) { revert InvalidSignatureSValue(); } } /** * @dev Returns the address that signed a hashed message (`hash`) with * `signature` or error string. This address can then be used for verification purposes. * * The `ecrecover` EVM opcode allows for malleable (non-unique) signatures: * this function rejects them by requiring the `s` value to be in the lower * half order, and the `v` value to be either 27 or 28. * * IMPORTANT: `hash` _must_ be the result of a hash operation for the * verification to be secure: it is possible to craft signatures that * recover to arbitrary addresses for non-hashed data. A safe way to ensure * this is by receiving a hash of the original message (which may otherwise * be too long), and then calling {toEthSignedMessageHash} on it. * * Documentation for signature generation: * - with https://web3js.readthedocs.io/en/v1.3.4/web3-eth-accounts.html#sign[Web3.js] * - with https://docs.ethers.io/v5/api/signer/#Signer-signMessage[ethers] * * _Available since v4.3._ */ function tryRecover( bytes32 hash, bytes memory signature ) internal pure returns (address, RecoverError) { if (signature.length == 65) { bytes32 r; bytes32 s; uint8 v; // ecrecover takes the signature parameters, and the only way to get them // currently is to use assembly. /// @solidity memory-safe-assembly assembly { r := mload(add(signature, 0x20)) s := mload(add(signature, 0x40)) v := byte(0, mload(add(signature, 0x60))) } return tryRecover(hash, v, r, s); } else { return (address(0), RecoverError.InvalidSignatureLength); } } /** * @dev Returns the address that signed a hashed message (`hash`) with * `signature`. This address can then be used for verification purposes. * * The `ecrecover` EVM opcode allows for malleable (non-unique) signatures: * this function rejects them by requiring the `s` value to be in the lower * half order, and the `v` value to be either 27 or 28. * * IMPORTANT: `hash` _must_ be the result of a hash operation for the * verification to be secure: it is possible to craft signatures that * recover to arbitrary addresses for non-hashed data. A safe way to ensure * this is by receiving a hash of the original message (which may otherwise * be too long), and then calling {toEthSignedMessageHash} on it. */ function recover( bytes32 hash, bytes memory signature ) internal pure returns (address) { (address recovered, RecoverError error) = tryRecover(hash, signature); _throwError(error); return recovered; } /** * @dev Overload of {ECDSA-tryRecover} that receives the `r` and `vs` short-signature fields separately. * * See https://eips.ethereum.org/EIPS/eip-2098[EIP-2098 short signatures] * * _Available since v4.3._ */ function tryRecover( bytes32 hash, bytes32 r, bytes32 vs ) internal pure returns (address, RecoverError) { bytes32 s = vs & bytes32( 0x7fffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffff ); uint8 v = uint8((uint256(vs) >> 255) + 27); return tryRecover(hash, v, r, s); } /** * @dev Overload of {ECDSA-recover} that receives the `r and `vs` short-signature fields separately. * * _Available since v4.2._ */ function recover( bytes32 hash, bytes32 r, bytes32 vs ) internal pure returns (address) { (address recovered, RecoverError error) = tryRecover(hash, r, vs); _throwError(error); return recovered; } /** * @dev Overload of {ECDSA-tryRecover} that receives the `v`, * `r` and `s` signature fields separately. * * _Available since v4.3._ */ function tryRecover( bytes32 hash, uint8 v, bytes32 r, bytes32 s ) internal pure returns (address, RecoverError) { // EIP-2 still allows signature malleability for ecrecover(). Remove this possibility and make the signature // unique. Appendix F in the Ethereum Yellow paper (https://ethereum.github.io/yellowpaper/paper.pdf), defines // the valid range for s in (301): 0 < s < secp256k1n ÷ 2 + 1, and for v in (302): v ∈ {27, 28}. Most // signatures from current libraries generate a unique signature with an s-value in the lower half order. // // If your library generates malleable signatures, such as s-values in the upper range, calculate a new s-value // with 0xFFFFFFFFFFFFFFFFFFFFFFFFFFFFFFFEBAAEDCE6AF48A03BBFD25E8CD0364141 - s1 and flip v from 27 to 28 or // vice versa. If your library also generates signatures with 0/1 for v instead 27/28, add 27 to v to accept // these malleable signatures as well. if ( uint256(s) > 0x7FFFFFFFFFFFFFFFFFFFFFFFFFFFFFFF5D576E7357A4501DDFE92F46681B20A0 ) { return (address(0), RecoverError.InvalidSignatureS); } // If the signature is valid (and not malleable), return the signer address address signer = ecrecover(hash, v, r, s); if (signer == address(0)) { return (address(0), RecoverError.InvalidSignature); } return (signer, RecoverError.NoError); } /** * @dev Overload of {ECDSA-recover} that receives the `v`, * `r` and `s` signature fields separately. */ function recover( bytes32 hash, uint8 v, bytes32 r, bytes32 s ) internal pure returns (address) { (address recovered, RecoverError error) = tryRecover(hash, v, r, s); _throwError(error); return recovered; } /** * @dev Returns an Ethereum Signed Message, created from a `hash`. This * produces hash corresponding to the one signed with the * https://eth.wiki/json-rpc/API#eth_sign[`eth_sign`] * JSON-RPC method as part of EIP-191. * * See {recover}. */ function toEthSignedMessageHash( bytes32 hash ) internal pure returns (bytes32) { // 32 is the length in bytes of hash, // enforced by the type signature above return keccak256( abi.encodePacked("\x19Ethereum Signed Message:\n32", hash) ); } /** * @dev Returns an Ethereum Signed Message, created from `s`. This * produces hash corresponding to the one signed with the * https://eth.wiki/json-rpc/API#eth_sign[`eth_sign`] * JSON-RPC method as part of EIP-191. * * See {recover}. */ function toEthSignedMessageHash( bytes memory s ) internal pure returns (bytes32) { return keccak256( abi.encodePacked( "\x19Ethereum Signed Message:\n", StringsUpgradeable.toString(s.length), s ) ); } /** * @dev Returns an Ethereum Signed Typed Data, created from a * `domainSeparator` and a `structHash`. This produces hash corresponding * to the one signed with the * https://eips.ethereum.org/EIPS/eip-712[`eth_signTypedData`] * JSON-RPC method as part of EIP-712. * * See {recover}. */ function toTypedDataHash( bytes32 domainSeparator, bytes32 structHash ) internal pure returns (bytes32) { return keccak256( abi.encodePacked("\x19\x01", domainSeparator, structHash) ); } }
// SPDX-License-Identifier: MIT // OpenZeppelin Contracts (last updated v4.8.0) (utils/cryptography/EIP712.sol) pragma solidity ^0.8.0; import "./ECDSAUpgradeable.sol"; import "../../proxy/utils/Initializable.sol"; /** * @dev https://eips.ethereum.org/EIPS/eip-712[EIP 712] is a standard for hashing and signing of typed structured data. * * The encoding specified in the EIP is very generic, and such a generic implementation in Solidity is not feasible, * thus this contract does not implement the encoding itself. Protocols need to implement the type-specific encoding * they need in their contracts using a combination of `abi.encode` and `keccak256`. * * This contract implements the EIP 712 domain separator ({_domainSeparatorV4}) that is used as part of the encoding * scheme, and the final step of the encoding to obtain the message digest that is then signed via ECDSA * ({_hashTypedDataV4}). * * The implementation of the domain separator was designed to be as efficient as possible while still properly updating * the chain id to protect against replay attacks on an eventual fork of the chain. * * NOTE: This contract implements the version of the encoding known as "v4", as implemented by the JSON RPC method * https://docs.metamask.io/guide/signing-data.html[`eth_signTypedDataV4` in MetaMask]. * * _Available since v3.4._ * * @custom:storage-size 52 */ abstract contract EIP712Upgradeable is Initializable { /* solhint-disable var-name-mixedcase */ bytes32 private _HASHED_NAME; bytes32 private _HASHED_VERSION; bytes32 private constant _TYPE_HASH = keccak256( "EIP712Domain(string name,string version,uint256 chainId,address verifyingContract)" ); /* solhint-enable var-name-mixedcase */ /** * @dev Initializes the domain separator and parameter caches. * * The meaning of `name` and `version` is specified in * https://eips.ethereum.org/EIPS/eip-712#definition-of-domainseparator[EIP 712]: * * - `name`: the user readable name of the signing domain, i.e. the name of the DApp or the protocol. * - `version`: the current major version of the signing domain. * * NOTE: These parameters cannot be changed except through a xref:learn::upgrading-smart-contracts.adoc[smart * contract upgrade]. */ function __EIP712_init( string memory name, string memory version ) internal onlyInitializing { __EIP712_init_unchained(name, version); } function __EIP712_init_unchained( string memory name, string memory version ) internal onlyInitializing { bytes32 hashedName = keccak256(bytes(name)); bytes32 hashedVersion = keccak256(bytes(version)); _HASHED_NAME = hashedName; _HASHED_VERSION = hashedVersion; } /** * @dev Returns the domain separator for the current chain. */ function _domainSeparatorV4() internal view returns (bytes32) { return _buildDomainSeparator( _TYPE_HASH, _EIP712NameHash(), _EIP712VersionHash() ); } function _buildDomainSeparator( bytes32 typeHash, bytes32 nameHash, bytes32 versionHash ) private view returns (bytes32) { return keccak256( abi.encode( typeHash, nameHash, versionHash, block.chainid, address(this) ) ); } /** * @dev Given an already https://eips.ethereum.org/EIPS/eip-712#definition-of-hashstruct[hashed struct], this * function returns the hash of the fully encoded EIP712 message for this domain. * * This hash can be used together with {ECDSA-recover} to obtain the signer of a message. For example: * * ```solidity * bytes32 digest = _hashTypedDataV4(keccak256(abi.encode( * keccak256("Mail(address to,string contents)"), * mailTo, * keccak256(bytes(mailContents)) * ))); * address signer = ECDSA.recover(digest, signature); * ``` */ function _hashTypedDataV4( bytes32 structHash ) internal view virtual returns (bytes32) { return ECDSAUpgradeable.toTypedDataHash(_domainSeparatorV4(), structHash); } /** * @dev The hash of the name parameter for the EIP712 domain. * * NOTE: This function reads from storage by default, but can be redefined to return a constant value if gas costs * are a concern. */ function _EIP712NameHash() internal view virtual returns (bytes32) { return _HASHED_NAME; } /** * @dev The hash of the version parameter for the EIP712 domain. * * NOTE: This function reads from storage by default, but can be redefined to return a constant value if gas costs * are a concern. */ function _EIP712VersionHash() internal view virtual returns (bytes32) { return _HASHED_VERSION; } /** * @dev This empty reserved space is put in place to allow future versions to add new * variables without shifting down storage in the inheritance chain. * See https://docs.openzeppelin.com/contracts/4.x/upgradeable#storage_gaps */ uint256[50] private __gap; }
// SPDX-License-Identifier: MIT // OpenZeppelin Contracts v4.4.1 (utils/Counters.sol) pragma solidity ^0.8.0; /** * @title Counters * @author Matt Condon (@shrugs) * @dev Provides counters that can only be incremented, decremented or reset. This can be used e.g. to track the number * of elements in a mapping, issuing ERC721 ids, or counting request ids. * * Include with `using Counters for Counters.Counter;` */ library CountersUpgradeable { struct Counter { // This variable should never be directly accessed by users of the library: interactions must be restricted to // the library's function. As of Solidity v0.5.2, this cannot be enforced, though there is a proposal to add // this feature: see https://github.com/ethereum/solidity/issues/4637 uint256 _value; // default: 0 } function current(Counter storage counter) internal view returns (uint256) { return counter._value; } function increment(Counter storage counter) internal { unchecked { counter._value += 1; } } function decrement(Counter storage counter) internal { uint256 value = counter._value; require(value > 0, "Counter: decrement overflow"); unchecked { counter._value = value - 1; } } function reset(Counter storage counter) internal { counter._value = 0; } }
// SPDX-License-Identifier: MIT // OpenZeppelin Contracts (last updated v4.8.0) (utils/Strings.sol) pragma solidity ^0.8.0; import "./math/MathUpgradeable.sol"; /** * @dev String operations. */ library StringsUpgradeable { 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 = MathUpgradeable.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, MathUpgradeable.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); } }
// 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 MathUpgradeable { 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); } } }
// SPDX-License-Identifier: GPL-3.0 pragma solidity 0.8.17; import {UUPSUpgradeable} from "./oz/contracts-upgradeable/proxy/utils/UUPSUpgradeable.sol"; import {PausableUpgradeable} from "./oz/contracts-upgradeable/security/PausableUpgradeable.sol"; import {SafeOwnableUpgradeable} from "./utils/SafeOwnableUpgradeable.sol"; import {RBT} from "src/RBT.sol"; import {CommonError} from "src/lib/CommonError.sol"; import {ISacellum} from "src/interfaces/ISacellum.sol"; import {SafeERC20Upgradeable} from "./oz/contracts-upgradeable/token/ERC20/utils/SafeERC20Upgradeable.sol"; contract Sacellum is ISacellum, SafeOwnableUpgradeable, UUPSUpgradeable, PausableUpgradeable { RBT public CZToken; RBT public DEGENToken; uint256 public rate; uint256[47] private _gap; using SafeERC20Upgradeable for RBT; /** * @dev initialize function * @param CZToken_ $CZ token address * @param DEGENToken_ $DEGEN token address * @param owner_ contract owner */ function initialize( RBT CZToken_, RBT DEGENToken_, address owner_ ) public initializer { if ( address(CZToken_) == address(0) || address(DEGENToken_) == address(0) ) { revert CommonError.ZeroAddressSet(); } CZToken = CZToken_; DEGENToken = DEGENToken_; __Ownable_init(owner_); __Pausable_init(); } // solhint-disable-next-line no-empty-blocks function _authorizeUpgrade( address newImplementation ) internal override onlyOwner {} /** * @dev set invoke reate * @param rate_ $DEGEN amount per $CZ */ function setRate(uint256 rate_) external override onlyOwner { rate = rate_; emit RateSet(rate); } /** * @dev withdraw remaining $DEGEN * @param to address receive remaining $DEGEN */ function withdrawRemaining(address to) external onlyOwner { uint256 b = DEGENToken.balanceOf(address(this)); DEGENToken.safeTransfer(to, b); emit Withdraw(to, b); } function invoke(uint256 amount) external override { _invoke(amount); } function invoke( uint256 amount, uint256 permitAmount, uint256 deadline, bytes32 r, bytes32 s, uint8 v ) external override { _permit(permitAmount, deadline, r, s, v); _invoke(amount); } /** * @dev burn $CZ to invoke for $DEGEN * @param amount amount of $CZ to be burned */ function _invoke(uint256 amount) internal { if (rate == 0) { revert RateNotSet(); } CZToken.burnFrom(msg.sender, amount); uint256 degenAmount = amount * rate; DEGENToken.safeTransfer(msg.sender, degenAmount); emit Invoke(amount, degenAmount); } /** * @dev run erc20 permit to approve */ function _permit( uint256 amount, uint256 deadline, bytes32 r, bytes32 s, uint8 v ) internal { CZToken.permit(msg.sender, address(this), amount, deadline, v, r, s); } }
// SPDX-License-Identifier: MIT // OpenZeppelin Contracts (last updated v4.7.0) (security/Pausable.sol) pragma solidity ^0.8.0; import "../utils/ContextUpgradeable.sol"; import "../proxy/utils/Initializable.sol"; /** * @dev Contract module which allows children to implement an emergency stop * mechanism that can be triggered by an authorized account. * * This module is used through inheritance. It will make available the * modifiers `whenNotPaused` and `whenPaused`, which can be applied to * the functions of your contract. Note that they will not be pausable by * simply including this module, only once the modifiers are put in place. */ abstract contract PausableUpgradeable is Initializable, ContextUpgradeable { /** * @dev Emitted when the pause is triggered by `account`. */ event Paused(address account); /** * @dev Emitted when the pause is lifted by `account`. */ event Unpaused(address account); bool private _paused; /** * @dev Initializes the contract in unpaused state. */ function __Pausable_init() internal onlyInitializing { __Pausable_init_unchained(); } function __Pausable_init_unchained() internal onlyInitializing { _paused = false; } /** * @dev Modifier to make a function callable only when the contract is not paused. * * Requirements: * * - The contract must not be paused. */ modifier whenNotPaused() { _requireNotPaused(); _; } /** * @dev Modifier to make a function callable only when the contract is paused. * * Requirements: * * - The contract must be paused. */ modifier whenPaused() { _requirePaused(); _; } /** * @dev Returns true if the contract is paused, and false otherwise. */ function paused() public view virtual returns (bool) { return _paused; } /** * @dev Throws if the contract is paused. */ function _requireNotPaused() internal view virtual { // require(!paused(), "Pausable: paused"); if (paused()) { revert PausablePaused(); } } /** * @dev Throws if the contract is not paused. */ function _requirePaused() internal view virtual { if (!paused()) { revert PausableNotPaused(); } } /** * @dev Triggers stopped state. * * Requirements: * * - The contract must not be paused. */ function _pause() internal virtual whenNotPaused { _paused = true; emit Paused(_msgSender()); } /** * @dev Returns to normal state. * * Requirements: * * - The contract must be paused. */ function _unpause() internal virtual whenPaused { _paused = false; emit Unpaused(_msgSender()); } /** * @dev This empty reserved space is put in place to allow future versions to add new * variables without shifting down storage in the inheritance chain. * See https://docs.openzeppelin.com/contracts/4.x/upgradeable#storage_gaps */ uint256[49] private __gap; }
// SPDX-License-Identifier: GPL-3.0 pragma solidity 0.8.17; library CommonError { error ZeroAddressSet(); error InvalidParams(); /// @dev revert when to caller is not signer error NotSigner(); error SignatureExpired(); }
// SPDX-License-Identifier: GPL-3.0 pragma solidity 0.8.17; interface ISacellumDef { event RateSet(uint256 rate); event Invoke(uint256 amountBurn, uint256 amountGet); event Withdraw(address to, uint256 amount); error RateNotSet(); } interface ISacellum is ISacellumDef { function setRate(uint256 rate_) external; function invoke(uint256 amount) external; function invoke( uint256 amount, uint256 permitAmount, uint256 deadline, bytes32 r, bytes32 s, uint8 v ) external; }
// SPDX-License-Identifier: MIT // OpenZeppelin Contracts (last updated v4.8.0) (token/ERC20/utils/SafeERC20.sol) pragma solidity ^0.8.0; import "../IERC20Upgradeable.sol"; import "../extensions/draft-IERC20PermitUpgradeable.sol"; import "../../../utils/AddressUpgradeable.sol"; import "../../../ICustomError.sol"; /** * @title SafeERC20 * @dev Wrappers around ERC20 operations that throw on failure (when the token * contract returns false). Tokens that return no value (and instead revert or * throw on failure) are also supported, non-reverting calls are assumed to be * successful. * To use this library you can add a `using SafeERC20 for IERC20;` statement to your contract, * which allows you to call the safe operations as `token.safeTransfer(...)`, etc. */ library SafeERC20Upgradeable { using AddressUpgradeable for address; function safeTransfer( IERC20Upgradeable token, address to, uint256 value ) internal { _callOptionalReturn( token, abi.encodeWithSelector(token.transfer.selector, to, value) ); } function safeTransferFrom( IERC20Upgradeable token, address from, address to, uint256 value ) internal { _callOptionalReturn( token, abi.encodeWithSelector(token.transferFrom.selector, from, to, value) ); } /** * @dev Deprecated. This function has issues similar to the ones found in * {IERC20-approve}, and its usage is discouraged. * * Whenever possible, use {safeIncreaseAllowance} and * {safeDecreaseAllowance} instead. */ function safeApprove( IERC20Upgradeable token, address spender, uint256 value ) internal { // safeApprove should only be called when setting an initial allowance, // or when resetting it to zero. To increase and decrease it, use // 'safeIncreaseAllowance' and 'safeDecreaseAllowance' if ((value != 0) && (token.allowance(address(this), spender) != 0)) { revert ICustomError.ApproveFromNonZeroToNonZeroAllowance(); } _callOptionalReturn( token, abi.encodeWithSelector(token.approve.selector, spender, value) ); } function safeIncreaseAllowance( IERC20Upgradeable token, address spender, uint256 value ) internal { uint256 newAllowance = token.allowance(address(this), spender) + value; _callOptionalReturn( token, abi.encodeWithSelector( token.approve.selector, spender, newAllowance ) ); } function safeDecreaseAllowance( IERC20Upgradeable token, address spender, uint256 value ) internal { unchecked { uint256 oldAllowance = token.allowance(address(this), spender); if (oldAllowance < value) { revert ICustomError.DecreasedAllowanceBelowZero(); } uint256 newAllowance = oldAllowance - value; _callOptionalReturn( token, abi.encodeWithSelector( token.approve.selector, spender, newAllowance ) ); } } function safePermit( IERC20PermitUpgradeable token, address owner, address spender, uint256 value, uint256 deadline, uint8 v, bytes32 r, bytes32 s ) internal { uint256 nonceBefore = token.nonces(owner); token.permit(owner, spender, value, deadline, v, r, s); uint256 nonceAfter = token.nonces(owner); if (nonceAfter != nonceBefore + 1) { revert ICustomError.PermitDidNotSucceed(); } } /** * @dev Imitates a Solidity high-level call (i.e. a regular function call to a contract), relaxing the requirement * on the return value: the return value is optional (but if data is returned, it must not be false). * @param token The token targeted by the call. * @param data The call data (encoded using abi.encode or one of its variants). */ function _callOptionalReturn( IERC20Upgradeable token, bytes memory data ) private { // We need to perform a low level call here, to bypass Solidity's return data size checking mechanism, since // we're implementing it ourselves. We use {Address-functionCall} to perform this call, which verifies that // the target address contains contract code and also asserts for success in the low-level call. bytes memory returndata = address(token).functionCall( data, "SafeERC20: low-level call failed" ); if (returndata.length > 0) { // Return data is optional if (!abi.decode(returndata, (bool))) { revert ICustomError.ERC20OperationDidNotSucceed(); } } } }
// SPDX-License-Identifier: MIT pragma solidity ^0.8.4; /** **************************************************************************** * @notice Interface for contracts using VRF randomness * ***************************************************************************** * @dev PURPOSE * * @dev Reggie the Random Oracle (not his real job) wants to provide randomness * @dev to Vera the verifier in such a way that Vera can be sure he's not * @dev making his output up to suit himself. Reggie provides Vera a public key * @dev to which he knows the secret key. Each time Vera provides a seed to * @dev Reggie, he gives back a value which is computed completely * @dev deterministically from the seed and the secret key. * * @dev Reggie provides a proof by which Vera can verify that the output was * @dev correctly computed once Reggie tells it to her, but without that proof, * @dev the output is indistinguishable to her from a uniform random sample * @dev from the output space. * * @dev The purpose of this contract is to make it easy for unrelated contracts * @dev to talk to Vera the verifier about the work Reggie is doing, to provide * @dev simple access to a verifiable source of randomness. It ensures 2 things: * @dev 1. The fulfillment came from the VRFCoordinator * @dev 2. The consumer contract implements fulfillRandomWords. * ***************************************************************************** * @dev USAGE * * @dev Calling contracts must inherit from VRFConsumerBase, and can * @dev initialize VRFConsumerBase's attributes in their respective initializer as * @dev shown: * * @dev import "@openzeppelin/contracts-upgradeable/proxy/utils/Initializable.sol"; * @dev contract VRFConsumer is Initializable, VRFConsumerBaseV2Upgradeable { * @dev initialize(<other arguments>, address _vrfCoordinator) public initializer { * @dev __VRFConsumerBaseV2_init(_vrfCoordinator); * @dev <initialization with other arguments goes here> * @dev } * @dev } * * @dev The oracle will have given you an ID for the VRF keypair they have * @dev committed to (let's call it keyHash). Create subscription, fund it * @dev and your consumer contract as a consumer of it (see VRFCoordinatorInterface * @dev subscription management functions). * @dev Call requestRandomWords(keyHash, subId, minimumRequestConfirmations, * @dev callbackGasLimit, numWords), * @dev see (VRFCoordinatorInterface for a description of the arguments). * * @dev Once the VRFCoordinator has received and validated the oracle's response * @dev to your request, it will call your contract's fulfillRandomWords method. * * @dev The randomness argument to fulfillRandomWords is a set of random words * @dev generated from your requestId and the blockHash of the request. * * @dev If your contract could have concurrent requests open, you can use the * @dev requestId returned from requestRandomWords to track which response is associated * @dev with which randomness request. * @dev See "SECURITY CONSIDERATIONS" for principles to keep in mind, * @dev if your contract could have multiple requests in flight simultaneously. * * @dev Colliding `requestId`s are cryptographically impossible as long as seeds * @dev differ. * * ***************************************************************************** * @dev SECURITY CONSIDERATIONS * * @dev A method with the ability to call your fulfillRandomness method directly * @dev could spoof a VRF response with any random value, so it's critical that * @dev it cannot be directly called by anything other than this base contract * @dev (specifically, by the VRFConsumerBase.rawFulfillRandomness method). * * @dev For your users to trust that your contract's random behavior is free * @dev from malicious interference, it's best if you can write it so that all * @dev behaviors implied by a VRF response are executed *during* your * @dev fulfillRandomness method. If your contract must store the response (or * @dev anything derived from it) and use it later, you must ensure that any * @dev user-significant behavior which depends on that stored value cannot be * @dev manipulated by a subsequent VRF request. * * @dev Similarly, both miners and the VRF oracle itself have some influence * @dev over the order in which VRF responses appear on the blockchain, so if * @dev your contract could have multiple VRF requests in flight simultaneously, * @dev you must ensure that the order in which the VRF responses arrive cannot * @dev be used to manipulate your contract's user-significant behavior. * * @dev Since the block hash of the block which contains the requestRandomness * @dev call is mixed into the input to the VRF *last*, a sufficiently powerful * @dev miner could, in principle, fork the blockchain to evict the block * @dev containing the request, forcing the request to be included in a * @dev different block with a different hash, and therefore a different input * @dev to the VRF. However, such an attack would incur a substantial economic * @dev cost. This cost scales with the number of blocks the VRF oracle waits * @dev until it calls responds to a request. It is for this reason that * @dev that you can signal to an oracle you'd like them to wait longer before * @dev responding to the request (however this is not enforced in the contract * @dev and so remains effective only in the case of unmodified oracle software). */ import "../oz/contracts-upgradeable/proxy/utils/Initializable.sol"; /** * @dev The VRFConsumerBaseV2Upgradable is an upgradable variant of VRFConsumerBaseV2 * @dev (see https://docs.openzeppelin.com/upgrades-plugins/1.x/writing-upgradeable). * @dev It's semantics are identical to VRFConsumerBaseV2 and can be inherited from * @dev to create an upgradeable VRF consumer contract. */ abstract contract VRFConsumerBaseV2Upgradeable is Initializable { error OnlyCoordinatorCanFulfill(address have, address want); error ZeroAddressCoordinatorSet(); address internal vrfCoordinator; // See https://github.com/OpenZeppelin/openzeppelin-sdk/issues/37. // Each uint256 covers a single storage slot, see https://docs.soliditylang.org/en/latest/internals/layout_in_storage.html. uint256[49] private __gap; /** * @param _vrfCoordinator the VRFCoordinatorV2 address. * @dev See https://docs.chain.link/docs/vrf/v2/supported-networks/ for coordinator * @dev addresses on your preferred network. */ function __VRFConsumerBaseV2_init( address _vrfCoordinator ) internal onlyInitializing { if (_vrfCoordinator == address(0)) { revert ZeroAddressCoordinatorSet(); } vrfCoordinator = _vrfCoordinator; } /** * @notice fulfillRandomness handles the VRF response. Your contract must * @notice implement it. See "SECURITY CONSIDERATIONS" above for important * @notice principles to keep in mind when implementing your fulfillRandomness * @notice method. * * @dev VRFConsumerBaseV2 expects its subcontracts to have a method with this * @dev signature, and will call it once it has verified the proof * @dev associated with the randomness. (It is triggered via a call to * @dev rawFulfillRandomness, below.) * * @param requestId The Id initially returned by requestRandomness * @param randomWords the VRF output expanded to the requested number of words */ function fulfillRandomWords( uint256 requestId, uint256[] memory randomWords ) internal virtual; // rawFulfillRandomness is called by VRFCoordinator when it receives a valid VRF // proof. rawFulfillRandomness then calls fulfillRandomness, after validating // the origin of the call function rawFulfillRandomWords( uint256 requestId, uint256[] memory randomWords ) external { if (msg.sender != vrfCoordinator) { revert OnlyCoordinatorCanFulfill(msg.sender, vrfCoordinator); } fulfillRandomWords(requestId, randomWords); } }
// SPDX-License-Identifier: GPL-3.0 pragma solidity 0.8.17; import {ERC721Upgradeable} from "./oz/contracts-upgradeable/token/ERC721/ERC721Upgradeable.sol"; import {ReentrancyGuardUpgradeable} from "./oz/contracts-upgradeable/security/ReentrancyGuardUpgradeable.sol"; import {PausableUpgradeable} from "./oz/contracts-upgradeable/security/PausableUpgradeable.sol"; import {UUPSUpgradeable} from "./oz/contracts-upgradeable/proxy/utils/UUPSUpgradeable.sol"; import {BitMapsUpgradeable} from "./oz/contracts-upgradeable/utils/structs/BitMapsUpgradeable.sol"; import {AutomationCompatible} from "@chainlink/contracts/src/v0.8/AutomationCompatible.sol"; import {VRFCoordinatorV2Interface} from "@chainlink/contracts/src/v0.8/interfaces/VRFCoordinatorV2Interface.sol"; import {VRFConsumerBaseV2Upgradeable} from "src/modified/VRFConsumerBaseV2Upgradeable.sol"; import {SafeOwnableUpgradeable} from "./utils/SafeOwnableUpgradeable.sol"; import {IRebornPortal} from "src/interfaces/IRebornPortal.sol"; import {IBurnPool} from "src/interfaces/IBurnPool.sol"; import {RebornPortalStorage} from "src/RebornPortalStorage.sol"; import {RBT} from "src/RBT.sol"; import {RewardVault} from "src/RewardVault.sol"; import {RankUpgradeable} from "src/RankUpgradeable.sol"; import {Renderer} from "src/lib/Renderer.sol"; import {CommonError} from "src/lib/CommonError.sol"; import {PortalLib} from "src/PortalLib.sol"; import {FastArray} from "src/lib/FastArray.sol"; import {IPiggyBank} from "./interfaces/IPiggyBank.sol"; import {PiggyBank} from "src/PiggyBank.sol"; contract RebornPortal is IRebornPortal, SafeOwnableUpgradeable, UUPSUpgradeable, RebornPortalStorage, ERC721Upgradeable, ReentrancyGuardUpgradeable, PausableUpgradeable, AutomationCompatible, RankUpgradeable, VRFConsumerBaseV2Upgradeable { using BitMapsUpgradeable for BitMapsUpgradeable.BitMap; using FastArray for FastArray.Data; /** * @dev initialize function * @param rebornToken_ $REBORN token address * @param owner_ owner address * @param name_ ERC712 name * @param symbol_ ERC721 symbol * @param vrfCoordinator_ chainlink vrf coordinator_ address */ function initialize( RBT rebornToken_, address owner_, string memory name_, string memory symbol_, address vrfCoordinator_ ) public initializer { if (address(rebornToken_) == address(0)) { revert ZeroAddressSet(); } rebornToken = rebornToken_; __Ownable_init(owner_); __ERC721_init(name_, symbol_); __ReentrancyGuard_init(); __Pausable_init(); __VRFConsumerBaseV2_init(vrfCoordinator_); } // solhint-disable-next-line no-empty-blocks function _authorizeUpgrade( address newImplementation ) internal override onlyOwner {} /** * @inheritdoc IRebornPortal */ function incarnate( InnateParams calldata innate, address referrer, SoupParams calldata soupParams ) external payable override whenNotPaused nonReentrant checkIncarnationCount { _refer(referrer); _incarnate(innate, soupParams); } /** * @inheritdoc IRebornPortal */ function incarnate( InnateParams calldata innate, address referrer, SoupParams calldata soupParams, PermitParams calldata permitParams ) external payable override whenNotPaused nonReentrant checkIncarnationCount { _refer(referrer); _permit( permitParams.amount, permitParams.deadline, permitParams.r, permitParams.s, permitParams.v ); _incarnate(innate, soupParams); } /** * @inheritdoc IRebornPortal */ function engrave( bytes32 seed, address user, uint256 lifeReward, uint256 boostReward, uint256 score, uint256 age, uint256 nativeCost, uint256 rebornCost, string calldata creatorName ) external override whenNotPaused onlySigner { if (_seeds.get(uint256(seed))) { revert SameSeed(); } _seeds.set(uint256(seed)); uint256 tokenId; uint256 totalReward; unchecked { // tokenId auto increment tokenId = ++idx + (block.chainid * 1e18); totalReward = lifeReward + boostReward; } details[tokenId] = LifeDetail( seed, user, uint96(totalReward), uint96(rebornCost), uint16(age), uint16(++rounds[user]), uint64(score), uint48(nativeCost / 10 ** 12), creatorName ); // mint erc721 _safeMint(user, tokenId); // send $REBORN reward vault.reward(user, totalReward); // let tokenId enter the score rank _enterScoreRank(tokenId, score); PortalLib._vaultRewardToRefs( referrals, rewardFees, vault, user, lifeReward ); emit Engrave(seed, user, tokenId, score, totalReward); } /** * @inheritdoc IRebornPortal */ function baptise( address user, uint256 amount, uint256 baptiseType ) external override whenNotPaused onlySigner { vault.reward(user, amount); emit Baptise(user, amount, baptiseType); } /** * @inheritdoc IRebornPortal */ function infuse( uint256 tokenId, uint256 amount, TributeDirection tributeDirection ) external override whenNotPaused { _claimPoolDrop(tokenId); _infuse(tokenId, amount, tributeDirection); } /** * @inheritdoc IRebornPortal */ function infuse( uint256 tokenId, uint256 amount, TributeDirection tributeDirection, uint256 permitAmount, uint256 deadline, bytes32 r, bytes32 s, uint8 v ) external override whenNotPaused { _claimPoolDrop(tokenId); _permit(permitAmount, deadline, r, s, v); _infuse(tokenId, amount, tributeDirection); } /** * @inheritdoc IRebornPortal */ function switchPool( uint256 fromTokenId, uint256 toTokenId, uint256 amount, TributeDirection tributeDirection ) external override whenNotPaused { _claimPoolDrop(fromTokenId); _claimPoolDrop(toTokenId); _decreaseFromPool(fromTokenId, amount); _increaseToPool(toTokenId, amount, tributeDirection); } /** * @inheritdoc IRebornPortal */ function claimNativeDrops( uint256[] calldata tokenIds ) external override whenNotPaused { for (uint256 i = 0; i < tokenIds.length; i++) { PortalLib._claimPoolNativeDrop( tokenIds[i], _dropConf, _seasonData[_season] ); } } /** * @inheritdoc IRebornPortal */ function claimRebornDrops( uint256[] calldata tokenIds ) external override whenNotPaused { for (uint256 i = 0; i < tokenIds.length; i++) { PortalLib._claimPoolRebornDrop( tokenIds[i], vault, _dropConf, _seasonData[_season] ); } } /** * @dev Upkeep perform of chainlink automation */ function performUpkeep( bytes calldata performData ) external override whenNotPaused { (uint256 t, uint256 id) = abi.decode(performData, (uint256, uint256)); if (t == 1) { _requestDropReborn(); } else if (t == 2) { _requestDropNative(); } else if (t == 3) { _fulfillDropReborn(id); } else if (t == 4) { _fulfillDropNative(id); } } /** * @inheritdoc IRebornPortal */ function toNextSeason() external onlyOwner { piggyBank.stop(_season); _season += 1; // update piggyBank piggyBank.newSeason(_season, block.timestamp); // pause the contract _pause(); // 16% jackpot to next season _seasonData[_season]._jackpot = (_seasonData[_season - 1]._jackpot * 16) / 100; emit NewSeason(_season); } function pause() external onlyOwner { _pause(); } function unPause() external onlyOwner { _unpause(); } function setCharProperty( uint256[] calldata tokenIds, PortalLib.CharacterParams[] calldata charParams ) external onlySigner { PortalLib.setCharProperty(tokenIds, charParams, _characterProperties); } /** * @inheritdoc IRebornPortal */ function setDropConf( PortalLib.AirdropConf calldata conf ) external override onlyOwner { _dropConf = conf; emit PortalLib.NewDropConf(conf); } /** * @inheritdoc IRebornPortal */ function setVrfConf( PortalLib.VrfConf calldata conf ) external override onlyOwner { _vrfConf = conf; emit PortalLib.NewVrfConf(conf); } /** * @dev set vault * @param vault_ new vault address */ function setVault(RewardVault vault_) external onlyOwner { vault = vault_; emit VaultSet(address(vault_)); } /** * @dev set incarnation limit */ function setIncarnationLimit(uint256 limit) external onlyOwner { _incarnateCountLimit = limit; emit NewIncarnationLimit(limit); } /** * @dev withdraw token from vault * @param to the address which owner withdraw token to */ function withdrawVault(address to) external whenPaused onlyOwner { vault.withdrawEmergency(to); } /** * @dev burn $REBORN from burn pool * @param amount burn from burn pool */ function burnFromBurnPool(uint256 amount) external onlyOwner { IBurnPool(burnPool).burn(amount); } /** * @dev update signers * @param toAdd list of to be added signer * @param toRemove list of to be removed signer */ function updateSigners( address[] calldata toAdd, address[] calldata toRemove ) external onlyOwner { PortalLib._updateSigners(signers, toAdd, toRemove); } /** * @dev forging with permit */ function forging( uint256 tokenId, uint256 toLevel, PermitParams calldata permitParams ) external { _permit( permitParams.amount, permitParams.deadline, permitParams.r, permitParams.s, permitParams.v ); _forging(tokenId, toLevel); } function forging(uint256 tokenId, uint256 toLevel) external { _forging(tokenId, toLevel); } function _forging(uint256 tokenId, uint256 toLevel) internal { uint256 currentLevel = _characterProperties[tokenId].level; if (currentLevel >= toLevel) { revert CommonError.InvalidParams(); } uint256 requiredAmount; for (uint256 i = currentLevel; i < toLevel; i++) { uint256 thisLevelAmount = _forgeRequiredMaterials[i]; if (thisLevelAmount == 0) { revert CommonError.InvalidParams(); } unchecked { requiredAmount += thisLevelAmount; } } rebornToken.transferFrom(msg.sender, burnPool, requiredAmount); emit ForgedTo(tokenId, toLevel, requiredAmount); } function initializeSeason(uint256 target) external payable onlyOwner { PiggyBank(address(piggyBank)).initializeSeason{value: msg.value}( 0, uint32(block.timestamp), target ); } function setForgingRequiredAmount( uint256[] calldata levels, uint256[] calldata amounts ) external onlyOwner { uint256 levelsLength = levels.length; uint256 amountsLength = amounts.length; if (levelsLength != amountsLength) { revert CommonError.InvalidParams(); } for (uint256 i = 0; i < levelsLength; ) { _forgeRequiredMaterials[levels[i]] = amounts[i]; unchecked { i++; } } } /** * @notice mul 100 when set. eg: 8% -> 800 18%-> 1800 * @dev set percentage of referrer reward * @param rewardType 0: incarnate reward 1: engrave reward */ function setReferrerRewardFee( uint16 refL1Fee, uint16 refL2Fee, PortalLib.RewardType rewardType ) external onlyOwner { PortalLib._setReferrerRewardFee( rewardFees, refL1Fee, refL2Fee, rewardType ); } // set burnPool address for pre burn $REBORN function setBurnPool(address burnPool_) external onlyOwner { if (burnPool_ == address(0)) { revert ZeroAddressSet(); } burnPool = burnPool_; } function setPiggyBank(IPiggyBank piggyBank_) external onlyOwner { piggyBank = piggyBank_; emit SetNewPiggyBank(address(piggyBank_)); } function setPiggyBankFee(uint16 piggyBankFee_) external onlyOwner { piggyBankFee = piggyBankFee_; emit SetNewPiggyBankFee(piggyBankFee_); } /** * @dev anticheat, downgrade score and remove from rank */ function antiCheat(uint256 tokenId, uint256 score) external onlyOwner { LifeDetail storage detail = details[tokenId]; uint256 oldScore = detail.score; detail.score = uint64(score); // if it's top one hundred make this tokenId exit rank _exitRank(tokenId, oldScore); } /** * @dev withdraw native token for reward distribution * @dev amount how much to withdraw */ function withdrawNativeToken( address to, uint256 amount ) external whenPaused onlyOwner { payable(to).transfer(amount); } /** * @dev read pending reward from specific pool * @param tokenIds tokenId array of the pools */ function pendingDrop( uint256[] memory tokenIds ) external view returns (uint256 pNative, uint256 pReborn) { return PortalLib._pendingDrop(_seasonData[_season], tokenIds, _dropConf); } /** * @dev checkUpkeep for chainlink automation */ function checkUpkeep( bytes calldata /* checkData */ ) external view override returns (bool upkeepNeeded, bytes memory performData) { if (_dropConf._dropOn == 1) { // first, check whether airdrop is ready and send vrf request if ( block.timestamp > PortalLib._toLastHour(_dropConf._rebornDropLastUpdate) + _dropConf._rebornDropInterval && !_dropConf._lockRequestDropReborn ) { upkeepNeeded = true; performData = abi.encode(1, 0); return (upkeepNeeded, performData); } else if ( block.timestamp > PortalLib._toLastHour(_dropConf._nativeDropLastUpdate) + _dropConf._nativeDropInterval && !_dropConf._lockRequestDropNative ) { upkeepNeeded = true; performData = abi.encode(2, 0); return (upkeepNeeded, performData); } // second, check pending drop and execute if (FastArray.length(_pendingDrops) > 0) { uint256 id = _pendingDrops.get(0); upkeepNeeded = true; if (_vrfRequests[id].t == AirdropVrfType.DropReborn) { performData = abi.encode(3, id); } else if (_vrfRequests[id].t == AirdropVrfType.DropNative) { performData = abi.encode(4, id); } return (upkeepNeeded, performData); } } } /** * @dev See {IERC721Metadata-tokenURI}. */ function tokenURI( uint256 tokenId ) public view virtual override returns (string memory) { return Renderer.renderByTokenId(details, tokenId); } /** * @dev check whether the seed is used on-chain * @param seed random seed in bytes32 */ function seedExists(bytes32 seed) external view returns (bool) { return _seeds.get(uint256(seed)); } /** * @dev run erc20 permit to approve */ function _permit( uint256 amount, uint256 deadline, bytes32 r, bytes32 s, uint8 v ) internal { rebornToken.permit( msg.sender, address(this), amount, deadline, v, r, s ); } function _infuse( uint256 tokenId, uint256 amount, TributeDirection tributeDirection ) internal { // it's not necessary to check the whether the address of burnPool is zero // as function tranferFrom does not allow transfer to zero address by default rebornToken.transferFrom(msg.sender, burnPool, amount); _increasePool(tokenId, amount, tributeDirection); emit Infuse(msg.sender, tokenId, amount, tributeDirection); } /** * @dev implementation of incarnate */ function _incarnate( InnateParams calldata innate, SoupParams calldata soupParams ) internal { PortalLib._useSoupParam( soupParams, getIncarnateCount(_season, msg.sender), _characterProperties, signers ); uint256 nativeFee = soupParams.soupPrice + innate.talentNativePrice + innate.propertyNativePrice; uint256 rebornFee = innate.talentRebornPrice + innate.propertyRebornPrice; if (msg.value < nativeFee) { revert InsufficientAmount(); } unchecked { // transfer redundant native token back payable(msg.sender).transfer(msg.value - nativeFee); } // reward referrers uint256 referNativeAmount = _sendNativeRewardToRefs( msg.sender, nativeFee ); // uint256 netNativeAmount; unchecked { netNativeAmount = nativeFee - referNativeAmount; } uint256 piggyBankAmount = (netNativeAmount * piggyBankFee) / PortalLib.PERCENTAGE_BASE; // x% to piggyBank piggyBank.deposit{value: piggyBankAmount}( _season, msg.sender, nativeFee ); unchecked { netNativeAmount -= piggyBankAmount; // rest native token to to jackpot _seasonData[_season]._jackpot += netNativeAmount; } rebornToken.transferFrom(msg.sender, burnPool, rebornFee); emit Incarnate( msg.sender, soupParams.charTokenId, innate.talentNativePrice, innate.talentRebornPrice, innate.propertyNativePrice, innate.propertyRebornPrice, soupParams.soupPrice ); } /** * @dev record referrer relationship */ function _refer(address referrer) internal { PortalLib._refer(referrals, referrer); } /** * @dev airdrop to top 50 tvl pool * @dev directly drop to top 10 * @dev raffle 10 from top 11 - top 50 */ function _fulfillDropReborn(uint256 requestId) internal onlyDropOn { // update last drop timestamp, no back to specfic hour, for accurate coinday _dropConf._rebornDropLastUpdate = uint32(block.timestamp); _dropConf._lockRequestDropReborn = false; uint256[] memory topTens = _getTopNTokenId(10); uint256[] memory topTenToHundreds = _getFirstNTokenIdByOffSet(10, 50); uint256 dropTopAmount; uint256 dropRaffleAmount; unchecked { dropTopAmount = uint256(_dropConf._rebornTopEthAmount) * 1 ether; dropRaffleAmount = uint256(_dropConf._rebornRaffleEthAmount) * 1 ether; } PortalLib._directDropRebornToTopTokenIds( topTens, dropTopAmount, _seasonData[_season] ); uint256[] memory selectedTokenIds = new uint256[](10); RequestStatus storage rs = _vrfRequests[requestId]; rs.executed = true; uint256 r = rs.randomWords; for (uint256 i = 0; i < 10; i++) { selectedTokenIds[i] = topTenToHundreds[r % 40]; r = uint256(keccak256(abi.encode(r))); } PortalLib._directDropRebornToRaffleTokenIds( selectedTokenIds, dropRaffleAmount, _seasonData[_season] ); _pendingDrops.remove(requestId); } /** * @dev airdrop to top 100 tvl pool * @dev directly drop to top 10 * @dev raffle 10 from top 11 - top 50 */ function _fulfillDropNative(uint256 requestId) internal onlyDropOn { // update last drop timestamp, no back to specfic hour, for accurate coinday _dropConf._nativeDropLastUpdate = uint32(block.timestamp); _dropConf._lockRequestDropNative = false; uint256[] memory topTens = _getTopNTokenId(10); uint256[] memory topTenToHundreds = _getFirstNTokenIdByOffSet(10, 50); uint256 nativeTopAmount; uint256 nativeRaffleAmount; unchecked { nativeTopAmount = (uint256(_dropConf._nativeTopDropRatio) * _seasonData[_season]._jackpot) / PortalLib.PERCENTAGE_BASE; nativeRaffleAmount = (uint256(_dropConf._nativeRaffleDropRatio) * _seasonData[_season]._jackpot) / PortalLib.PERCENTAGE_BASE; // remove the amount from jackpot uint256 totalDropAmount = (nativeTopAmount + nativeRaffleAmount) * 10; _seasonData[_season]._jackpot -= totalDropAmount; } PortalLib._directDropNativeToTopTokenIds( topTens, nativeTopAmount, _seasonData[_season] ); uint256[] memory selectedTokenIds = new uint256[](10); RequestStatus storage rs = _vrfRequests[requestId]; rs.executed = true; uint256 r = rs.randomWords; for (uint256 i = 0; i < 10; ) { selectedTokenIds[i] = topTenToHundreds[r % 40]; r = uint256(keccak256(abi.encode(r))); unchecked { i++; } } PortalLib._directDropNativeToRaffleTokenIds( selectedTokenIds, nativeRaffleAmount, _seasonData[_season] ); _pendingDrops.remove(requestId); } function _requestDropReborn() internal onlyDropOn { if (_dropConf._lockRequestDropReborn) { revert DropLocked(); } _dropConf._lockRequestDropReborn = true; // raffle uint256 requestId = VRFCoordinatorV2Interface(vrfCoordinator) .requestRandomWords( _vrfConf.keyHash, _vrfConf.s_subscriptionId, _vrfConf.requestConfirmations, _vrfConf.callbackGasLimit, _vrfConf.numWords ); _vrfRequests[requestId].exists = true; _vrfRequests[requestId].t = AirdropVrfType.DropReborn; } function _requestDropNative() internal onlyDropOn { if (_dropConf._lockRequestDropNative) { revert DropLocked(); } _dropConf._lockRequestDropNative = true; // raffle uint256 requestId = VRFCoordinatorV2Interface(vrfCoordinator) .requestRandomWords( _vrfConf.keyHash, _vrfConf.s_subscriptionId, _vrfConf.requestConfirmations, _vrfConf.callbackGasLimit, _vrfConf.numWords ); _vrfRequests[requestId].exists = true; _vrfRequests[requestId].t = AirdropVrfType.DropNative; } function fulfillRandomWords( uint256 requestId, uint256[] memory randomWords ) internal override { if ( !_vrfRequests[requestId].fulfilled && _vrfRequests[requestId].exists ) { _vrfRequests[requestId].randomWords = randomWords[0]; _vrfRequests[requestId].fulfilled = true; _pendingDrops.insert(requestId); } } /** * @dev user claim a drop from a pool */ function _claimPoolDrop(uint256 tokenId) internal nonReentrant { PortalLib._claimPoolNativeDrop( tokenId, _dropConf, _seasonData[_season] ); PortalLib._claimPoolRebornDrop( tokenId, vault, _dropConf, _seasonData[_season] ); } /** * @dev send NativeToken to referrers */ function _sendNativeRewardToRefs( address account, uint256 amount ) internal returns (uint256) { return PortalLib._sendNativeRewardToRefs( referrals, rewardFees, account, amount ); } /** * @dev decrease amount from pool of switch from */ function _decreaseFromPool(uint256 tokenId, uint256 amount) internal { (uint256 totalTribute, TributeDirection tributeDirection) = PortalLib ._decreaseFromPool(tokenId, amount, _seasonData[_season]); _enterTvlRank(tokenId, totalTribute); emit DecreaseFromPool(msg.sender, tokenId, amount, tributeDirection); } /** * @dev increase amount to pool of switch to */ function _increaseToPool( uint256 tokenId, uint256 amount, TributeDirection tributeDirection ) internal { uint256 restakeAmount; unchecked { restakeAmount = (amount * 95) / 100; } _increasePool(tokenId, restakeAmount, tributeDirection); emit IncreaseToPool( msg.sender, tokenId, restakeAmount, tributeDirection ); } function _increasePool( uint256 tokenId, uint256 amount, TributeDirection tributeDirection ) internal { uint256 totalPoolTribute = PortalLib._increasePool( tokenId, amount, tributeDirection, _seasonData[_season] ); _enterTvlRank(tokenId, totalPoolTribute); } function getCoinday( uint256 tokenId, address account ) public view returns (uint256 userCoinday, uint256 poolCoinday) { (userCoinday, poolCoinday) = PortalLib.getCoinday( tokenId, account, _seasonData[_season] ); } /** * @dev returns referrer and referer reward * @return ref1 level1 of referrer. direct referrer * @return ref1Reward level 1 referrer reward * @return ref2 level2 of referrer. referrer's referrer * @return ref2Reward level 2 referrer reward */ function calculateReferReward( address account, uint256 amount, PortalLib.RewardType rewardType ) public view returns ( address ref1, uint256 ref1Reward, address ref2, uint256 ref2Reward ) { return PortalLib._calculateReferReward( referrals, rewardFees, account, amount, rewardType ); } /** * @dev read pool attribute */ function getPool( uint256 tokenId ) public view returns (PortalLib.Pool memory) { return _seasonData[_season].pools[tokenId]; } /** * @dev read pool attribute */ function getPortfolio( address user, uint256 tokenId ) public view returns (PortalLib.Portfolio memory) { return _seasonData[_season].portfolios[user][tokenId]; } function getIncarnateCount( uint256 season, address user ) public view returns (uint256) { return _incarnateCounts[season][user]; } function getIncarnateLimit() public view returns (uint256) { return _incarnateCountLimit; } function getDropConf() public view returns (PortalLib.AirdropConf memory) { return _dropConf; } /** * A -> B -> C: B: level1 A: level2 * @dev referrer1: level1 of referrers referrer2: level2 of referrers */ function getReferrers( address account ) public view returns (address referrer1, address referrer2) { referrer1 = referrals[account]; referrer2 = referrals[referrer1]; } /** * @dev return the jackpot amount of current season */ function getJackPot() public view returns (uint256) { return _seasonData[_season]._jackpot; } function readCharProperty( uint256 tokenId ) public view returns (PortalLib.CharacterProperty memory) { PortalLib.CharacterProperty memory charProperty = _characterProperties[ tokenId ]; charProperty.currentAP = uint8( PortalLib._calculateCurrentAP(charProperty) ); return charProperty; } function _checkDropOn() internal view { if (_dropConf._dropOn == 0) { revert DropOff(); } } function _checkIncarnationCount() internal { uint256 currentIncarnateCount = getIncarnateCount(_season, msg.sender); if (currentIncarnateCount >= _incarnateCountLimit) { revert IncarnationExceedLimit(); } unchecked { _incarnateCounts[_season][msg.sender] = currentIncarnateCount + 1; } } /** * @dev check signer implementation */ function _checkSigner() internal view { if (!signers[msg.sender]) { revert CommonError.NotSigner(); } } modifier onlySigner() { _checkSigner(); _; } /** * @dev check incarnation Count and auto increment if it meets */ modifier checkIncarnationCount() { _checkIncarnationCount(); _; } /** * @dev only allowed when drop is on */ modifier onlyDropOn() { _checkDropOn(); _; } }
// SPDX-License-Identifier: MIT // OpenZeppelin Contracts (last updated v4.8.0) (token/ERC721/ERC721.sol) pragma solidity ^0.8.0; import "./IERC721Upgradeable.sol"; import "./IERC721ReceiverUpgradeable.sol"; import "./extensions/IERC721MetadataUpgradeable.sol"; import "../../utils/AddressUpgradeable.sol"; import "../../utils/ContextUpgradeable.sol"; import "../../utils/StringsUpgradeable.sol"; import "../../utils/introspection/ERC165Upgradeable.sol"; import "../../proxy/utils/Initializable.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 ERC721Upgradeable is Initializable, ContextUpgradeable, ERC165Upgradeable, IERC721Upgradeable, IERC721MetadataUpgradeable { using AddressUpgradeable for address; using StringsUpgradeable 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. */ function __ERC721_init( string memory name_, string memory symbol_ ) internal onlyInitializing { __ERC721_init_unchained(name_, symbol_); } function __ERC721_init_unchained( string memory name_, string memory symbol_ ) internal onlyInitializing { _name = name_; _symbol = symbol_; } /** * @dev See {IERC165-supportsInterface}. */ function supportsInterface( bytes4 interfaceId ) public view virtual override(ERC165Upgradeable, IERC165Upgradeable) returns (bool) { return interfaceId == type(IERC721Upgradeable).interfaceId || interfaceId == type(IERC721MetadataUpgradeable).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" // ); if (owner == address(0)) { revert ZeroOwnerSet(); } return _balances[owner]; } /** * @dev See {IERC721-ownerOf}. */ function ownerOf( uint256 tokenId ) public view virtual override returns (address) { address owner = _ownerOf(tokenId); if (owner == address(0)) { revert InvalidTokenID(); } 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) {} /** * @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) {} /** * @dev See {IERC721-approve}. */ function approve(address to, uint256 tokenId) public virtual override { address owner = ERC721Upgradeable.ownerOf(tokenId); if (to == owner) { revert ApproveToCurrentOwner(); } if (_msgSender() != owner && !isApprovedForAll(owner, _msgSender())) { revert CallerNotTokenOwnerOrApproved(); } _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 if (!_isApprovedOrOwner(_msgSender(), tokenId)) { revert CallerNotTokenOwnerOrApproved(); } _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 { if (!_isApprovedOrOwner(_msgSender(), tokenId)) { revert CallerNotTokenOwnerOrApproved(); } _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); if (!_checkOnERC721Received(from, to, tokenId, data)) { revert TransferToNonERC721ReceiverImplementer(); } } /** * @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 = ERC721Upgradeable.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); if (!_checkOnERC721Received(address(0), to, tokenId, data)) { revert TransferToNonERC721ReceiverImplementer(); } } /** * @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 { if (to == address(0)) { revert MintToZeroAddress(); } if (_exists(tokenId)) { revert TokenAlreadyMinted(); } _beforeTokenTransfer(address(0), to, tokenId, 1); // Check that tokenId was not minted by `_beforeTokenTransfer` hook if (_exists(tokenId)) { revert TokenAlreadyMinted(); } 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 = ERC721Upgradeable.ownerOf(tokenId); _beforeTokenTransfer(owner, address(0), tokenId, 1); // Update ownership in case tokenId was transferred by `_beforeTokenTransfer` hook owner = ERC721Upgradeable.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 { if (ERC721Upgradeable.ownerOf(tokenId) != from) { revert TransferFromIncorrectOwner(); } if (to == address(0)) { revert TransferToZeroAddress(); } _beforeTokenTransfer(from, to, tokenId, 1); // Check that tokenId was not transferred by `_beforeTokenTransfer` hook if (ERC721Upgradeable.ownerOf(tokenId) != from) { revert TransferFromIncorrectOwner(); } // 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(ERC721Upgradeable.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 { if (owner == operator) { revert ApproveToCaller(); } _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 { if (!_exists(tokenId)) { revert InvalidTokenID(); } } /** * @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 IERC721ReceiverUpgradeable(to).onERC721Received( _msgSender(), from, tokenId, data ) returns (bytes4 retval) { return retval == IERC721ReceiverUpgradeable.onERC721Received.selector; } catch (bytes memory reason) { if (reason.length == 0) { revert TransferToNonERC721ReceiverImplementer(); } 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 { if (batchSize > 1) { if (from != address(0)) { _balances[from] -= batchSize; } if (to != address(0)) { _balances[to] += batchSize; } } } /** * @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 This empty reserved space is put in place to allow future versions to add new * variables without shifting down storage in the inheritance chain. * See https://docs.openzeppelin.com/contracts/4.x/upgradeable#storage_gaps */ uint256[44] private __gap; }
// SPDX-License-Identifier: MIT // OpenZeppelin Contracts (last updated v4.8.0) (security/ReentrancyGuard.sol) pragma solidity ^0.8.0; import "../proxy/utils/Initializable.sol"; /** * @dev Contract module that helps prevent reentrant calls to a function. * * Inheriting from `ReentrancyGuard` will make the {nonReentrant} modifier * available, which can be applied to functions to make sure there are no nested * (reentrant) calls to them. * * Note that because there is a single `nonReentrant` guard, functions marked as * `nonReentrant` may not call one another. This can be worked around by making * those functions `private`, and then adding `external` `nonReentrant` entry * points to them. * * TIP: If you would like to learn more about reentrancy and alternative ways * to protect against it, check out our blog post * https://blog.openzeppelin.com/reentrancy-after-istanbul/[Reentrancy After Istanbul]. */ abstract contract ReentrancyGuardUpgradeable is Initializable { // Booleans are more expensive than uint256 or any type that takes up a full // word because each write operation emits an extra SLOAD to first read the // slot's contents, replace the bits taken up by the boolean, and then write // back. This is the compiler's defense against contract upgrades and // pointer aliasing, and it cannot be disabled. // The values being non-zero value makes deployment a bit more expensive, // but in exchange the refund on every call to nonReentrant will be lower in // amount. Since refunds are capped to a percentage of the total // transaction's gas, it is best to keep them low in cases like this one, to // increase the likelihood of the full refund coming into effect. uint256 private constant _NOT_ENTERED = 1; uint256 private constant _ENTERED = 2; uint256 private _status; function __ReentrancyGuard_init() internal onlyInitializing { __ReentrancyGuard_init_unchained(); } function __ReentrancyGuard_init_unchained() internal onlyInitializing { _status = _NOT_ENTERED; } /** * @dev Prevents a contract from calling itself, directly or indirectly. * Calling a `nonReentrant` function from another `nonReentrant` * function is not supported. It is possible to prevent this from happening * by making the `nonReentrant` function external, and making it call a * `private` function that does the actual work. */ modifier nonReentrant() { _nonReentrantBefore(); _; _nonReentrantAfter(); } function _nonReentrantBefore() private { // On the first call to nonReentrant, _status will be _NOT_ENTERED if (_status == _ENTERED) { revert ReentrantCall(); } // Any calls to nonReentrant after this point will fail _status = _ENTERED; } function _nonReentrantAfter() private { // By storing the original value once again, a refund is triggered (see // https://eips.ethereum.org/EIPS/eip-2200) _status = _NOT_ENTERED; } /** * @dev This empty reserved space is put in place to allow future versions to add new * variables without shifting down storage in the inheritance chain. * See https://docs.openzeppelin.com/contracts/4.x/upgradeable#storage_gaps */ uint256[49] private __gap; }
// SPDX-License-Identifier: MIT // OpenZeppelin Contracts (last updated v4.8.0) (utils/structs/BitMaps.sol) pragma solidity ^0.8.0; /** * @dev Library for managing uint256 to bool mapping in a compact and efficient way, providing the keys are sequential. * Largely inspired by Uniswap's https://github.com/Uniswap/merkle-distributor/blob/master/contracts/MerkleDistributor.sol[merkle-distributor]. */ library BitMapsUpgradeable { struct BitMap { mapping(uint256 => uint256) _data; } /** * @dev Returns whether the bit at `index` is set. */ function get( BitMap storage bitmap, uint256 index ) internal view returns (bool) { uint256 bucket = index >> 8; uint256 mask = 1 << (index & 0xff); return bitmap._data[bucket] & mask != 0; } /** * @dev Sets the bit at `index` to the boolean `value`. */ function setTo(BitMap storage bitmap, uint256 index, bool value) internal { if (value) { set(bitmap, index); } else { unset(bitmap, index); } } /** * @dev Sets the bit at `index`. */ function set(BitMap storage bitmap, uint256 index) internal { uint256 bucket = index >> 8; uint256 mask = 1 << (index & 0xff); bitmap._data[bucket] |= mask; } /** * @dev Unsets the bit at `index`. */ function unset(BitMap storage bitmap, uint256 index) internal { uint256 bucket = index >> 8; uint256 mask = 1 << (index & 0xff); bitmap._data[bucket] &= ~mask; } }
// SPDX-License-Identifier: MIT pragma solidity ^0.8.0; import "./AutomationBase.sol"; import "./interfaces/AutomationCompatibleInterface.sol"; abstract contract AutomationCompatible is AutomationBase, AutomationCompatibleInterface {}
// SPDX-License-Identifier: MIT pragma solidity ^0.8.0; interface VRFCoordinatorV2Interface { /** * @notice Get configuration relevant for making requests * @return minimumRequestConfirmations global min for request confirmations * @return maxGasLimit global max for request gas limit * @return s_provingKeyHashes list of registered key hashes */ function getRequestConfig() external view returns ( uint16, uint32, bytes32[] memory ); /** * @notice Request a set of random words. * @param keyHash - Corresponds to a particular oracle job which uses * that key for generating the VRF proof. Different keyHash's have different gas price * ceilings, so you can select a specific one to bound your maximum per request cost. * @param subId - The ID of the VRF subscription. Must be funded * with the minimum subscription balance required for the selected keyHash. * @param minimumRequestConfirmations - How many blocks you'd like the * oracle to wait before responding to the request. See SECURITY CONSIDERATIONS * for why you may want to request more. The acceptable range is * [minimumRequestBlockConfirmations, 200]. * @param callbackGasLimit - How much gas you'd like to receive in your * fulfillRandomWords callback. Note that gasleft() inside fulfillRandomWords * may be slightly less than this amount because of gas used calling the function * (argument decoding etc.), so you may need to request slightly more than you expect * to have inside fulfillRandomWords. The acceptable range is * [0, maxGasLimit] * @param numWords - The number of uint256 random values you'd like to receive * in your fulfillRandomWords callback. Note these numbers are expanded in a * secure way by the VRFCoordinator from a single random value supplied by the oracle. * @return requestId - A unique identifier of the request. Can be used to match * a request to a response in fulfillRandomWords. */ function requestRandomWords( bytes32 keyHash, uint64 subId, uint16 minimumRequestConfirmations, uint32 callbackGasLimit, uint32 numWords ) external returns (uint256 requestId); /** * @notice Create a VRF subscription. * @return subId - A unique subscription id. * @dev You can manage the consumer set dynamically with addConsumer/removeConsumer. * @dev Note to fund the subscription, use transferAndCall. For example * @dev LINKTOKEN.transferAndCall( * @dev address(COORDINATOR), * @dev amount, * @dev abi.encode(subId)); */ function createSubscription() external returns (uint64 subId); /** * @notice Get a VRF subscription. * @param subId - ID of the subscription * @return balance - LINK balance of the subscription in juels. * @return reqCount - number of requests for this subscription, determines fee tier. * @return owner - owner of the subscription. * @return consumers - list of consumer address which are able to use this subscription. */ function getSubscription(uint64 subId) external view returns ( uint96 balance, uint64 reqCount, address owner, address[] memory consumers ); /** * @notice Request subscription owner transfer. * @param subId - ID of the subscription * @param newOwner - proposed new owner of the subscription */ function requestSubscriptionOwnerTransfer(uint64 subId, address newOwner) external; /** * @notice Request subscription owner transfer. * @param subId - ID of the subscription * @dev will revert if original owner of subId has * not requested that msg.sender become the new owner. */ function acceptSubscriptionOwnerTransfer(uint64 subId) external; /** * @notice Add a consumer to a VRF subscription. * @param subId - ID of the subscription * @param consumer - New consumer which can use the subscription */ function addConsumer(uint64 subId, address consumer) external; /** * @notice Remove a consumer from a VRF subscription. * @param subId - ID of the subscription * @param consumer - Consumer to remove from the subscription */ function removeConsumer(uint64 subId, address consumer) external; /** * @notice Cancel a subscription * @param subId - ID of the subscription * @param to - Where to send the remaining LINK to */ function cancelSubscription(uint64 subId, address to) external; /* * @notice Check to see if there exists a request commitment consumers * for all consumers and keyhashes for a given sub. * @param subId - ID of the subscription * @return true if there exists at least one unfulfilled request for the subscription, false * otherwise. */ function pendingRequestExists(uint64 subId) external view returns (bool); }
// SPDX-License-Identifier: GPL-3.0 pragma solidity 0.8.17; import {PortalLib} from "src/PortalLib.sol"; import {SingleRanking} from "src/lib/SingleRanking.sol"; import {BitMapsUpgradeable} from "../oz/contracts-upgradeable/utils/structs/BitMapsUpgradeable.sol"; interface IRebornDefination { struct InnateParams { uint256 talentNativePrice; uint256 talentRebornPrice; uint256 propertyNativePrice; uint256 propertyRebornPrice; } struct SoupParams { uint256 soupPrice; uint256 charTokenId; uint256 deadline; bytes32 r; bytes32 s; uint8 v; } struct PermitParams { uint256 amount; uint256 deadline; bytes32 r; bytes32 s; uint8 v; } struct LifeDetail { bytes32 seed; address creator; // --- // uint96 max 7*10^28 7*10^10 eth // | uint96 reward; // --- uint96 rebornCost; // --- uint16 age; // | uint32 round; // | // uint64 max 1.8*10^19 // | uint64 score; // | uint48 nativeCost; // only with dicimal of 10^6 // --- string creatorName; } struct SeasonData { mapping(uint256 => PortalLib.Pool) pools; /// @dev user address => pool tokenId => Portfolio mapping(address => mapping(uint256 => PortalLib.Portfolio)) portfolios; SingleRanking.Data _tributeRank; SingleRanking.Data _scoreRank; mapping(uint256 => uint256) _oldStakeAmounts; /// tokenId => bool BitMapsUpgradeable.BitMap _isTopHundredScore; // the value of minimum score uint256 _minScore; // jackpot of this season uint256 _jackpot; } enum AirdropVrfType { Invalid, DropReborn, DropNative } enum TributeDirection { Reverse, Forward } struct RequestStatus { bool fulfilled; // whether the request has been successfully fulfilled bool exists; // whether a requestId exists bool executed; // whether the airdrop is executed AirdropVrfType t; uint256 randomWords; // we only need one random word. keccak256 to generate more } enum BaptiseType { Invalid, TwitterShare, Airdrop } event Incarnate( address indexed user, uint256 indexed charTokenId, uint256 talentNativePrice, uint256 talentRebornPrice, uint256 propertyNativePrice, uint256 propertyRebornPrice, uint256 soupPrice ); event Engrave( bytes32 indexed seed, address indexed user, uint256 indexed tokenId, uint256 score, uint256 reward ); event Infuse( address indexed user, uint256 indexed tokenId, uint256 amount, TributeDirection tributeDirection ); event Dry(address indexed user, uint256 indexed tokenId, uint256 amount); event Baptise( address indexed user, uint256 amount, uint256 indexed baptiseType ); event NewSoupPrice(uint256 price); event DecreaseFromPool( address indexed account, uint256 tokenId, uint256 amount, TributeDirection tributeDirection ); event IncreaseToPool( address indexed account, uint256 tokenId, uint256 amount, TributeDirection tributeDirection ); event Drop(uint256[] tokenIds); /// @dev event about the vault address is set event VaultSet(address rewardVault); event NewSeason(uint256); event NewIncarnationLimit(uint256 limit); event ForgedTo( uint256 indexed tokenId, uint256 newLevel, uint256 burnTokenAmount ); event SetNewPiggyBank(address piggyBank); event SetNewPiggyBankFee(uint256 piggyBankFee); /// @dev revert when msg.value is insufficient error InsufficientAmount(); /// @dev revert when some address var are set to zero error ZeroAddressSet(); /// @dev revert when the random seed is duplicated error SameSeed(); /// @dev revert if burnPool address not set when infuse error NotSetBurnPoolAddress(); /// @dev revert when the drop is not on error DropOff(); /// @dev revert when incarnation count exceed limit error IncarnationExceedLimit(); error DirectionError(); error DropLocked(); } interface IRebornPortal is IRebornDefination { /** * @dev user buy the innate for the life * @param innate talent and property choice * @param referrer the referrer address */ function incarnate( InnateParams calldata innate, address referrer, SoupParams calldata charParams ) external payable; function incarnate( InnateParams calldata innate, address referrer, SoupParams calldata charParams, PermitParams calldata permitParams ) external payable; /** * @dev engrave the result on chain and reward * @param seed random seed in bytes32 * @param user user address * @param lifeReward $REBORN user earns, decimal 10^18 * @param boostReward $REBORN user earns with degen2009 boost * @param score life score * @param rebornCost user cost reborn token for this life * @param nativeCost user cost native token for this life */ function engrave( bytes32 seed, address user, uint256 lifeReward, uint256 boostReward, uint256 score, uint256 age, uint256 rebornCost, uint256 nativeCost, string calldata creatorName ) external; /** * @dev reward for share the game * @param user user address * @param amount amount for reward */ function baptise( address user, uint256 amount, uint256 baptiseType ) external; /** * @dev stake $REBORN on this tombstone * @param tokenId tokenId of the life to stake * @param amount stake amount, decimal 10^18 */ function infuse( uint256 tokenId, uint256 amount, TributeDirection tributeDirection ) external; /** * @dev stake $REBORN with permit * @param tokenId tokenId of the life to stake * @param amount amount of $REBORN to stake * @param permitAmount amount of $REBORN to approve * @param r r of signature * @param s v of signature * @param v v of signature */ function infuse( uint256 tokenId, uint256 amount, TributeDirection tributeDirection, uint256 permitAmount, uint256 deadline, bytes32 r, bytes32 s, uint8 v ) external; /** * @dev switch stake amount from poolFrom to poolTo * @param fromTokenId tokenId of from pool * @param toTokenId tokenId of to pool * @param amount amount to switch */ function switchPool( uint256 fromTokenId, uint256 toTokenId, uint256 amount, TributeDirection tributeDirection ) external; /** * @dev set new airdrop config */ function setDropConf(PortalLib.AirdropConf calldata conf) external; /** * @dev set new chainlink vrf v2 config */ function setVrfConf(PortalLib.VrfConf calldata conf) external; /** * @dev user claim many pools' native token airdrop * @param tokenIds pools' tokenId array to claim */ function claimNativeDrops(uint256[] calldata tokenIds) external; /** * @dev user claim many pools' reborn token airdrop * @param tokenIds pools' tokenId array to claim */ function claimRebornDrops(uint256[] calldata tokenIds) external; /** * @dev switch to next season, call by owner */ function toNextSeason() external; }
// SPDX-License-Identifier: GPL-3.0 pragma solidity 0.8.17; import {IRebornDefination} from "src/interfaces/IRebornPortal.sol"; import {RBT} from "src/RBT.sol"; import {RewardVault} from "src/RewardVault.sol"; import {BitMapsUpgradeable} from "./oz/contracts-upgradeable/utils/structs/BitMapsUpgradeable.sol"; import {SingleRanking} from "src/lib/SingleRanking.sol"; import {PortalLib} from "src/PortalLib.sol"; import {FastArray} from "src/lib/FastArray.sol"; import {IPiggyBank} from "./interfaces/IPiggyBank.sol"; contract RebornPortalStorage is IRebornDefination { //########### Link Contract Address ########## // RBT public rebornToken; RewardVault public vault; address public burnPool; IPiggyBank internal piggyBank; uint256 internal _season; //#### Access #####// mapping(address => bool) internal signers; //#### Incarnation ######// uint256 internal idx; mapping(address => uint256) internal rounds; mapping(uint256 => LifeDetail) internal details; BitMapsUpgradeable.BitMap internal _seeds; // season => user address => count mapping(uint256 => mapping(address => uint256)) internal _incarnateCounts; // max incarnation count uint256 internal _incarnateCountLimit; //##### Tribute ###### // mapping(uint256 => SeasonData) internal _seasonData; //#### Refer #######// mapping(address => address) internal referrals; PortalLib.ReferrerRewardFees internal rewardFees; //#### airdrop config #####// PortalLib.AirdropConf internal _dropConf; PortalLib.VrfConf internal _vrfConf; // requestId => request status mapping(uint256 => RequestStatus) internal _vrfRequests; FastArray.Data internal _pendingDrops; //########### NFT ############// // tokenId => character property mapping(uint256 => PortalLib.CharacterProperty) internal _characterProperties; // tokenId => token amount required mapping(uint256 => uint256) internal _forgeRequiredMaterials; //######### Piggy Bank #########// // X% to piggyBank piggyBankFee / 10000 uint256 internal piggyBankFee; /// @dev gap for potential variable uint256[27] private _gap; }
// SPDX-License-Identifier: GPL-3.0 pragma solidity 0.8.17; import {SafeERC20} from "@openzeppelin/contracts/token/ERC20/utils/SafeERC20.sol"; import {IERC20} from "@openzeppelin/contracts/token/ERC20/IERC20.sol"; import {Ownable} from "@openzeppelin/contracts/access/Ownable.sol"; import {IRewardVault} from "src/interfaces/IRewardVault.sol"; contract RewardVault is IRewardVault, Ownable { using SafeERC20 for IERC20; address public immutable rebornToken; constructor(address owner_, address rebornToken_) { if (rebornToken_ == address(0)) revert ZeroAddressSet(); _transferOwnership(owner_); rebornToken = rebornToken_; } /** * @notice Send reward to user * @param to The address of awards * @param amount number of awards */ function reward( address to, uint256 amount ) external virtual override onlyOwner { IERC20(rebornToken).safeTransfer(to, amount); } /** * @notice withdraw token Emergency */ function withdrawEmergency(address to) external virtual override onlyOwner { if (to == address(0)) revert ZeroAddressSet(); IERC20(rebornToken).safeTransfer( to, IERC20(rebornToken).balanceOf(address(this)) ); emit WithdrawEmergency( rebornToken, IERC20(rebornToken).balanceOf(address(this)) ); } }
// SPDX-License-Identifier: GPL-3.0 pragma solidity 0.8.17; import {RankingRedBlackTree} from "src/lib/RankingRedBlackTree.sol"; import {SingleRanking} from "src/lib/SingleRanking.sol"; import {RebornPortalStorage} from "src/RebornPortalStorage.sol"; import {BitMapsUpgradeable} from "./oz/contracts-upgradeable/utils/structs/BitMapsUpgradeable.sol"; import {DegenRank} from "src/DegenRank.sol"; abstract contract RankUpgradeable is RebornPortalStorage { using SingleRanking for SingleRanking.Data; using BitMapsUpgradeable for BitMapsUpgradeable.BitMap; /** * @dev set tokenId to rank, only top 100 into rank * @param tokenId incarnation tokenId * @param value incarnation life score */ function _enterScoreRank(uint256 tokenId, uint256 value) internal { DegenRank._enterScoreRank(_seasonData[_season], tokenId, value); } /** * @dev set a new value in tree, only save top x largest value * @param value new value enters in the tree */ function _enterTvlRank(uint256 tokenId, uint256 value) internal { DegenRank._enterTvlRank( _seasonData[_season]._tributeRank, _seasonData[_season]._isTopHundredScore, _seasonData[_season]._oldStakeAmounts, tokenId, value ); } function _exitRank(uint256 tokenId, uint256 oldValue) internal { DegenRank._exitRank(_seasonData[_season], tokenId, oldValue); } /** * TODO: old data should have higher priority when value is the same */ function _getTopNTokenId( uint256 n ) internal view returns (uint256[] memory values) { return _seasonData[_season]._tributeRank.get(0, n); } /** * TODO: old data should have higher priority when value is the same */ function _getFirstNTokenIdByOffSet( uint256 offSet, uint256 n ) internal view returns (uint256[] memory values) { return _seasonData[_season]._tributeRank.get(offSet, n); } }
// SPDX-License-Identifier: GPL-3.0 pragma solidity 0.8.17; import "@openzeppelin/contracts/utils/Strings.sol"; import {RenderConstant} from "src/lib/RenderConstant.sol"; import {RenderConstant2} from "src/lib/RenderConstant2.sol"; import {Base64} from "@openzeppelin/contracts/utils/Base64.sol"; import {IRebornDefination} from "src/interfaces/IRebornPortal.sol"; import {strings} from "src/lib/strings.sol"; library Renderer { using strings for *; function renderByTokenId( mapping(uint256 => IRebornDefination.LifeDetail) storage details, uint256 tokenId ) public view returns (string memory) { string memory metadata = Base64.encode( bytes( string.concat( '{"name": "', "Degen Tombstone", '","description":"', "", '","image":"', "data:image/svg+xml;base64,", Base64.encode( bytes( renderSvg( details[tokenId].seed, details[tokenId].score, details[tokenId].round, details[tokenId].age, details[tokenId].creatorName, details[tokenId].nativeCost, details[tokenId].rebornCost ) ) ), '","attributes": ', renderTrait( details[tokenId].seed, details[tokenId].score, details[tokenId].round, details[tokenId].age, details[tokenId].creator, details[tokenId].creatorName, details[tokenId].reward, details[tokenId].nativeCost ), "}" ) ) ); return string.concat("data:application/json;base64,", metadata); } function renderSvg( bytes32 seed, uint256 lifeScore, uint256 round, uint256 age, string memory creatorName, uint256 nativeCost, uint256 rebornCost ) public pure returns (string memory) { string memory Part1 = _renderSvgPart1(seed, lifeScore, round, age); string memory Part2 = _renderSvgPart2( creatorName, nativeCost, rebornCost ); return string(abi.encodePacked(Part1, Part2)); } function renderTrait( bytes32 seed, uint256 lifeScore, uint256 round, uint256 age, address creator, string memory creatorName, uint256 reward, uint256 cost ) public pure returns (string memory) { return string( abi.encodePacked( _renderTraitPart1(seed, lifeScore, round, age), _renderTraitPart2(creator, creatorName, reward, cost) ) ); } function _renderTraitPart1( bytes32 seed, uint256 lifeScore, uint256 round, uint256 age ) internal pure returns (string memory) { return string( abi.encodePacked( '[{"trait_type": "Seed", "value": "', Strings.toHexString(uint256(seed), 32), '"},{"trait_type": "Life Score", "value": ', Strings.toString(lifeScore), '},{"trait_type": "Round", "value": ', Strings.toString(round), '},{"trait_type": "Age", "value": ', Strings.toString(age) ) ); } function _renderTraitPart2( address creator, string memory creatorName, uint256 reward, uint256 cost ) internal pure returns (string memory) { return string( abi.encodePacked( '},{"trait_type": "Creator", "value": "', Strings.toHexString(uint160(creator), 20), '"},{"trait_type": "CreatorName", "value": "', creatorName, '"},{"trait_type": "Reward", "value": ', Strings.toString(reward), '},{"trait_type": "Cost", "value": ', Strings.toString(cost), "}]" ) ); } function _renderSvgPart1( bytes32 seed, uint256 lifeScore, uint256 round, uint256 age ) internal pure returns (string memory) { return string( abi.encodePacked( RenderConstant.P1(), _transformBytes32Seed(seed), RenderConstant.P2(), _transformUint256(lifeScore), RenderConstant.P3(), Strings.toString(round), RenderConstant.P4(), Strings.toString(age) ) ); } function _renderSvgPart2( string memory creator, uint256 nativeCost, uint256 degenCost ) internal pure returns (string memory) { return string( abi.encodePacked( RenderConstant.P5(), _compressUtf8(creator), RenderConstant.P6(), _tranformWeiToDecimal2(nativeCost), RenderConstant.P7(), _transformUint256(degenCost / 1 ether), RenderConstant.P8(), RenderConstant.P9(), RenderConstant2.P10() ) ); } function _tranformWeiToDecimal2( uint256 value ) public pure returns (string memory str) { if (value > 100 ether) { return Strings.toString(value / 1 ether); } else { uint256 secondFractional = value % (1 ether / 10); uint256 firstFractional = (value - secondFractional) % (1 ether); uint256 integer; if (firstFractional != 0 || secondFractional != 0) { integer = value - firstFractional - secondFractional; } else { integer = value; } return string.concat( Strings.toString(integer / 1 ether), ".", Strings.toString(firstFractional / 10 ** 17), Strings.toString(secondFractional / 10 ** 16) ); } } function _transformUint256( uint256 value ) public pure returns (string memory str) { if (value < 10 ** 7) { return _recursiveAddComma(value); } else if (value < 10 ** 11) { return string( abi.encodePacked(_recursiveAddComma(value / 10 ** 6), "M") ); } else if (value < 10 ** 15) { return string( abi.encodePacked(_recursiveAddComma(value / 10 ** 9), "B") ); } else { revert ValueOutOfRange(); } } function _recursiveAddComma( uint256 value ) internal pure returns (string memory str) { if (value / 1000 == 0) { str = string(abi.encodePacked(Strings.toString(value), str)); } else { str = string( abi.encodePacked( _recursiveAddComma(value / 1000), ",", _numberStringToLengthThree(Strings.toString(value % 1000)), str ) ); } } function _transformBytes32Seed( bytes32 b ) public pure returns (string memory) { string memory str = Strings.toHexString(uint256(b), 32); return string( abi.encodePacked( _substring(str, 0, 14), unicode"…", _substring(str, 45, 66) ) ); } function _numberStringToLengthThree( string memory number ) internal pure returns (string memory) { if (bytes(number).length == 1) { return string(abi.encodePacked("00", number)); } else if (bytes(number).length == 2) { return string(abi.encodePacked("0", number)); } else { return number; } } error ValueOutOfRange(); function _shortenAddr(address addr) private pure returns (string memory) { uint256 value = uint160(addr); bytes memory allBytes = bytes(Strings.toHexString(value, 20)); string memory newString = string(allBytes); return string( abi.encodePacked( _substring(newString, 0, 6), unicode"…", _substring(newString, 38, 42) ) ); } function _substring( string memory str, uint256 startIndex, uint256 endIndex ) private pure returns (string memory) { bytes memory strBytes = bytes(str); bytes memory result = new bytes(endIndex - startIndex); for (uint256 i = startIndex; i < endIndex; i++) { result[i - startIndex] = strBytes[i]; } return string(result); } function _compressUtf8( string memory str ) public pure returns (string memory res) { strings.slice memory sl = str.toSlice(); strings.slice memory resl = res.toSlice(); uint256 length = sl.len(); if (length > 12) { for (uint256 i = 0; i < 5; i++) { resl = resl.concat(sl.nextRune()).toSlice(); } for (uint256 i = 5; i < length - 7; i++) { sl.nextRune().toString(); } resl = resl.concat(unicode"…".toSlice()).toSlice(); for (uint256 i = length - 7; i < length; i++) { resl = resl.concat(sl.nextRune()).toSlice(); } return resl.toString(); } return str; } }
// SPDX-License-Identifier: GPL-3.0 pragma solidity 0.8.17; import {IRebornDefination} from "src/interfaces/IRebornPortal.sol"; import {IERC721} from "@openzeppelin/contracts/token/ERC721/IERC721.sol"; import {RewardVault} from "src/RewardVault.sol"; import {CommonError} from "src/lib/CommonError.sol"; import {ECDSAUpgradeable} from "src/oz/contracts-upgradeable/utils/cryptography/ECDSAUpgradeable.sol"; library PortalLib { uint256 public constant PERSHARE_BASE = 10e18; // percentage base of refer reward fees uint256 public constant PERCENTAGE_BASE = 10000; bytes32 public constant _SOUPPARAMS_TYPEHASH = keccak256( "AuthenticateSoupArg(address user,uint256 soupPrice,uint256 incarnateCounter,uint256 tokenId,uint256 deadline)" ); bytes32 public constant _TYPE_HASH = keccak256( "EIP712Domain(string name,string version,uint256 chainId,address verifyingContract)" ); uint256 public constant ONE_HUNDRED = 100; struct CharacterParams { uint256 maxAP; uint256 restoreTimePerAP; uint256 level; } // TODO: use more compact storage struct CharacterProperty { uint8 currentAP; uint8 maxAP; uint24 restoreTimePerAP; // Time Needed to Restore One Action Point uint32 lastTimeAPUpdate; uint8 level; } enum RewardType { NativeToken, RebornToken } struct ReferrerRewardFees { uint16 incarnateRef1Fee; uint16 incarnateRef2Fee; uint16 vaultRef1Fee; uint16 vaultRef2Fee; uint192 _slotPlaceholder; } struct Pool { uint256 totalAmount; uint256 accRebornPerShare; uint256 accNativePerShare; uint128 droppedRebornTotal; uint128 droppedNativeTotal; uint256 coindayCumulant; uint32 coindayUpdateLastTime; uint112 totalForwardTribute; uint112 totalReverseTribute; } // // We do some fancy math here. Basically, any point in time, the amount // entitled to a user but is pending to be distributed is: // // pending reward = (Amount * pool.accPerShare) - user.rewardDebt // // Whenever a user infuse or switchPool. Here's what happens: // 1. The pool's `accPerShare` (and `lastRewardBlock`) gets updated. // 2. User receives the pending reward sent to his/her address. // 3. User's `amount` gets updated. // 4. User's `rewardDebt` gets updated. struct Portfolio { uint256 accumulativeAmount; uint128 rebornRewardDebt; uint128 nativeRewardDebt; /// @dev reward for holding the NFT when the NFT is selected uint128 pendingOwnerRebornReward; uint128 pendingOwnerNativeReward; uint256 coindayCumulant; uint32 coindayUpdateLastTime; uint112 totalForwardTribute; uint112 totalReverseTribute; } struct AirdropConf { uint8 _dropOn; // --- bool _lockRequestDropReborn; bool _lockRequestDropNative; uint24 _rebornDropInterval; // | uint24 _nativeDropInterval; // | uint32 _rebornDropLastUpdate; // | uint32 _nativeDropLastUpdate; // | uint16 _nativeTopDropRatio; // | uint16 _nativeRaffleDropRatio; // | uint40 _rebornTopEthAmount; // | uint40 _rebornRaffleEthAmount; // --- uint8 _placeholder; } struct VrfConf { bytes32 keyHash; uint64 s_subscriptionId; uint32 callbackGasLimit; uint32 numWords; uint16 requestConfirmations; } event DropNative(uint256 indexed tokenId, uint256 amount); event DropReborn(uint256 indexed tokenId, uint256 amount); event ClaimRebornDrop(uint256 indexed tokenId, uint256 rebornAmount); event ClaimNativeDrop(uint256 indexed tokenId, uint256 nativeAmount); event NewDropConf(AirdropConf conf); event NewVrfConf(VrfConf conf); event SignerUpdate(address signer, bool valid); event ReferReward( address indexed user, address indexed ref1, uint256 amount1, address indexed ref2, uint256 amount2, RewardType rewardType ); event Refer(address referee, address referrer); function _claimPoolRebornDrop( uint256 tokenId, RewardVault vault, AirdropConf storage dropConf, IRebornDefination.SeasonData storage _seasonData ) external { Pool storage pool = _seasonData.pools[tokenId]; Portfolio storage portfolio = _seasonData.portfolios[msg.sender][ tokenId ]; uint256 pendingTributeReborn; (, uint256 userRebornCoinday) = _computeUserCoindayOfAirdropTimestamp( tokenId, msg.sender, dropConf, _seasonData ); // if no portfolio, no pending tribute reward if (userRebornCoinday == 0) { pendingTributeReborn = 0; } else { pendingTributeReborn = (userRebornCoinday * pool.accRebornPerShare) / PERSHARE_BASE - portfolio.rebornRewardDebt; } uint256 pendingReborn = pendingTributeReborn + portfolio.pendingOwnerRebornReward; // set current amount as debt if (userRebornCoinday > 0) { portfolio.rebornRewardDebt = uint128( (userRebornCoinday * pool.accRebornPerShare) / PERSHARE_BASE ); } // clean up reward as owner portfolio.pendingOwnerRebornReward = 0; /// @dev send drop if (pendingReborn > 0) { vault.reward(msg.sender, pendingReborn); emit ClaimRebornDrop(tokenId, pendingReborn); } } function _claimPoolNativeDrop( uint256 tokenId, AirdropConf storage dropConf, IRebornDefination.SeasonData storage _seasonData ) external { Pool storage pool = _seasonData.pools[tokenId]; Portfolio storage portfolio = _seasonData.portfolios[msg.sender][ tokenId ]; uint256 pendingTributeNative; (uint256 userNativeCoinday, ) = _computeUserCoindayOfAirdropTimestamp( tokenId, msg.sender, dropConf, _seasonData ); // if no coinday, no pending tribute reward if (userNativeCoinday == 0) { pendingTributeNative = 0; } else { pendingTributeNative = (userNativeCoinday * pool.accNativePerShare) / PERSHARE_BASE - portfolio.nativeRewardDebt; } uint256 pendingNative = pendingTributeNative + portfolio.pendingOwnerNativeReward; // set current amount as debt portfolio.nativeRewardDebt = uint128( (userNativeCoinday * pool.accNativePerShare) / PERSHARE_BASE ); // clean up reward as owner portfolio.pendingOwnerNativeReward = 0; /// @dev send drop if (pendingNative > 0) { payable(msg.sender).transfer(pendingNative); emit ClaimNativeDrop(tokenId, pendingNative); } } /** * @dev calculate drop from a pool */ function _calculatePoolDrop( uint256 tokenId, IRebornDefination.SeasonData storage _seasonData, AirdropConf storage dropConf ) public view returns (uint256 pendingNative, uint256 pendingReborn) { Pool storage pool = _seasonData.pools[tokenId]; Portfolio storage portfolio = _seasonData.portfolios[msg.sender][ tokenId ]; uint256 pendingTributeNative; uint256 pendingTributeReborn; // if no coinday, no pending tribute reward if (portfolio.accumulativeAmount == 0) { pendingTributeNative = 0; pendingTributeReborn = 0; } else { ( uint256 userNativeCoinday, uint256 userRebornCoinday ) = _computeUserCoindayOfAirdropTimestamp( tokenId, msg.sender, dropConf, _seasonData ); pendingTributeNative = userNativeCoinday > 0 ? (userNativeCoinday * pool.accNativePerShare) / PERSHARE_BASE - portfolio.nativeRewardDebt : 0; pendingTributeReborn = userRebornCoinday > 0 ? (userRebornCoinday * pool.accRebornPerShare) / PERSHARE_BASE - portfolio.rebornRewardDebt : 0; } pendingNative = pendingTributeNative + portfolio.pendingOwnerNativeReward; pendingReborn = pendingTributeReborn + portfolio.pendingOwnerRebornReward; } /** * @dev read pending reward from specific pool * @param tokenIds tokenId array of the pools */ function _pendingDrop( IRebornDefination.SeasonData storage _seasonData, uint256[] memory tokenIds, AirdropConf storage dropConf ) external view returns (uint256 pNative, uint256 pReborn) { for (uint256 i = 0; i < tokenIds.length; i++) { (uint256 n, uint256 r) = _calculatePoolDrop( tokenIds[i], _seasonData, dropConf ); pNative += n; pReborn += r; } } function _directDropNativeToTopTokenIds( uint256[] memory tokenIds, uint256 dropAmount, IRebornDefination.SeasonData storage _seasonData ) external { for (uint256 i = 0; i < tokenIds.length; ) { uint256 tokenId = tokenIds[i]; // if tokenId is zero, return // as there is no enough incarnation if (tokenId == 0) { return; } Pool storage pool = _seasonData.pools[tokenId]; uint256 poolCoinday = getPoolCoinday(tokenId, _seasonData); // if no coin day, cointue and jump to next one if (poolCoinday == 0) { continue; } address owner = IERC721(address(this)).ownerOf(tokenId); Portfolio storage portfolio = _seasonData.portfolios[owner][ tokenId ]; unchecked { // 80% to pool pool.droppedNativeTotal += (4 * uint128(dropAmount)) / 5; pool.accNativePerShare = (pool.droppedNativeTotal * PERSHARE_BASE) / poolCoinday; // 20% to owner portfolio.pendingOwnerNativeReward += uint128( (dropAmount * 1) / 5 ); } emit DropNative(tokenId, dropAmount); // i auto increment unchecked { i++; } } } function _directDropNativeToRaffleTokenIds( uint256[] memory tokenIds, uint256 dropAmount, IRebornDefination.SeasonData storage _seasonData ) external { for (uint256 i = 0; i < tokenIds.length; i++) { uint256 tokenId = tokenIds[i]; // if it's empty, continue as it's raffle if (tokenId == 0) { continue; } Pool storage pool = _seasonData.pools[tokenId]; uint256 poolCoinday = getPoolCoinday(tokenId, _seasonData); // if no coinday, continue and jump to next one if (poolCoinday == 0) { continue; } address owner = IERC721(address(this)).ownerOf(tokenId); Portfolio storage portfolio = _seasonData.portfolios[owner][ tokenId ]; unchecked { // 80% to pool pool.droppedNativeTotal += (4 * uint128(dropAmount)) / 5; pool.accNativePerShare = (pool.droppedNativeTotal * PERSHARE_BASE) / poolCoinday; // 20% to owner portfolio.pendingOwnerNativeReward += uint128( (dropAmount * 1) / 5 ); } emit DropNative(tokenId, dropAmount); } } function _directDropRebornToTopTokenIds( uint256[] memory tokenIds, uint256 dropAmount, IRebornDefination.SeasonData storage _seasonData ) external { for (uint256 i = 0; i < tokenIds.length; i++) { uint256 tokenId = tokenIds[i]; // if tokenId is zero, return // as 0 means there is no more tokenIds if (tokenId == 0) { return; } Pool storage pool = _seasonData.pools[tokenId]; uint256 poolCoinday = getPoolCoinday(tokenId, _seasonData); // if no coinday, // continue and jump to next one if (poolCoinday == 0) { continue; } unchecked { // 80% to pool pool.droppedRebornTotal += (4 * uint128(dropAmount)) / 5; pool.accRebornPerShare = (pool.droppedRebornTotal * PERSHARE_BASE) / poolCoinday; } // 20% to owner address owner = IERC721(address(this)).ownerOf(tokenId); Portfolio storage portfolio = _seasonData.portfolios[owner][ tokenId ]; unchecked { portfolio.pendingOwnerRebornReward += uint128( (dropAmount * 1) / 5 ); } emit DropReborn(tokenId, dropAmount); } } function _directDropRebornToRaffleTokenIds( uint256[] memory tokenIds, uint256 dropAmount, IRebornDefination.SeasonData storage _seasonData ) external { for (uint256 i = 0; i < tokenIds.length; i++) { uint256 tokenId = tokenIds[i]; // if tokenId is zero, continue // as it's raffle if (tokenId == 0) { continue; } Pool storage pool = _seasonData.pools[tokenId]; uint256 poolCoinday = getPoolCoinday(tokenId, _seasonData); // if no coinday, continue if (poolCoinday == 0) { continue; } unchecked { // 80% to pool pool.droppedRebornTotal += (4 * uint128(dropAmount)) / 5; pool.accRebornPerShare = (pool.droppedRebornTotal * PERSHARE_BASE) / poolCoinday; } // 20% to owner address owner = IERC721(address(this)).ownerOf(tokenId); Portfolio storage portfolio = _seasonData.portfolios[owner][ tokenId ]; unchecked { portfolio.pendingOwnerRebornReward += uint128( (dropAmount * 1) / 5 ); } emit DropReborn(tokenId, dropAmount); } } function _toLastHour(uint256 timestamp) internal pure returns (uint256) { return timestamp - (timestamp % (1 hours)); } /** * @dev update signers * @param toAdd list of to be added signer * @param toRemove list of to be removed signer */ function _updateSigners( mapping(address => bool) storage signers, address[] calldata toAdd, address[] calldata toRemove ) public { for (uint256 i = 0; i < toAdd.length; i++) { signers[toAdd[i]] = true; emit SignerUpdate(toAdd[i], true); } for (uint256 i = 0; i < toRemove.length; i++) { delete signers[toRemove[i]]; emit SignerUpdate(toRemove[i], false); } } /** * @dev returns referrer and referer reward * @return ref1 level1 of referrer. direct referrer * @return ref1Reward level 1 referrer reward * @return ref2 level2 of referrer. referrer's referrer * @return ref2Reward level 2 referrer reward */ function _calculateReferReward( mapping(address => address) storage referrals, ReferrerRewardFees storage rewardFees, address account, uint256 amount, RewardType rewardType ) public view returns ( address ref1, uint256 ref1Reward, address ref2, uint256 ref2Reward ) { ref1 = referrals[account]; ref2 = referrals[ref1]; if (rewardType == RewardType.NativeToken) { ref1Reward = ref1 == address(0) ? 0 : (amount * rewardFees.incarnateRef1Fee) / PERCENTAGE_BASE; ref2Reward = ref2 == address(0) ? 0 : (amount * rewardFees.incarnateRef2Fee) / PERCENTAGE_BASE; } if (rewardType == RewardType.RebornToken) { ref1Reward = ref1 == address(0) ? 0 : (amount * rewardFees.vaultRef1Fee) / PERCENTAGE_BASE; ref2Reward = ref2 == address(0) ? 0 : (amount * rewardFees.vaultRef2Fee) / PERCENTAGE_BASE; } } /** * @notice mul 10000 when set. eg: 8% -> 800 18%-> 1800 * @dev set percentage of referrer reward * @param rewardType 0: incarnate reward 1: engrave reward */ function _setReferrerRewardFee( ReferrerRewardFees storage rewardFees, uint16 refL1Fee, uint16 refL2Fee, RewardType rewardType ) external { if (rewardType == RewardType.NativeToken) { rewardFees.incarnateRef1Fee = refL1Fee; rewardFees.incarnateRef2Fee = refL2Fee; } else if (rewardType == RewardType.RebornToken) { rewardFees.vaultRef1Fee = refL1Fee; rewardFees.vaultRef2Fee = refL2Fee; } } /** * @dev send NativeToken to referrers */ function _sendNativeRewardToRefs( mapping(address => address) storage referrals, ReferrerRewardFees storage rewardFees, address account, uint256 amount ) public returns (uint256 total) { ( address ref1, uint256 ref1Reward, address ref2, uint256 ref2Reward ) = _calculateReferReward( referrals, rewardFees, account, amount, RewardType.NativeToken ); if (ref1Reward > 0) { payable(ref1).transfer(ref1Reward); } if (ref2Reward > 0) { payable(ref2).transfer(ref2Reward); } unchecked { total = ref1Reward + ref2Reward; } emit ReferReward( account, ref1, ref1Reward, ref2, ref2Reward, RewardType.NativeToken ); } /** * @dev vault $REBORN token to referrers */ function _vaultRewardToRefs( mapping(address => address) storage referrals, ReferrerRewardFees storage rewardFees, RewardVault vault, address account, uint256 amount ) public { ( address ref1, uint256 ref1Reward, address ref2, uint256 ref2Reward ) = _calculateReferReward( referrals, rewardFees, account, amount, RewardType.RebornToken ); if (ref1Reward > 0) { vault.reward(ref1, ref1Reward); } if (ref2Reward > 0) { vault.reward(ref2, ref2Reward); } emit ReferReward( account, ref1, ref1Reward, ref2, ref2Reward, RewardType.RebornToken ); } function _computeUserCoindayOfAirdropTimestamp( uint256 tokenId, address account, AirdropConf storage dropConf, IRebornDefination.SeasonData storage _seasonData ) internal view returns (uint256 userNativeCoinday, uint256 userRebornCoinday) { PortalLib.Portfolio storage portfolio = _seasonData.portfolios[account][ tokenId ]; unchecked { if ( portfolio.coindayUpdateLastTime < dropConf._nativeDropLastUpdate ) { userNativeCoinday = portfolio.coindayCumulant + ((dropConf._nativeDropLastUpdate - portfolio.coindayUpdateLastTime) * portfolio.accumulativeAmount) / 1 days; } if ( portfolio.coindayUpdateLastTime < dropConf._rebornDropLastUpdate ) { userRebornCoinday = portfolio.coindayCumulant + ((dropConf._rebornDropLastUpdate - portfolio.coindayUpdateLastTime) * portfolio.accumulativeAmount) / 1 days; } } } function getPoolCoinday( uint256 tokenId, IRebornDefination.SeasonData storage _seasonData ) public view returns (uint256 poolCoinday) { PortalLib.Pool storage pool = _seasonData.pools[tokenId]; unchecked { uint256 poolPending = ((block.timestamp - pool.coindayUpdateLastTime) * pool.totalAmount) / 1 days; poolCoinday = poolPending + pool.coindayCumulant; } } function _updateCoinday( PortalLib.Portfolio storage portfolio, PortalLib.Pool storage pool ) public { unchecked { portfolio.coindayCumulant += ((block.timestamp - portfolio.coindayUpdateLastTime) * portfolio.accumulativeAmount) / 1 days; portfolio.coindayUpdateLastTime = uint32(block.timestamp); pool.coindayCumulant += ((block.timestamp - pool.coindayUpdateLastTime) * pool.totalAmount) / 1 days; pool.coindayUpdateLastTime = uint32(block.timestamp); } } function getCoinday( uint256 tokenId, address account, IRebornDefination.SeasonData storage _seasonData ) public view returns (uint256 userCoinday, uint256 poolCoinday) { PortalLib.Portfolio memory portfolio = _seasonData.portfolios[account][ tokenId ]; PortalLib.Pool memory pool = _seasonData.pools[tokenId]; unchecked { uint256 userPending = ((block.timestamp - portfolio.coindayUpdateLastTime) * portfolio.accumulativeAmount) / 1 days; uint256 poolPending = ((block.timestamp - pool.coindayUpdateLastTime) * pool.totalAmount) / 1 days; userCoinday = userPending + portfolio.coindayCumulant; poolCoinday = poolPending + pool.coindayCumulant; } } function _increasePool( uint256 tokenId, uint256 amount, IRebornDefination.TributeDirection tributeDirection, IRebornDefination.SeasonData storage _seasonData ) internal returns (uint256 totalPoolTribute) { Portfolio storage portfolio = _seasonData.portfolios[msg.sender][ tokenId ]; Pool storage pool = _seasonData.pools[tokenId]; // update coinday _updateCoinday(portfolio, pool); unchecked { portfolio.accumulativeAmount += amount; pool.totalAmount += amount; } if ( (portfolio.totalForwardTribute > portfolio.totalReverseTribute && tributeDirection == IRebornDefination.TributeDirection.Reverse) || (portfolio.totalForwardTribute < portfolio.totalReverseTribute && tributeDirection == IRebornDefination.TributeDirection.Forward) ) { revert IRebornDefination.DirectionError(); } if (tributeDirection == IRebornDefination.TributeDirection.Forward) { pool.totalForwardTribute += uint112(amount); portfolio.totalForwardTribute += uint112(amount); } else { pool.totalReverseTribute += uint112(amount); portfolio.totalReverseTribute += uint112(amount); } totalPoolTribute = _getTotalTributeOfPool(pool); } function _decreaseFromPool( uint256 tokenId, uint256 amount, IRebornDefination.SeasonData storage _seasonData ) internal returns ( uint256 totalTribute, IRebornDefination.TributeDirection tributeDirection ) { PortalLib.Portfolio storage portfolio = _seasonData.portfolios[ msg.sender ][tokenId]; PortalLib.Pool storage pool = _seasonData.pools[tokenId]; _updateCoinday(portfolio, pool); // don't need to check accumulativeAmount, as it would revert if accumulativeAmount is less portfolio.accumulativeAmount -= amount; pool.totalAmount -= amount; if (portfolio.totalForwardTribute > portfolio.totalReverseTribute) { portfolio.totalReverseTribute += uint112(amount); pool.totalReverseTribute += uint112(amount); tributeDirection = IRebornDefination.TributeDirection.Reverse; } else if ( portfolio.totalForwardTribute < portfolio.totalReverseTribute ) { portfolio.totalForwardTribute += uint112(amount); pool.totalForwardTribute += uint112(amount); tributeDirection = IRebornDefination.TributeDirection.Forward; } totalTribute = _getTotalTributeOfPool(pool); } function _getTotalTributeOfPool( PortalLib.Pool storage pool ) public view returns (uint256) { return pool.totalForwardTribute > pool.totalReverseTribute ? pool.totalForwardTribute - pool.totalReverseTribute : 0; } function _calculateCurrentAP( CharacterProperty memory charProperty ) public view returns (uint256 currentAP) { if (charProperty.restoreTimePerAP == 0) { return charProperty.currentAP; } uint256 calculatedRestoreAp = (block.timestamp - charProperty.lastTimeAPUpdate) / charProperty.restoreTimePerAP; uint256 calculatedCurrentAP = calculatedRestoreAp + charProperty.currentAP; if (calculatedCurrentAP <= charProperty.maxAP) { currentAP = calculatedCurrentAP; } else { currentAP = charProperty.maxAP; } } function _comsumeAP( uint256 tokenId, mapping(uint256 => CharacterProperty) storage _characterProperties ) public { CharacterProperty storage charProperty = _characterProperties[tokenId]; // restore AP and decrement charProperty.currentAP = uint8(_calculateCurrentAP(charProperty) - 1); charProperty.lastTimeAPUpdate = uint32(block.timestamp); // AP decrement } function setCharProperty( uint256[] calldata tokenIds, CharacterParams[] calldata charParams, mapping(uint256 => CharacterProperty) storage _characterProperties ) external { uint256 tokenIdLength = tokenIds.length; uint256 charParamsLength = charParams.length; if (tokenIdLength != charParamsLength) { revert CommonError.InvalidParams(); } for (uint256 i = 0; i < tokenIdLength; ) { uint256 tokenId = tokenIds[i]; PortalLib.CharacterParams memory charParam = charParams[i]; PortalLib.CharacterProperty storage charProperty = _characterProperties[tokenId]; charProperty.maxAP = uint8(charParam.maxAP); charProperty.restoreTimePerAP = uint24(charParam.restoreTimePerAP); // TODO: to check, restore all AP immediately charProperty.currentAP = uint8(charParam.maxAP); charProperty.level = uint8(charParam.level); unchecked { i++; } } } /** * @dev record referrer relationship */ function _refer( mapping(address => address) storage referrals, address referrer ) external { if ( referrals[msg.sender] == address(0) && referrer != address(0) && referrer != msg.sender ) { referrals[msg.sender] = referrer; emit Refer(msg.sender, referrer); } } function _useSoupParam( IRebornDefination.SoupParams calldata soupParams, uint256 nonce, mapping(uint256 => PortalLib.CharacterProperty) storage _characterProperties, mapping(address => bool) storage signers ) internal { _checkSig(soupParams, nonce, signers); if (soupParams.charTokenId != 0) { _comsumeAP(soupParams.charTokenId, _characterProperties); } } /** * @dev Returns the domain separator for the current chain. */ function _domainSeparatorV4() internal view returns (bytes32) { return _buildDomainSeparator( PortalLib._TYPE_HASH, keccak256("Altar"), keccak256("1") ); } function _buildDomainSeparator( bytes32 typeHash, bytes32 nameHash, bytes32 versionHash ) private view returns (bytes32) { return keccak256( abi.encode( typeHash, nameHash, versionHash, block.chainid, address(this) ) ); } function _checkSig( IRebornDefination.SoupParams calldata soupParams, uint256 nonce, mapping(address => bool) storage signers ) internal view { if (block.timestamp >= soupParams.deadline) { revert CommonError.SignatureExpired(); } bytes32 structHash = keccak256( abi.encode( PortalLib._SOUPPARAMS_TYPEHASH, msg.sender, soupParams.soupPrice, nonce, soupParams.charTokenId, soupParams.deadline ) ); bytes32 hash = ECDSAUpgradeable.toTypedDataHash( _domainSeparatorV4(), structHash ); address signer = ECDSAUpgradeable.recover( hash, soupParams.v, soupParams.r, soupParams.s ); if (!signers[signer]) { revert CommonError.NotSigner(); } } function readCharProperty( uint256 tokenId, mapping(uint256 => PortalLib.CharacterProperty) storage _characterProperties ) public view returns (PortalLib.CharacterProperty memory) { PortalLib.CharacterProperty memory charProperty = _characterProperties[ tokenId ]; charProperty.currentAP = uint8(_calculateCurrentAP(charProperty)); return charProperty; } }
// SPDX-License-Identifier: UNLICENSED pragma solidity 0.8.17; // A simple array that supports insert and removal. // The values are assumed to be unique and the library is meant to be lightweight. // So when calling insert or remove, the caller is responsible to know whether a value already exists in the array or not. library FastArray { struct Data { mapping(uint256 => uint256) array; mapping(uint256 => uint256) indexMap; uint256 length; } /** * @notice please confirm no eq item exist before insert */ function insert(Data storage _fastArray, uint256 _value) public { _fastArray.array[_fastArray.length] = _value; _fastArray.indexMap[_value] = _fastArray.length; _fastArray.length += 1; } /** * @dev remove item from array,but not keep rest item sort * @notice Please confirm array is not empty && item is exist && index not out of bounds */ function remove(Data storage _fastArray, uint256 _value) public { uint256 index = _fastArray.indexMap[_value]; uint256 oldIndex = _fastArray.length - 1; _fastArray.array[index] = _fastArray.array[oldIndex]; delete _fastArray.indexMap[_value]; delete _fastArray.array[oldIndex]; _fastArray.length = oldIndex; } /** * @dev remove item and keep rest item in sort * @notice Please confirm array is not empty && item is exist && index not out of bounds */ function removeKeepSort(Data storage _fastArray, uint256 _value) public { uint256 index = _fastArray.indexMap[_value]; uint256 tempLastItem = _fastArray.array[_fastArray.length - 1]; for (uint256 i = index; i < _fastArray.length - 1; i++) { _fastArray.indexMap[_fastArray.array[i + 1]] = i; _fastArray.array[i] = _fastArray.array[i + 1]; } delete _fastArray.indexMap[tempLastItem]; delete _fastArray.array[_fastArray.length - 1]; _fastArray.length -= 1; } /** * @notice PLease confirm index is not out of bounds */ function get( Data storage _fastArray, uint256 _index ) public view returns (uint256) { return _fastArray.array[_index]; } function length(Data storage _fastArray) public view returns (uint256) { return _fastArray.length; } function contains( Data storage _fastArray, uint256 _value ) public view returns (bool) { return _fastArray.indexMap[_value] != 0; } }
// SPDX-License-Identifier: GPL-3.0 pragma solidity 0.8.17; interface IPiggyBankDefination { struct SeasonInfo { uint256 totalAmount; bytes32 stopedHash; address verifySigner; // Used for verification the next time stop is called uint32 startTime; bool stoped; } struct RoundInfo { uint256 totalAmount; uint256 target; uint32 currentIndex; uint32 startTime; } struct UserInfo { uint256 amount; uint256 claimedAmount; } event InitializeSeason( uint256 season, uint32 seasonStartTime, RoundInfo roundInfo ); event SetNewMultiple(uint8 multiple); event SetMinTimeLong(uint64 minTimeLong); event NewSeason(uint256 season, uint256 startTime); event Deposit( uint256 season, address account, uint256 roundIndex, uint256 amount, uint256 roundTotalAmount ); event SeasonStoped(uint256 season, uint256 stopTime); event SignerUpdate(address indexed signer, bool valid); event SetStopedHash( uint256 season, bytes32 stopedHash, address verifySigner ); event ClaimedReward(uint256 season, address account, uint256 amount); error CallerNotPortal(); error InvalidRoundInfo(); error SeasonOver(); error InvalidSeason(); error AlreadyClaimed(); error SeasonNotOver(); } interface IPiggyBank is IPiggyBankDefination { function deposit( uint256 season, address account, uint256 income ) external payable; function setMultiple(uint8 multiple_) external; function setMinTimeLong(uint64 minTimeLong_) external; function checkIsSeasonEnd(uint256 season) external view returns (bool); function newSeason(uint256 season, uint256 startTime) external; function setSeasonStopedHash( uint256 season, bytes32 stopedHash, address verifySigner ) external; function stop(uint256 season) external; }
// SPDX-License-Identifier: GPL-3.0 pragma solidity 0.8.17; import {UUPSUpgradeable} from "./oz/contracts-upgradeable/proxy/utils/UUPSUpgradeable.sol"; import {ECDSAUpgradeable} from "./oz/contracts-upgradeable/utils/cryptography/ECDSAUpgradeable.sol"; import {SafeOwnableUpgradeable} from "./utils/SafeOwnableUpgradeable.sol"; import {CommonError} from "./lib/CommonError.sol"; import {IPiggyBank} from "./interfaces/IPiggyBank.sol"; contract PiggyBank is SafeOwnableUpgradeable, UUPSUpgradeable, IPiggyBank { uint256 public constant PERCENTAGE_BASE = 10000; address public portal; // nextRoundTarget = preRoundTarget * multiple / 100 uint8 public multiple; // min time long from season start to end uint64 public minTimeLong; // Mapping from season to seasonInfo mapping(uint256 => SeasonInfo) internal seasons; // Mapping from round index to RoundInfo mapping(uint256 => RoundInfo) internal rounds; // mapping(account => mappiing(season=> mapping(roundIndex => userInfo))) mapping(address => mapping(uint256 => mapping(uint256 => UserInfo))) internal users; uint256[44] internal _gap; function initialize(address owner_, address portal_) public initializer { if (portal_ == address(0) || owner_ == address(0)) { revert CommonError.ZeroAddressSet(); } __Ownable_init(owner_); portal = portal_; } function initializeSeason( uint256 season, uint32 seasonStartTime, uint256 initRoundTarget ) external payable onlyPortal { RoundInfo memory roundInfo = RoundInfo({ totalAmount: 0, target: initRoundTarget, currentIndex: 0, startTime: seasonStartTime }); seasons[season].totalAmount = msg.value; seasons[season].startTime = seasonStartTime; rounds[season] = roundInfo; emit InitializeSeason(season, seasonStartTime, roundInfo); } function _authorizeUpgrade( address newImplementation ) internal override onlyOwner {} function deposit( uint256 season, address account, uint256 income ) external payable override onlyPortal { bool isEnd = checkIsSeasonEnd(season); if (isEnd) { if (!seasons[season].stoped) { seasons[season].stoped = true; } revert SeasonOver(); } seasons[season].totalAmount += msg.value; // update round info RoundInfo storage roundInfo = rounds[season]; if (roundInfo.totalAmount + income > roundInfo.target) { uint256 newRoundInitAmount = income - (roundInfo.target - roundInfo.totalAmount); uint256 remainingAmount = roundInfo.target - roundInfo.totalAmount; roundInfo.totalAmount = roundInfo.target; users[account][season][roundInfo.currentIndex] .amount += remainingAmount; emit Deposit( season, account, roundInfo.currentIndex, remainingAmount, roundInfo.totalAmount ); _toNextRound(account, season, newRoundInitAmount); } else { roundInfo.totalAmount += income; users[account][season][roundInfo.currentIndex].amount += income; emit Deposit( season, account, roundInfo.currentIndex, income, roundInfo.totalAmount ); } } function newSeason(uint256 season, uint256 startTime) external onlyPortal { if (seasons[season].startTime == 0) { seasons[season].startTime = uint32(startTime); } emit NewSeason(season, startTime); } function stop(uint256 season) external override onlyPortal { if (seasons[season].startTime == 0) { revert InvalidSeason(); } seasons[season].stoped = true; emit SeasonStoped(season, block.timestamp); } function claimReward(uint256 season) external { if (!checkIsSeasonEnd(season)) { revert SeasonNotOver(); } SeasonInfo memory seasonInfo = seasons[season]; RoundInfo memory roundInfo = rounds[season]; UserInfo storage userInfo = users[msg.sender][season][ roundInfo.currentIndex ]; if (userInfo.claimedAmount > 0) { revert AlreadyClaimed(); } uint256 userReward = (seasonInfo.totalAmount * userInfo.amount) / roundInfo.totalAmount; userInfo.claimedAmount = userReward; payable(msg.sender).transfer(userReward); emit ClaimedReward(season, msg.sender, userReward); } function setMultiple(uint8 multiple_) external override onlyOwner { multiple = multiple_; emit SetNewMultiple(multiple_); } function setMinTimeLong(uint64 minTimeLong_) external override onlyOwner { minTimeLong = minTimeLong_; emit SetMinTimeLong(minTimeLong_); } function setSeasonStopedHash( uint256 season, bytes32 stopedHash, address verifySigner ) external override onlyOwner { if (seasons[season].startTime == 0) { revert InvalidSeason(); } if (verifySigner == address(0)) { revert CommonError.ZeroAddressSet(); } seasons[season].stopedHash = stopedHash; seasons[season].verifySigner = verifySigner; emit SetStopedHash(season, stopedHash, verifySigner); } function _toNextRound( address account, uint256 season, uint256 nextRoundInitAmount ) internal { // update rounds RoundInfo storage roundInfo = rounds[season]; roundInfo.currentIndex++; roundInfo.startTime = uint32(block.timestamp); roundInfo.target += (roundInfo.target * multiple) / PERCENTAGE_BASE; if (nextRoundInitAmount > roundInfo.target) { roundInfo.totalAmount = roundInfo.target; // update userInfo users[account][season][roundInfo.currentIndex].amount = roundInfo .target; emit Deposit( season, account, roundInfo.currentIndex, roundInfo.target, roundInfo.totalAmount ); _toNextRound( account, season, nextRoundInitAmount - roundInfo.target ); } else { roundInfo.totalAmount = nextRoundInitAmount; users[account][season][roundInfo.currentIndex] .amount = nextRoundInitAmount; emit Deposit( season, account, roundInfo.currentIndex, nextRoundInitAmount, nextRoundInitAmount ); } } function checkIsSeasonEnd(uint256 season) public view returns (bool) { bool isEnd = false; bool isAutoEnd = ((block.timestamp > seasons[season].startTime + minTimeLong) && (rounds[season].totalAmount < rounds[season].target) && (block.timestamp - rounds[season].startTime) >= 3600); if (isAutoEnd || seasons[season].stoped) { isEnd = true; } return isEnd; } function getSeasonInfo( uint256 season ) external view returns (SeasonInfo memory) { return seasons[season]; } function getRoundInfo( uint256 season ) external view returns (RoundInfo memory) { return rounds[season]; } function getUserInfo( address account, uint256 season, uint256 roundIndex ) external view returns (UserInfo memory) { return users[account][season][roundIndex]; } function verifyStopHash( uint256 season, bytes calldata signature ) public view returns (bool) { bytes32 messageHash = ECDSAUpgradeable.toEthSignedMessageHash( seasons[season].stopedHash ); address signer = ECDSAUpgradeable.recover(messageHash, signature); return signer == seasons[season].verifySigner; } modifier onlyPortal() { if (msg.sender != portal) { revert CallerNotPortal(); } _; } }
// SPDX-License-Identifier: MIT // OpenZeppelin Contracts (last updated v4.8.0) (token/ERC721/IERC721.sol) pragma solidity ^0.8.0; import "../../utils/introspection/IERC165Upgradeable.sol"; /** * @dev Required interface of an ERC721 compliant contract. */ interface IERC721Upgradeable is IERC165Upgradeable { /** * @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); }
// 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 IERC721ReceiverUpgradeable { /** * @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 v4.4.1 (token/ERC721/extensions/IERC721Metadata.sol) pragma solidity ^0.8.0; import "../IERC721Upgradeable.sol"; /** * @title ERC-721 Non-Fungible Token Standard, optional metadata extension * @dev See https://eips.ethereum.org/EIPS/eip-721 */ interface IERC721MetadataUpgradeable is IERC721Upgradeable { /** * @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/ERC165.sol) pragma solidity ^0.8.0; import "./IERC165Upgradeable.sol"; import "../../proxy/utils/Initializable.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 ERC165Upgradeable is Initializable, IERC165Upgradeable { function __ERC165_init() internal onlyInitializing { } function __ERC165_init_unchained() internal onlyInitializing { } /** * @dev See {IERC165-supportsInterface}. */ function supportsInterface(bytes4 interfaceId) public view virtual override returns (bool) { return interfaceId == type(IERC165Upgradeable).interfaceId; } /** * @dev This empty reserved space is put in place to allow future versions to add new * variables without shifting down storage in the inheritance chain. * See https://docs.openzeppelin.com/contracts/4.x/upgradeable#storage_gaps */ uint256[50] private __gap; }
// 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 IERC165Upgradeable { /** * @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); }
// SPDX-License-Identifier: MIT pragma solidity ^0.8.0; contract AutomationBase { error OnlySimulatedBackend(); /** * @notice method that allows it to be simulated via eth_call by checking that * the sender is the zero address. */ function preventExecution() internal view { if (tx.origin != address(0)) { revert OnlySimulatedBackend(); } } /** * @notice modifier that allows it to be simulated via eth_call by checking * that the sender is the zero address. */ modifier cannotExecute() { preventExecution(); _; } }
// SPDX-License-Identifier: MIT pragma solidity ^0.8.0; interface AutomationCompatibleInterface { /** * @notice method that is simulated by the keepers to see if any work actually * needs to be performed. This method does does not actually need to be * executable, and since it is only ever simulated it can consume lots of gas. * @dev To ensure that it is never called, you may want to add the * cannotExecute modifier from KeeperBase to your implementation of this * method. * @param checkData specified in the upkeep registration so it is always the * same for a registered upkeep. This can easily be broken down into specific * arguments using `abi.decode`, so multiple upkeeps can be registered on the * same contract and easily differentiated by the contract. * @return upkeepNeeded boolean to indicate whether the keeper should call * performUpkeep or not. * @return performData bytes that the keeper should call performUpkeep with, if * upkeep is needed. If you would like to encode data to decode later, try * `abi.encode`. */ function checkUpkeep(bytes calldata checkData) external returns (bool upkeepNeeded, bytes memory performData); /** * @notice method that is actually executed by the keepers, via the registry. * The data returned by the checkUpkeep simulation will be passed into * this method to actually be executed. * @dev The input to this method should not be trusted, and the caller of the * method should not even be restricted to any single registry. Anyone should * be able call it, and the input should be validated, there is no guarantee * that the data passed in is the performData returned from checkUpkeep. This * could happen due to malicious keepers, racing keepers, or simply a state * change while the performUpkeep transaction is waiting for confirmation. * Always validate the data passed in. * @param performData is the data which was passed back from the checkData * simulation. If it is encoded, it can easily be decoded into other types by * calling `abi.decode`. This data should not be trusted, and should be * validated against the contract's current state. */ function performUpkeep(bytes calldata performData) external; }
// SPDX-License-Identifier: UNLICENSED pragma solidity 0.8.17; import "./FastArray.sol"; import "./RankingRedBlackTree.sol"; library SingleRanking { using FastArray for FastArray.Data; using RankingRedBlackTree for RankingRedBlackTree.Tree; struct Data { RankingRedBlackTree.Tree tree; mapping(uint => FastArray.Data) keys; uint length; } function add(Data storage _singleRanking, uint _key, uint _value) public { FastArray.Data storage keys = _singleRanking.keys[_value]; if (FastArray.length(keys) == 0) { _singleRanking.tree.insert(_value); } else { _singleRanking.tree.addToCount(_value, 1); } _singleRanking.keys[_value].insert(_key); _singleRanking.length += 1; } function remove( Data storage _singleRanking, uint _key, uint _value ) public { FastArray.Data storage keys = _singleRanking.keys[_value]; if (FastArray.length(keys) > 0) { keys.remove(_key); if (FastArray.length(keys) == 0) { _singleRanking.tree.remove(_value); } else { _singleRanking.tree.minusFromCount(_value, 1); } } // if FastArray.length(keys) is zero, it means logic error and should revert // but no revert here to reduce gas. use remove with caution _singleRanking.length -= 1; } function length(Data storage _singleRanking) public view returns (uint) { return _singleRanking.length; } function get( Data storage _singleRanking, uint _offset, uint _count ) public view returns (uint[] memory) { require(_count > 0 && _count <= 100, "Count must be between 0 and 100"); uint[] memory result = new uint[](_count); uint size = 0; uint id; (id, _offset) = _singleRanking.tree.lastByOffset(_offset); while (id != 0) { uint value = _singleRanking.tree.value(id); FastArray.Data storage keys = _singleRanking.keys[value]; if (_offset >= FastArray.length(keys)) { unchecked { _offset -= FastArray.length(keys); } } else if (FastArray.length(keys) < _offset + _count) { uint index; unchecked { index = FastArray.length(keys) - 1; } while (index >= _offset) { uint key = keys.get(index); unchecked { result[size] = key; size += 1; } if (index == 0) { break; } unchecked { index -= 1; } } unchecked { _count -= FastArray.length(keys) - _offset; _offset = 0; } } else { uint index; unchecked { index = _offset + _count - 1; } while (index >= _offset) { uint key = keys.get(index); result[size] = key; unchecked { size += 1; } if (index == 0) { break; } unchecked { index -= 1; } } break; } id = _singleRanking.tree.prev(id); } return result; } function getNthValue( Data storage _singleRanking, uint n ) public view returns (uint) { (uint256 id, ) = _singleRanking.tree.lastByOffset(n); uint value = _singleRanking.tree.value(id); return value; } }
// 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); }
// SPDX-License-Identifier: MIT pragma solidity 0.8.17; // A red-black tree that holds a "count" variable next to the value in the tree. // This library is used to resolve which values should be skipped to respect the _offset when querying from the rank library. // The focal function is "lastByOffset" which starts from the largest value in the tree and traverses backwards to find the // first value that is included in the offset specified and returns it. // The nodes are accessed by a key and other properties can be queried using the key. // This library is a modification of BokkyPooBah's Red-Black Tree Library which has a MIT licence. // Following is the original description and the license: // ---------------------------------------------------------------------------- // BokkyPooBah's Red-Black Tree Library v1.0-pre-release-a // // A Solidity Red-Black Tree binary search library to store and access a sorted // list of unsigned integer data. The Red-Black algorithm rebalances the binary // search tree, resulting in O(log n) insert, remove and search time (and ~gas) // // https://github.com/bokkypoobah/BokkyPooBahsRedBlackTreeLibrary // // // Enjoy. (c) BokkyPooBah / Bok Consulting Pty Ltd 2020. The MIT Licence. // ---------------------------------------------------------------------------- // Here is the license attached to this library: // ---------------------------------------------------------------------------- // MIT License // // Copyright (c) 2018 The Officious BokkyPooBah // // Permission is hereby granted, free of charge, to any person obtaining a copy // of this software and associated documentation files (the "Software"), to deal // in the Software without restriction, including without limitation the rights // to use, copy, modify, merge, publish, distribute, sublicense, and/or sell // copies of the Software, and to permit persons to whom the Software is // furnished to do so, subject to the following conditions: // // The above copyright notice and this permission notice shall be included in all // copies or substantial portions of the Software. // // THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR // IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, // FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE // AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER // LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, // OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE // SOFTWARE. // ---------------------------------------------------------------------------- library RankingRedBlackTree { struct Node { uint id; uint value; uint count; uint parent; uint left; uint right; bool red; } struct Tree { uint root; mapping(uint => Node) nodes; uint counter; } uint private constant EMPTY = 0; function first(Tree storage self) public view returns (uint _key) { _key = self.root; if (_key != EMPTY) { while (self.nodes[_key].left != EMPTY) { _key = self.nodes[_key].left; } } } function last(Tree storage self) public view returns (uint _key) { _key = self.root; if (_key != EMPTY) { while (self.nodes[_key].right != EMPTY) { _key = self.nodes[_key].right; } } } function lastByOffset( Tree storage self, uint _offset ) public view returns (uint, uint) { uint key = last(self); while (key != EMPTY && _offset > self.nodes[key].count) { unchecked { _offset -= self.nodes[key].count; } key = prev(self, key); } return (key, _offset); } function next( Tree storage self, uint target ) public view returns (uint cursor) { require(target != EMPTY); if (self.nodes[target].right != EMPTY) { cursor = treeMinimum(self, self.nodes[target].right); } else { cursor = self.nodes[target].parent; while (cursor != EMPTY && target == self.nodes[cursor].right) { target = cursor; cursor = self.nodes[cursor].parent; } } } function prev( Tree storage self, uint target ) public view returns (uint cursor) { require(target != EMPTY); if (self.nodes[target].left != EMPTY) { cursor = treeMaximum(self, self.nodes[target].left); } else { cursor = self.nodes[target].parent; while (cursor != EMPTY && target == self.nodes[cursor].left) { target = cursor; cursor = self.nodes[cursor].parent; } } } function find(Tree storage self, uint _value) public view returns (uint) { uint probe = self.root; while (probe != EMPTY) { if (_value == self.nodes[probe].value) { return probe; } if (_value < self.nodes[probe].value) { probe = self.nodes[probe].left; } else { probe = self.nodes[probe].right; } } return EMPTY; } function value(Tree storage self, uint _key) public view returns (uint) { return self.nodes[_key].value; } function addToCount(Tree storage self, uint _value, uint amount) public { self.nodes[find(self, _value)].count += amount; } function minusFromCount( Tree storage self, uint _value, uint amount ) public { self.nodes[find(self, _value)].count -= amount; } function insert(Tree storage self, uint _value) public returns (uint) { uint cursor = EMPTY; uint probe = self.root; while (probe != EMPTY) { cursor = probe; if (_value < self.nodes[probe].value) { probe = self.nodes[probe].left; } else { probe = self.nodes[probe].right; } } self.counter += 1; self.nodes[self.counter] = Node({ id: self.counter, value: _value, count: 1, parent: cursor, left: EMPTY, right: EMPTY, red: true }); if (cursor == EMPTY) { self.root = self.counter; } else if (_value < self.nodes[cursor].value) { self.nodes[cursor].left = self.counter; } else { self.nodes[cursor].right = self.counter; } insertFixup(self, self.counter); return self.counter; } function remove(Tree storage self, uint _value) public { uint key = find(self, _value); uint probe; uint cursor; // TODO if (self.nodes[key].left == EMPTY || self.nodes[key].right == EMPTY) { cursor = key; } else { cursor = self.nodes[key].right; while (self.nodes[cursor].left != EMPTY) { cursor = self.nodes[cursor].left; } } if (self.nodes[cursor].left != EMPTY) { probe = self.nodes[cursor].left; } else { probe = self.nodes[cursor].right; } uint yParent = self.nodes[cursor].parent; self.nodes[probe].parent = yParent; if (yParent != EMPTY) { if (cursor == self.nodes[yParent].left) { self.nodes[yParent].left = probe; } else { self.nodes[yParent].right = probe; } } else { self.root = probe; } bool doFixup = !self.nodes[cursor].red; if (cursor != key) { replaceParent(self, cursor, key); self.nodes[cursor].left = self.nodes[key].left; self.nodes[self.nodes[cursor].left].parent = cursor; self.nodes[cursor].right = self.nodes[key].right; self.nodes[self.nodes[cursor].right].parent = cursor; self.nodes[cursor].red = self.nodes[key].red; (cursor, key) = (key, cursor); } if (doFixup) { removeFixup(self, probe); } delete self.nodes[cursor]; } function removeWithKey(Tree storage self, uint key) public { uint probe; uint cursor; // TODO if (self.nodes[key].left == EMPTY || self.nodes[key].right == EMPTY) { cursor = key; } else { cursor = self.nodes[key].right; while (self.nodes[cursor].left != EMPTY) { cursor = self.nodes[cursor].left; } } if (self.nodes[cursor].left != EMPTY) { probe = self.nodes[cursor].left; } else { probe = self.nodes[cursor].right; } uint yParent = self.nodes[cursor].parent; self.nodes[probe].parent = yParent; if (yParent != EMPTY) { if (cursor == self.nodes[yParent].left) { self.nodes[yParent].left = probe; } else { self.nodes[yParent].right = probe; } } else { self.root = probe; } bool doFixup = !self.nodes[cursor].red; if (cursor != key) { replaceParent(self, cursor, key); self.nodes[cursor].left = self.nodes[key].left; self.nodes[self.nodes[cursor].left].parent = cursor; self.nodes[cursor].right = self.nodes[key].right; self.nodes[self.nodes[cursor].right].parent = cursor; self.nodes[cursor].red = self.nodes[key].red; (cursor, key) = (key, cursor); } if (doFixup) { removeFixup(self, probe); } delete self.nodes[cursor]; } function treeMinimum( Tree storage self, uint key ) private view returns (uint) { while (self.nodes[key].left != EMPTY) { key = self.nodes[key].left; } return key; } function treeMaximum( Tree storage self, uint key ) private view returns (uint) { while (self.nodes[key].right != EMPTY) { key = self.nodes[key].right; } return key; } function rotateLeft(Tree storage self, uint key) private { uint cursor = self.nodes[key].right; uint keyParent = self.nodes[key].parent; uint cursorLeft = self.nodes[cursor].left; self.nodes[key].right = cursorLeft; if (cursorLeft != EMPTY) { self.nodes[cursorLeft].parent = key; } self.nodes[cursor].parent = keyParent; if (keyParent == EMPTY) { self.root = cursor; } else if (key == self.nodes[keyParent].left) { self.nodes[keyParent].left = cursor; } else { self.nodes[keyParent].right = cursor; } self.nodes[cursor].left = key; self.nodes[key].parent = cursor; } function rotateRight(Tree storage self, uint key) private { uint cursor = self.nodes[key].left; uint keyParent = self.nodes[key].parent; uint cursorRight = self.nodes[cursor].right; self.nodes[key].left = cursorRight; if (cursorRight != EMPTY) { self.nodes[cursorRight].parent = key; } self.nodes[cursor].parent = keyParent; if (keyParent == EMPTY) { self.root = cursor; } else if (key == self.nodes[keyParent].right) { self.nodes[keyParent].right = cursor; } else { self.nodes[keyParent].left = cursor; } self.nodes[cursor].right = key; self.nodes[key].parent = cursor; } function insertFixup(Tree storage self, uint key) private { uint cursor; while (key != self.root && self.nodes[self.nodes[key].parent].red) { uint keyParent = self.nodes[key].parent; if (keyParent == self.nodes[self.nodes[keyParent].parent].left) { cursor = self.nodes[self.nodes[keyParent].parent].right; if (self.nodes[cursor].red) { self.nodes[keyParent].red = false; self.nodes[cursor].red = false; self.nodes[self.nodes[keyParent].parent].red = true; key = self.nodes[keyParent].parent; } else { if (key == self.nodes[keyParent].right) { key = keyParent; rotateLeft(self, key); } keyParent = self.nodes[key].parent; self.nodes[keyParent].red = false; self.nodes[self.nodes[keyParent].parent].red = true; rotateRight(self, self.nodes[keyParent].parent); } } else { cursor = self.nodes[self.nodes[keyParent].parent].left; if (self.nodes[cursor].red) { self.nodes[keyParent].red = false; self.nodes[cursor].red = false; self.nodes[self.nodes[keyParent].parent].red = true; key = self.nodes[keyParent].parent; } else { if (key == self.nodes[keyParent].left) { key = keyParent; rotateRight(self, key); } keyParent = self.nodes[key].parent; self.nodes[keyParent].red = false; self.nodes[self.nodes[keyParent].parent].red = true; rotateLeft(self, self.nodes[keyParent].parent); } } } self.nodes[self.root].red = false; } function replaceParent(Tree storage self, uint a, uint b) private { uint bParent = self.nodes[b].parent; self.nodes[a].parent = bParent; if (bParent == EMPTY) { self.root = a; } else { if (b == self.nodes[bParent].left) { self.nodes[bParent].left = a; } else { self.nodes[bParent].right = a; } } } function removeFixup(Tree storage self, uint key) private { uint cursor; while (key != self.root && !self.nodes[key].red) { uint keyParent = self.nodes[key].parent; if (key == self.nodes[keyParent].left) { cursor = self.nodes[keyParent].right; if (self.nodes[cursor].red) { self.nodes[cursor].red = false; self.nodes[keyParent].red = true; rotateLeft(self, keyParent); cursor = self.nodes[keyParent].right; } if ( !self.nodes[self.nodes[cursor].left].red && !self.nodes[self.nodes[cursor].right].red ) { self.nodes[cursor].red = true; key = keyParent; } else { if (!self.nodes[self.nodes[cursor].right].red) { self.nodes[self.nodes[cursor].left].red = false; self.nodes[cursor].red = true; rotateRight(self, cursor); cursor = self.nodes[keyParent].right; } self.nodes[cursor].red = self.nodes[keyParent].red; self.nodes[keyParent].red = false; self.nodes[self.nodes[cursor].right].red = false; rotateLeft(self, keyParent); key = self.root; } } else { cursor = self.nodes[keyParent].left; if (self.nodes[cursor].red) { self.nodes[cursor].red = false; self.nodes[keyParent].red = true; rotateRight(self, keyParent); cursor = self.nodes[keyParent].left; } if ( !self.nodes[self.nodes[cursor].right].red && !self.nodes[self.nodes[cursor].left].red ) { self.nodes[cursor].red = true; key = keyParent; } else { if (!self.nodes[self.nodes[cursor].left].red) { self.nodes[self.nodes[cursor].right].red = false; self.nodes[cursor].red = true; rotateLeft(self, cursor); cursor = self.nodes[keyParent].left; } self.nodes[cursor].red = self.nodes[keyParent].red; self.nodes[keyParent].red = false; self.nodes[self.nodes[cursor].left].red = false; rotateRight(self, keyParent); key = self.root; } } } self.nodes[key].red = false; } }
// 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); }
// SPDX-License-Identifier: MIT // OpenZeppelin Contracts (last updated v4.8.0) (token/ERC20/utils/SafeERC20.sol) pragma solidity ^0.8.0; import "../IERC20.sol"; import "../extensions/draft-IERC20Permit.sol"; import "../../../utils/Address.sol"; /** * @title SafeERC20 * @dev Wrappers around ERC20 operations that throw on failure (when the token * contract returns false). Tokens that return no value (and instead revert or * throw on failure) are also supported, non-reverting calls are assumed to be * successful. * To use this library you can add a `using SafeERC20 for IERC20;` statement to your contract, * which allows you to call the safe operations as `token.safeTransfer(...)`, etc. */ library SafeERC20 { using Address for address; function safeTransfer( IERC20 token, address to, uint256 value ) internal { _callOptionalReturn(token, abi.encodeWithSelector(token.transfer.selector, to, value)); } function safeTransferFrom( IERC20 token, address from, address to, uint256 value ) internal { _callOptionalReturn(token, abi.encodeWithSelector(token.transferFrom.selector, from, to, value)); } /** * @dev Deprecated. This function has issues similar to the ones found in * {IERC20-approve}, and its usage is discouraged. * * Whenever possible, use {safeIncreaseAllowance} and * {safeDecreaseAllowance} instead. */ function safeApprove( IERC20 token, address spender, uint256 value ) internal { // safeApprove should only be called when setting an initial allowance, // or when resetting it to zero. To increase and decrease it, use // 'safeIncreaseAllowance' and 'safeDecreaseAllowance' require( (value == 0) || (token.allowance(address(this), spender) == 0), "SafeERC20: approve from non-zero to non-zero allowance" ); _callOptionalReturn(token, abi.encodeWithSelector(token.approve.selector, spender, value)); } function safeIncreaseAllowance( IERC20 token, address spender, uint256 value ) internal { uint256 newAllowance = token.allowance(address(this), spender) + value; _callOptionalReturn(token, abi.encodeWithSelector(token.approve.selector, spender, newAllowance)); } function safeDecreaseAllowance( IERC20 token, address spender, uint256 value ) internal { unchecked { uint256 oldAllowance = token.allowance(address(this), spender); require(oldAllowance >= value, "SafeERC20: decreased allowance below zero"); uint256 newAllowance = oldAllowance - value; _callOptionalReturn(token, abi.encodeWithSelector(token.approve.selector, spender, newAllowance)); } } function safePermit( IERC20Permit token, address owner, address spender, uint256 value, uint256 deadline, uint8 v, bytes32 r, bytes32 s ) internal { uint256 nonceBefore = token.nonces(owner); token.permit(owner, spender, value, deadline, v, r, s); uint256 nonceAfter = token.nonces(owner); require(nonceAfter == nonceBefore + 1, "SafeERC20: permit did not succeed"); } /** * @dev Imitates a Solidity high-level call (i.e. a regular function call to a contract), relaxing the requirement * on the return value: the return value is optional (but if data is returned, it must not be false). * @param token The token targeted by the call. * @param data The call data (encoded using abi.encode or one of its variants). */ function _callOptionalReturn(IERC20 token, bytes memory data) private { // We need to perform a low level call here, to bypass Solidity's return data size checking mechanism, since // we're implementing it ourselves. We use {Address-functionCall} to perform this call, which verifies that // the target address contains contract code and also asserts for success in the low-level call. bytes memory returndata = address(token).functionCall(data, "SafeERC20: low-level call failed"); if (returndata.length > 0) { // Return data is optional require(abi.decode(returndata, (bool)), "SafeERC20: ERC20 operation did not succeed"); } } }
// SPDX-License-Identifier: MIT // OpenZeppelin Contracts (last updated v4.6.0) (token/ERC20/IERC20.sol) pragma solidity ^0.8.0; /** * @dev Interface of the ERC20 standard as defined in the EIP. */ interface IERC20 { /** * @dev Emitted when `value` tokens are moved from one account (`from`) to * another (`to`). * * Note that `value` may be zero. */ event Transfer(address indexed from, address indexed to, uint256 value); /** * @dev Emitted when the allowance of a `spender` for an `owner` is set by * a call to {approve}. `value` is the new allowance. */ event Approval(address indexed owner, address indexed spender, uint256 value); /** * @dev Returns the amount of tokens in existence. */ function totalSupply() external view returns (uint256); /** * @dev Returns the amount of tokens owned by `account`. */ function balanceOf(address account) external view returns (uint256); /** * @dev Moves `amount` tokens from the caller's account to `to`. * * Returns a boolean value indicating whether the operation succeeded. * * Emits a {Transfer} event. */ function transfer(address to, uint256 amount) external returns (bool); /** * @dev Returns the remaining number of tokens that `spender` will be * allowed to spend on behalf of `owner` through {transferFrom}. This is * zero by default. * * This value changes when {approve} or {transferFrom} are called. */ function allowance(address owner, address spender) external view returns (uint256); /** * @dev Sets `amount` as the allowance of `spender` over the caller's tokens. * * Returns a boolean value indicating whether the operation succeeded. * * IMPORTANT: Beware that changing an allowance with this method brings the risk * that someone may use both the old and the new allowance by unfortunate * transaction ordering. One possible solution to mitigate this race * condition is to first reduce the spender's allowance to 0 and set the * desired value afterwards: * https://github.com/ethereum/EIPs/issues/20#issuecomment-263524729 * * Emits an {Approval} event. */ function approve(address spender, uint256 amount) external returns (bool); /** * @dev Moves `amount` tokens from `from` to `to` using the * allowance mechanism. `amount` is then deducted from the caller's * allowance. * * Returns a boolean value indicating whether the operation succeeded. * * Emits a {Transfer} event. */ function transferFrom( address from, address to, uint256 amount ) external returns (bool); }
// SPDX-License-Identifier: GPL-3.0 pragma solidity 0.8.17; interface IRewardVault { error ZeroAddressSet(); function reward(address to, uint256 amount) external; // send reward function withdrawEmergency(address to) external; event WithdrawEmergency(address p12Token, uint256 amount); }
// SPDX-License-Identifier: MIT // OpenZeppelin Contracts v4.4.1 (token/ERC20/extensions/draft-IERC20Permit.sol) pragma solidity ^0.8.0; /** * @dev Interface of the ERC20 Permit extension allowing approvals to be made via signatures, as defined in * https://eips.ethereum.org/EIPS/eip-2612[EIP-2612]. * * Adds the {permit} method, which can be used to change an account's ERC20 allowance (see {IERC20-allowance}) by * presenting a message signed by the account. By not relying on {IERC20-approve}, the token holder account doesn't * need to send a transaction, and thus is not required to hold Ether at all. */ interface IERC20Permit { /** * @dev Sets `value` as the allowance of `spender` over ``owner``'s tokens, * given ``owner``'s signed approval. * * IMPORTANT: The same issues {IERC20-approve} has related to transaction * ordering also apply here. * * Emits an {Approval} event. * * Requirements: * * - `spender` cannot be the zero address. * - `deadline` must be a timestamp in the future. * - `v`, `r` and `s` must be a valid `secp256k1` signature from `owner` * over the EIP712-formatted function arguments. * - the signature must use ``owner``'s current nonce (see {nonces}). * * For more information on the signature format, see the * https://eips.ethereum.org/EIPS/eip-2612#specification[relevant EIP * section]. */ function permit( address owner, address spender, uint256 value, uint256 deadline, uint8 v, bytes32 r, bytes32 s ) external; /** * @dev Returns the current nonce for `owner`. This value must be * included whenever a signature is generated for {permit}. * * Every successful call to {permit} increases ``owner``'s nonce by one. This * prevents a signature from being used multiple times. */ function nonces(address owner) external view returns (uint256); /** * @dev Returns the domain separator used in the encoding of the signature for {permit}, as defined by {EIP712}. */ // solhint-disable-next-line func-name-mixedcase function DOMAIN_SEPARATOR() external view returns (bytes32); }
// 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); } } }
// SPDX-License-Identifier: GPL-3.0 pragma solidity 0.8.17; import {SingleRanking} from "src/lib/SingleRanking.sol"; import {IRebornPortal} from "src/interfaces/IRebornPortal.sol"; import {BitMapsUpgradeable} from "./oz/contracts-upgradeable/utils/structs/BitMapsUpgradeable.sol"; library DegenRank { using SingleRanking for SingleRanking.Data; using BitMapsUpgradeable for BitMapsUpgradeable.BitMap; function _enterScoreRank( IRebornPortal.SeasonData storage _seasonData, uint256 tokenId, uint256 value ) external { if (value == 0) { return; } // only when length is larger than 100, remove if (SingleRanking.length(_seasonData._scoreRank) >= 50) { // get the min value and compare, if new value is not larger, nothing happen if (value <= _seasonData._minScore) { return; } // remove the smallest in the score rank uint256 tokenIdWithMinmalScore = _seasonData._scoreRank.get(49, 1)[ 0 ]; _seasonData._scoreRank.remove( tokenIdWithMinmalScore, _seasonData._minScore ); // also remove it from tvl rank _seasonData._isTopHundredScore.unset(tokenIdWithMinmalScore); _exitTvlRank( _seasonData._tributeRank, _seasonData._oldStakeAmounts, tokenIdWithMinmalScore ); // set min value _seasonData._minScore = _seasonData._scoreRank.getNthValue(49); } // add to score rank _seasonData._scoreRank.add(tokenId, value); // can enter the tvl rank _seasonData._isTopHundredScore.set(tokenId); // Enter as a very small value, just ensure it's not zero and pass check // it doesn't matter too much as really stake has decimal with 18. // General value woule be much larger than 1 _enterTvlRank( _seasonData._tributeRank, _seasonData._isTopHundredScore, _seasonData._oldStakeAmounts, tokenId, 1 ); } /** * @dev set a new value in tree, only save top x largest value * @param value new value enters in the tree */ function _enterTvlRank( SingleRanking.Data storage _tributeRank, BitMapsUpgradeable.BitMap storage _isTopHundredScore, mapping(uint256 => uint256) storage _oldStakeAmounts, uint256 tokenId, uint256 value ) public { // if it's not one hundred score, nothing happens if (!_isTopHundredScore.get(tokenId)) { return; } // remove old value from the rank, keep one token Id only one value if (_oldStakeAmounts[tokenId] != 0) { _tributeRank.remove(tokenId, _oldStakeAmounts[tokenId]); } _tributeRank.add(tokenId, value); _oldStakeAmounts[tokenId] = value; } /** * @dev if the tokenId's value is zero, it exits the ranking * @dev reduce rank size and release some gas * @param tokenId pool tokenId */ function _exitTvlRank( SingleRanking.Data storage _tributeRank, mapping(uint256 => uint256) storage _oldStakeAmounts, uint256 tokenId ) internal { if (_oldStakeAmounts[tokenId] != 0) { _tributeRank.remove(tokenId, _oldStakeAmounts[tokenId]); delete _oldStakeAmounts[tokenId]; } } /** * @dev exit from score rank and tvl rank, used when anti Cheat * @param _seasonData season data storage * @param tokenId tokenId * @param oldValue old value */ function _exitRank( IRebornPortal.SeasonData storage _seasonData, uint256 tokenId, uint256 oldValue ) internal { // if it's not top 100 hundred, do nothing if (!_seasonData._isTopHundredScore.get(tokenId)) { return; } // remove from score rank _seasonData._scoreRank.remove(tokenId, oldValue); // also remove it from top hundred score _seasonData._isTopHundredScore.unset(tokenId); // also remove it from tvl rank _exitTvlRank( _seasonData._tributeRank, _seasonData._oldStakeAmounts, tokenId ); } }
// 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); } }
// SPDX-License-Identifier: GPL-3.0 pragma solidity 0.8.17; import "@openzeppelin/contracts/utils/Strings.sol"; library RenderConstant { string internal constant _P1 = '<svg width="1244" height="704" fill="none" xmlns="http://www.w3.org/2000/svg" xmlns:xlink="http://www.w3.org/1999/xlink"><path d="M2.5 701.5V95.051L97.02 2.5H1241.5v699H2.5z" fill="url(#prefix__p0)" stroke="url(#prefix__p1)" stroke-width="5"/><path d="M1240 10H86.11v2.346H1240V10zM76.727 19.384H1240v2.346H76.727v-2.346zM4 169.529h1236v2.346H4v-2.346zM1240 56.92H39.19v2.346H1240V56.92zM4 207.066h1236v2.346H4v-2.346zM1240 94.457H4v2.346h1236v-2.346zM4 329.059h1236v2.346H4v-2.346zM1240 244.602H4v2.346h1236v-2.346zM4 131.993h1236v2.346H4v-2.346zM1240 282.138H4v2.346h1236v-2.346zM57.959 38.152H1240v2.346H57.959v-2.346zM1240 188.298H4v2.346h1236v-2.346zM20.422 75.689H1240v2.346H20.422v-2.346zM1240 310.291H4v2.346h1236v-2.346zM4 225.834h1236v2.346H4v-2.346zM1240 113.225H4v2.346h1236v-2.346zM4 263.37h1236v2.346H4v-2.346zM1240 150.761H4v2.346h1236v-2.346zM4 300.907h1236v2.346H4v-2.346zM4 160.145h1236v2.346H4v-2.346zM1240 47.536H48.574v2.346H1240v-2.346zM4 197.682h1236v2.346H4v-2.346zM1240 85.073H11.038v2.346H1240v-2.346zM4 319.675h1236v2.346H4v-2.346zM1240 235.218H4v2.346h1236v-2.346zM4 122.609h1236v2.346H4v-2.346zM1240 272.754H4v2.346h1236v-2.346zM67.343 28.768H1240v2.346H67.343v-2.346zM1240 178.913H4v2.347h1236v-2.347zM29.806 66.305H1240v2.345H29.806v-2.346zM1240 216.45H4v2.346h1236v-2.346zM4 103.841h1236v2.346H4v-2.346zM1240 338.443H4v2.346h1236v-2.346zM4 253.986h1236v2.346H4v-2.346zM1240 141.377H4v2.346h1236v-2.346zM4 291.522h1236v2.346H4v-2.346zM4 347.827h1236v2.346H4v-2.346zM1240 357.211H4v2.346h1236v-2.346zM1240 507.356H4v2.346h1236v-2.346zM4 394.747h1236v2.346H4v-2.346zM1240 544.893H4v2.346h1236v-2.346zM4 432.284h1236v2.346H4v-2.346zM1240 666.886H4v2.346h1236v-2.346zM4 582.429h1236v2.346H4v-2.346zM1240 469.82H4v2.346h1236v-2.346zM4 619.965h1236v2.346H4v-2.346zM1240 375.979H4v2.346h1236v-2.346zM4 526.125h1236v2.346H4v-2.346zM1240 413.516H4v2.346h1236v-2.346zM4 648.118h1236v2.346H4v-2.346zM1240 563.661H4v2.346h1236v-2.346zM4 451.052h1236v2.346H4v-2.346zM1240 601.197H4v2.346h1236v-2.346zM4 488.588h1236v2.346H4v-2.346zM1240 638.734H4v2.346h1236v-2.346zM1240 497.972H4v2.346h1236v-2.346zM4 385.363h1236v2.346H4v-2.346zM1240 535.509H4v2.346h1236v-2.346zM4 422.9h1236v2.346H4V422.9zM1240 657.502H4v2.346h1236v-2.346zM4 573.045h1236v2.346H4v-2.346zM1240 460.436H4v2.346h1236v-2.346zM4 610.581h1236v2.346H4v-2.346zM1240 366.595H4v2.346h1236v-2.346zM4 516.74h1236v2.346H4v-2.346zM1240 404.131H4v2.347h1236v-2.347zM4 554.277h1236v2.346H4v-2.346zM1240 441.668H4v2.346h1236v-2.346zM4 676.27h1236v2.346H4v-2.346zM1240 685.654H4V688h1236v-2.346zM4 591.813h1236v2.346H4v-2.346zM1240 479.204H4v2.346h1236v-2.346zM4 629.349h1236v2.346H4v-2.346z" fill="url(#prefix__p2)"/><path d="M1244 12V0H96L0 94v18L102 12h1142z" fill="#F98701"/><text dx="76" dy="605" dominant-baseline="central" style="height:100px" font-family="VT323" textLength="1075" font-size="60" fill="#FF8A01">Seed: '; string internal constant _P2 = '</text><text dx="76" dy="100" dominant-baseline="central" font-family="Black Ops One" textLength="300" font-weight="400" font-size="60" fill="#FF8A01">LifeScore</text><text dx="76" dy="230" dominant-baseline="central" font-family="Black Ops One" font-weight="400" font-size="120" fill="#FF8A01">'; string internal constant _P3 = '</text><text dx="697" dy="425" dominant-baseline="central" font-family="VT323" font-weight="100" font-size="79" fill="#FFF">Re:'; string internal constant _P4 = '</text><text dx="955" dy="425" dominant-baseline="central" font-family="VT323" font-weight="400" font-size="78" fill="#FFF">Age:'; string internal constant _P5 = '</text><text dx="200" dy="425" dominant-baseline="central" text-anchor="left" font-family="VT323" font-weight="400" font-size="60" fill="#FFF">'; string internal constant _P6 = '</text><text dx="975" dy="100" dominant-baseline="central" text-anchor="middle" style="height:100px" font-family="Black Ops One" font-size="56" fill="#FF8A01">DegenReborn</text><text dx="1070" dy="190" dominant-baseline="central" text-anchor="end" font-family="VT323" font-weight="400" font-size="80" fill="url(#prefix__p75)">'; string internal constant _P7 = '</text><text dx="1070" dy="275" dominant-baseline="central" text-anchor="end" font-family="VT323" font-weight="400" font-size="80" fill="url(#prefix__p75)">'; string internal constant _P8 = '</text><svg version="1.1" id="prefix__Layer_1" xmlns="http://www.w3.org/2000/svg" xmlns:xlink="http://www.w3.org/1999/xlink" x="830" y="150" viewBox="0 0 23000 23000" xml:space="preserve"><path d="M1248 0c689.3 0 1248 558.7 1248 1248s-558.7 1248-1248 1248S0 1937.3 0 1248 558.7 0 1248 0z" fill-rule="evenodd" clip-rule="evenodd" fill="#f0b90b"/><path d="M685.9 1248l.9 330 280.4 165v193.2l-444.5-260.7v-524l163.2 96.5zm0-330v192.3l-163.3-96.6V821.4l163.3-96.6L850 821.4 685.9 918zm398.4-96.6l163.3-96.6 164.1 96.6-164.1 96.6-163.3-96.6z" fill="#fff"/><path d="M803.9 1509.6v-193.2l163.3 96.6v192.3l-163.3-95.7zm280.4 302.6l163.3 96.6 164.1-96.6v192.3l-164.1 96.6-163.3-96.6v-192.3zm561.6-990.8l163.3-96.6 164.1 96.6v192.3l-164.1 96.6V918l-163.3-96.6zm163.3 756.6l.9-330 163.3-96.6v524l-444.5 260.7v-193.2l280.3-164.9z" fill="#fff"/><path fill="#fff" d="M1692.1 1509.6l-163.3 95.7V1413l163.3-96.6v193.2z"/><path d="M1692.1 986.4l.9 193.2-281.2 165v330.8l-163.3 95.7-163.3-95.7v-330.8l-281.2-165V986.4l164-96.6 279.5 165.8 281.2-165.8 164.1 96.6h-.7zM803.9 656.5l443.7-261.6 444.5 261.6-163.3 96.6-281.2-165.8-280.4 165.8-163.3-96.6z" fill="#fff"/></svg>'; string internal constant _P9 = '<path fill="#FFD058" d="M1125 256v5h-5v-5z"/><path fill="#E86609" d="M1145 256v5h-5v-5z"/><path fill="#F8C156" d="M1165 256v5h-5v-5z"/><path fill="#fff" d="M1115 256v5h-5v-5z"/><path fill="#E86609" d="M1135 256v5h-5v-5z"/><path fill="#F8C156" d="M1155 256v5h-5v-5z"/><path fill="#000" d="M1175 256v5h-5v-5zM1110 256v5h-5v-5z"/><path fill="#FFD058" d="M1130 256v5h-5v-5z"/><path fill="#C04A07" d="M1150 256v5h-5v-5z"/><path fill="#F29914" d="M1170 256v5h-5v-5z"/><path fill="#FFD058" d="M1120 256v5h-5v-5z"/><path fill="#E86609" d="M1140 256v5h-5v-5z"/><path fill="#F8C156" d="M1160 256v5h-5v-5z"/><path fill="#fff" d="M1125 246v5h-5v-5z"/><path fill="#F8C156" d="M1145 246v5h-5v-5z"/><path fill="#000" d="M1165 246v5h-5v-5z"/><path fill="#FFD058" d="M1135 246v5h-5v-5z"/><path fill="#F29914" d="M1155 246v5h-5v-5z"/><path fill="#fff" d="M1130 246v5h-5v-5z"/><path fill="#F8C156" d="M1150 246v5h-5v-5z"/><path fill="#000" d="M1120 246v5h-5v-5z"/><path fill="#FFD058" d="M1140 246v5h-5v-5z"/><path fill="#F29914" d="M1160 246v5h-5v-5z"/><path fill="#000" d="M1130 236h5v5h-5zM1105 266v5h-5v-5z"/><path fill="#FFD058" d="M1125 266v5h-5v-5z"/><path fill="#F8C156" d="M1145 266v5h-5v-5zM1165 266v5h-5v-5z"/><path fill="#FFD058" d="M1115 266v5h-5v-5z"/><path fill="#C04A07" d="M1135 266v5h-5v-5zM1155 266v5h-5v-5z"/><path fill="#F29914" d="M1175 266v5h-5v-5z"/><path fill="#fff" d="M1110 266v5h-5v-5z"/><path fill="#E86609" d="M1130 266v5h-5v-5zM1150 266v5h-5v-5z"/><path fill="#F8C156" d="M1170 266v5h-5v-5z"/><path fill="#FFD058" d="M1120 266v5h-5v-5zM1140 266v5h-5v-5z"/><path fill="#F8C156" d="M1160 266v5h-5v-5z"/><path fill="#000" d="M1180 266v5h-5v-5zM1125 241v5h-5v-5z"/><path fill="#F29914" d="M1145 241v5h-5v-5z"/><path fill="#fff" d="M1135 241v5h-5v-5z"/><path fill="#000" d="M1155 241v5h-5v-5zM1130 241v5h-5v-5z"/><path fill="#F29914" d="M1150 241v5h-5v-5z"/><path fill="#fff" d="M1140 241v5h-5v-5z"/><path fill="#000" d="M1160 241v5h-5v-5z"/><path fill="#FFD058" d="M1125 261v5h-5v-5z"/><path fill="#F8C056" d="M1145 261v5h-5v-5z"/><path fill="#F8C156" d="M1165 261v5h-5v-5z"/><path fill="#fff" d="M1115 261v5h-5v-5z"/><path fill="#C04A07" d="M1135 261v5h-5v-5zM1155 261v5h-5v-5z"/><path fill="#000" d="M1175 261v5h-5v-5zM1110 261v5h-5v-5z"/><path fill="#E86609" d="M1130 261v5h-5v-5zM1150 261v5h-5v-5z"/><path fill="#F29914" d="M1170 261v5h-5v-5z"/><path fill="#FFD058" d="M1120 261v5h-5v-5zM1140 261v5h-5v-5z"/><path fill="#F8C156" d="M1160 261v5h-5v-5z"/><path fill="#FFD058" d="M1125 251v5h-5v-5z"/><path fill="#F8C156" d="M1145 251v5h-5v-5z"/><path fill="#F29914" d="M1165 251v5h-5v-5z"/><path fill="#000" d="M1115 251v5h-5v-5z"/><path fill="#FFD058" d="M1135 251v5h-5v-5z"/><path fill="#F8C156" d="M1155 251v5h-5v-5z"/><path fill="#FFD058" d="M1130 251v5h-5v-5z"/><path fill="#F8C156" d="M1150 251v5h-5v-5z"/><path fill="#000" d="M1170 251v5h-5v-5z"/><path fill="#fff" d="M1120 251v5h-5v-5z"/><path fill="#FFD058" d="M1140 251v5h-5v-5z"/><path fill="#F8C156" d="M1160 251v5h-5v-5z"/><path fill="#000" d="M1135 236h5v5h-5zM1105 271v5h-5v-5z"/><path fill="#FFD058" d="M1125 271v5h-5v-5z"/><path fill="#E86609" d="M1145 271v5h-5v-5z"/><path fill="#F8C156" d="M1165 271v5h-5v-5z"/><path fill="#FFD058" d="M1115 271v5h-5v-5z"/><path fill="#E86609" d="M1135 271v5h-5v-5z"/><path fill="#F8C156" d="M1155 271v5h-5v-5z"/><path fill="#F29914" d="M1175 271v5h-5v-5z"/><path fill="#fff" d="M1110 271v5h-5v-5z"/><path fill="#E86609" d="M1130 271v5h-5v-5z"/><path fill="#C04A07" d="M1150 271v5h-5v-5z"/><path fill="#F8C156" d="M1170 271v5h-5v-5z"/><path fill="#FFD058" d="M1120 271v5h-5v-5z"/><path fill="#E86609" d="M1140 271v5h-5v-5z"/><path fill="#F8C156" d="M1160 271v5h-5v-5z"/><path fill="#000" d="M1180 271v5h-5v-5zM1140 236h5v5h-5zM1105 276v5h-5v-5z"/><path fill="#FFD058" d="M1125 276v5h-5v-5z"/><path fill="#F8C056" d="M1145 276v5h-5v-5z"/><path fill="#F8C156" d="M1165 276v5h-5v-5z"/><path fill="#FFD058" d="M1115 276v5h-5v-5z"/><path fill="#C04A07" d="M1135 276v5h-5v-5zM1155 276v5h-5v-5z"/><path fill="#F29914" d="M1175 276v5h-5v-5z"/><path fill="#fff" d="M1110 276v5h-5v-5z"/><path fill="#E86609" d="M1130 276v5h-5v-5zM1150 276v5h-5v-5z"/><path fill="#F8C156" d="M1170 276v5h-5v-5z"/><path fill="#FFD058" d="M1120 276v5h-5v-5zM1140 276v5h-5v-5z"/><path fill="#F8C156" d="M1160 276v5h-5v-5z"/><path fill="#000" d="M1180 276v5h-5v-5z"/><path fill="#FFD058" d="M1125 296v5h-5v-5z"/><path fill="#F8C156" d="M1145 296v5h-5v-5z"/><path fill="#F29914" d="M1165 296v5h-5v-5z"/><path fill="#000" d="M1115 296v5h-5v-5z"/><path fill="#FFD058" d="M1135 296v5h-5v-5z"/><path fill="#F8C156" d="M1155 296v5h-5v-5z"/><path fill="#FFD058" d="M1130 296v5h-5v-5z"/><path fill="#F8C156" d="M1150 296v5h-5v-5z"/><path fill="#000" d="M1170 296v5h-5v-5z"/><path fill="#fff" d="M1120 296v5h-5v-5z"/><path fill="#FFD058" d="M1140 296v5h-5v-5z"/><path fill="#F8C156" d="M1160 296v5h-5v-5z"/><path fill="#FFD058" d="M1125 286v5h-5v-5z"/><path fill="#F8C156" d="M1145 286v5h-5v-5zM1165 286v5h-5v-5z"/><path fill="#fff" d="M1115 286v5h-5v-5z"/><path fill="#C04A07" d="M1135 286v5h-5v-5z"/><path fill="#E86609" d="M1155 286v5h-5v-5z"/><path fill="#000" d="M1175 286v5h-5v-5zM1110 286v5h-5v-5z"/><path fill="#E86609" d="M1130 286v5h-5v-5z"/><path fill="#F8C056" d="M1150 286v5h-5v-5z"/><path fill="#F29914" d="M1170 286v5h-5v-5z"/><path fill="#FFD058" d="M1120 286v5h-5v-5zM1140 286v5h-5v-5z"/><path fill="#C04A07" d="M1160 286v5h-5v-5z"/><path fill="#000" d="M1125 306v5h-5v-5z"/><path fill="#F29914" d="M1145 306v5h-5v-5z"/><path fill="#FFE6A6" d="M1135 306v5h-5v-5z"/><path fill="#000" d="M1155 306v5h-5v-5zM1130 306v5h-5v-5z"/><path fill="#F29914" d="M1150 306v5h-5v-5z"/><path fill="#FFE6A6" d="M1140 306v5h-5v-5z"/><path fill="#000" d="M1160 306v5h-5v-5zM1145 236h5v5h-5zM1105 281v5h-5v-5z"/><path fill="#FFD058" d="M1125 281v5h-5v-5z"/><path fill="#F8C056" d="M1145 281v5h-5v-5z"/><path fill="#F8C156" d="M1165 281v5h-5v-5z"/><path fill="#FFD058" d="M1115 281v5h-5v-5z"/><path fill="#C04A07" d="M1135 281v5h-5v-5zM1155 281v5h-5v-5z"/><path fill="#F29914" d="M1175 281v5h-5v-5z"/><path fill="#fff" d="M1110 281v5h-5v-5z"/><path fill="#E86609" d="M1130 281v5h-5v-5zM1150 281v5h-5v-5z"/><path fill="#F8C156" d="M1170 281v5h-5v-5z"/><path fill="#FFD058" d="M1120 281v5h-5v-5zM1140 281v5h-5v-5z"/><path fill="#F8C156" d="M1160 281v5h-5v-5z"/><path fill="#000" d="M1180 281v5h-5v-5z"/><path fill="#fff" d="M1125 301v5h-5v-5z"/><path fill="#F8C156" d="M1145 301v5h-5v-5z"/><path fill="#000" d="M1165 301v5h-5v-5z"/><path fill="#FFD058" d="M1135 301v5h-5v-5z"/><path fill="#F29914" d="M1155 301v5h-5v-5z"/><path fill="#fff" d="M1130 301v5h-5v-5z"/><path fill="#F8C156" d="M1150 301v5h-5v-5z"/><path fill="#000" d="M1120 301v5h-5v-5z"/><path fill="#FFD058" d="M1140 301v5h-5v-5z"/><path fill="#F29914" d="M1160 301v5h-5v-5z"/><path fill="#FFD058" d="M1125 291v5h-5v-5z"/><path fill="#F8C156" d="M1145 291v5h-5v-5zM1165 291v5h-5v-5z"/><path fill="#fff" d="M1115 291v5h-5v-5z"/><path fill="#FFD058" d="M1135 291v5h-5v-5z"/><path fill="#F8C056" d="M1155 291v5h-5v-5z"/><path fill="#000" d="M1175 291v5h-5v-5zM1110 291v5h-5v-5z"/><path fill="#FFD058" d="M1130 291v5h-5v-5z"/><path fill="#F8C156" d="M1150 291v5h-5v-5z"/><path fill="#F29914" d="M1170 291v5h-5v-5z"/><path fill="#FFD058" d="M1120 291v5h-5v-5zM1140 291v5h-5v-5z"/><path fill="#F8C056" d="M1160 291v5h-5v-5z"/><path fill="#000" d="M1145 311v5h-5v-5zM1135 311v5h-5v-5zM1150 311v5h-5v-5zM1140 311v5h-5v-5z"/>'; function P1() public pure returns (string memory) { return _P1; } function P2() public pure returns (string memory) { return _P2; } function P3() public pure returns (string memory) { return _P3; } function P4() public pure returns (string memory) { return _P4; } function P5() public pure returns (string memory) { return _P5; } function P6() public pure returns (string memory) { return _P6; } function P7() public pure returns (string memory) { return _P7; } function P8() public pure returns (string memory) { return _P8; } function P9() public pure returns (string memory) { return _P9; } }
// SPDX-License-Identifier: GPL-3.0 pragma solidity 0.8.17; import "@openzeppelin/contracts/utils/Strings.sol"; library RenderConstant2 { string internal constant _P10 = '<svg xmlns="http://www.w3.org/2000/svg" x="72" y="380"><svg width="120" height="120"><clipPath id="prefix__clipCircle"><circle cx="48" cy="48" r="48"/></clipPath><circle cx="48" cy="48" r="48" fill="#C8145C"/><g clip-path="url(#prefix__clipCircle)"><path fill="#FA6000" d="M29.633 48.617l-86.61-83.057 83.056-86.611 86.611 83.057z"/><path fill="#F5AF00" d="M63.4 142.048l-119.678 8.788-8.788-119.677L54.61 22.37z"/><path fill="#03585E" d="M21.906-1.682l9.833 119.597-119.596 9.832L-97.69 8.151z"/></g></svg></svg><defs><linearGradient id="prefix__p0" x1="622.044" y1="-2.347" x2="622.044" y2="678.332" gradientUnits="userSpaceOnUse"><stop stop-color="#452F16"/><stop offset="1" stop-color="#1B2023"/></linearGradient><linearGradient id="prefix__p1" x1="622.044" y1="-2.347" x2="622.044" y2="668.943" gradientUnits="userSpaceOnUse"><stop stop-color="#FF8A00"/><stop offset="1" stop-color="#52391B"/></linearGradient><linearGradient id="prefix__p2" x1="622.171" y1="-1.73" x2="622.171" y2="347.827" gradientUnits="userSpaceOnUse"><stop stop-color="#F78602" stop-opacity=".35"/><stop offset="1" stop-color="#F78602" stop-opacity="0"/></linearGradient><linearGradient id="prefix__p75" x1="919" y1="180" x2="919" y2="276" gradientUnits="userSpaceOnUse"><stop stop-color="#FFFFDA"/><stop offset=".503" stop-color="#FFE7B6"/><stop offset="1" stop-color="#A87945"/></linearGradient><pattern id="prefix__pattern0" patternContentUnits="objectBoundingBox" width="1" height="1"><use xlink:href="#prefix__image0_539_2800" transform="matrix(.00255 0 0 .00255 -.639 -1.77)"/></pattern></defs><style>@font-face{font-family:'Black Ops One';font-style:normal;font-weight:400;src:url(data:application/font;base64,d09GMgABAAAAAAe0AAoAAAAAEBwAAAdnAAEAAAAAAAAAAAAAAAAAAAAAAAAAAAAABmAAhAoKj2CKLws4AAE2AiQDbAQgBYcrB1gbgQxRlG1Si+zngW1MPbihDBOihmC7LZoLmHL+w+L7alc4tb07Sb6TLCvArudVcokgSMYCOeyWnQJyUmK7gOyU2cnT1dpu6AyhbsQlvku/F5GQMzxf3Ojttr80wCYIJIkgMEjkUC//+6v/b63VE2+INR28VC+BkInr7/7NCWLLYOaVTqZEc6lEoqdISZn/938VOLtupE7d8MC/NdYBXGLQbDzgb+4KgKXnNfHPoSp2HgbAWFBlhyuLfAmEjkPNM0jT598+EP161wHmAQDu4usAgIoAMlY5CACgAbLSlOP9LQA0pt5IiJqaaY8kMbhCsVLTjw5RDVZD1FBVr/6lqmp5taJaSa1cIbBC0P8kghh5Xe8incP3Z3Fcbyc3XXTBSUfttMN2xTZf2fvb+8H73vvO+8r7zFvixSM98T72Pnry6clHQDwQINSQALAIAgBMOF7QUCZKxE4Lsk6nhODn/48lIBCCgkMgFAAgLBwgAgjWY2ljSWu/6CkA3gdyLg8DAkylRJjJMS/b2nhai9NqKNVwEvciazRUI4CIUzl/f3E2gj8ncpwgcJwMoIVeEK9aYLzESYzjKCeKHI12OvMLrOZYizXGZIkym+ITRSLjOIXITDILJp1FY5Wxllp5EcUqwjDijyViVXjJjE06XICsMmghHyngz2uRfCw8KlozQoJ3lmdBMshYccqChEUoiHFycRJO5QOxH7ZDDUoCzo3lMkCE1HYikchmyCOYdkrSh3eS2ECsgzynnCdbNpExxEvEEhhKSEiEiHA0kUtN9yeSZitTMI2weFEUTOnrgoQVIhMtwtFEgTkHOOV8JUqjhYLfjkGiIxIJydi/QLZbueSz/AJmx44wNn1avDZh2JFR/InOQqwSVswNddQiJVqWgCE8EkldVVoycybZwvtE04HtEbOQdM4fQuIWW+X8YUiBKJYgocxubuFMlLA5BiltoIG5ggRRTlYe5zGZ+mvyitFCwIa+YBpIOAnKiyAyA8kWMZC4R5Kj8ZpNIPRIGQuzYdo/a9y0eZPmG4uay9RG6zc1Zk4t1hc1XTbMpQXU2cjdaCeFAayHcRelBkq/MiIy+vfuCmFAp5InrgmuwHcLO7EsBoMeRzCpGwC66jd1R79uzCZG734xnuAyx3wp+QI76zZ80zBsF6P8ctfyiTLTtJkXeYvS0oiuJ6XASEqvuD1d9VCGr1PkWEgWHmp//ZDtV3WHUf4qfSMwoN+Trcxwe1W//gk+ibImlN5ldIFnQW0GObW5jVi2ybCJ6SacSV/LIilNr3zqDNvTJMmHyPeWlALpkNR7vKsqK7tI9yTpbz3fHB74POoYglaOXzmOY3QQOy4e9x3XH2ed2RX9Fd8V8QqzUYpXuK7GCqAaUNhGw0YW2/ydffnCWE1Go9mGmj3Esi+MxrvjNzDIZl31Xd+YMgwxqnOpOjyjCPg6bsw49AYrLq2npfQITzfSmT3aPGcXTKnXqM7dzF6h3uVtK9FZTCWwd/ne/6GbgXou6hk7wcwrV8ou3PfMWDZD/VFQ9K01YzUYXXgvA1gnSqWKnsKML4GvXs9oSzxPaaF7ZdevYAPe4wbe09l3tvLZiePGf2c0iFGwURpE6S4jG7XqNMumdNWoUb7The4sevyMOxUdeud+x3IpdYwp8vV3THDBLIOd2VeIf76ytru5BgZMyxhMd7gKM/RFGQonUnGgI/TgtU9nTxgPwvziCE+Efm+x0WOEmoajWfPm//78uckY41FjGWNXY47KDl9n35DKQ1jVg7pgM7qNOAIf9nxM7d0/gQIAAABAAFAJLSP/rVNXLX9RiQIAwNMfu6cCAO/F9yUg/6cLp3IaAIUjuJvicM3j0EDt32DtXr/VgrVdYl4eGTSzzMxBg3KPLcNgmYcG2rwlEBquPH5kj8/OVaOZ0uit6WaHOSM9nSBKDUhNA0hdpjGmJaT2DPb0pBJrxnxkK9lNrwIyAHbpx89ZQJLiIYoQWTzCNCyIMBiMOMGmIl51q5Ag0AXQEenjpmgYAOz2ByMkoooQpqtTiGheNxCnekuIF9WNkMDYU4boNO4dd6KYZxva/sOUSmpczGVxH1K4o87/M4Y+6z+8HG6N96J6546j3jiqT+HM/UV8el92+EFx4s1KCpSJKfyvkxzjcqxbt2GLSJP4OWhGM9MBt/U2Aeefa+Ki0tWsLrivWjqKiw7WOUfeq2nthrWb1GpkejibbEI1+X8uS9o4u8e9E4UWEaFUmTVioUgH1FfXUEJURR1Ifdz33hjMMFzcq2POSKWzQmOxSvjMrthOf2YVKaHFuGo+6IBjtb7qqMMqdpbtOY4yCeQWHAnGaRlgSrHi07LtZTBXkoM+8b03hwpgF1BAQTck1Lt+t3FRW111NdRCJBPhF8cKXvRzwJ3N3h9IYvPbiONe6QvlYbXNJIB7g5SiduHuDOeAoKmRNvTeRC2NmAYhw6Z+7fdob8eIkNaxPiRzJBC6Pr4PmmgBAAD+b+bQvTpG1lEEChLsHiilNMJpy27LqayKOupqpLFOaCwOT6TRWQAAAA==) format('woff2');unicode-range:U+0000-00FF,U+0131,U+0152-0153,U+02BB-02BC,U+02C6,U+02DA,U+02DC,U+2000-206F,U+2074,U+20AC,U+2122,U+2191,U+2193,U+2212,U+2215,U+FEFF,U+FFFD}@font-face{font-family:'VT323';font-style:normal;font-weight:400;src:url(data:application/font;base64,d09GMgABAAAAABpUAA4AAAAAwJAAABn7AAEAAAAAAAAAAAAAAAAAAAAAAAAAAAAAGigbHhyEWAZgAIRkEQgKgt9ogpQEC4NUAAE2AiQDhxQEIAWDMAeFORvkl7OierTQkYFg44D8Br48ijKxSrP/QwI9xDJPsV1kGEewHZHdaEZDW0vovnTgTesJ6y6hT6byUn9rJv+1GZUb+4yM74yReC7Pf7/f69rnBskCaRQKFaHQMS6l8dW+HZ+4/vrYd3/+nfPPTVJV8AXzVHAvYsGkYkA7CBNzeWafbzz8/2Xet71wE1yqtjq8JTyU4sHWuCPGPOdDgLo2c3ia6aWYpXkTR8yXmWUiwC+3cmc6HhS4Is+RbX+VTfWXCEcU5z6FA0kVOeHCDOPvVCsrn1fWBSGTmdp7fntXe6g32TkbxObEBrF3YgXfOYEmTfhi0CK+g3pR7SCmvzThS1SKyZq1VlUnu3ekPaFOAj6xMSA8W51MlvN/lIfGuAAI+H9rv68zb3CNtgkN9ZFoiQznLu++ZVDPIraDb0S8ERohikhy/RqKhvjPD7H85H7f0pLu9qUEqTPgRuzetqT/FEZ1Ue0oOekd2mdAp7pq5kbVo7hZckwEGWC0a7Rid8wWTjP6rVAUCvugRCzPqFYzu76sJPtbIYzYjxI/1y/zhm39uxA6JYTMmhzufo2l/7OJbd+RtDMT5k/SyyZeHKIiIiIQIYn/vYUCzAFQCIThkBFGwYw2BnLcEwgCZvjyhbYFhlrgIgC9gwAz1gUNmGHr0/JOphfE3NirpnwSTJvsWhIaNtVBA8Muu4mErGzioc+6pTzcRfWGQ0LVSWxiSolFRCERhOQSTkDmg+GTlhaEJ4zWyCnq+0MYIthXhKncbu2EHT4uYzdsYmvYMraAzfI7BQicYQwxggFjMU5tNp4zdiTFvTIo+ZW5MHLsnVN5tBpjbPydixAsXbV2C10qXLDA741TEuMaBdNsJEy1ETAVEKTi/TDRMGp8CGEe3HoTYcTY5g74nIqPX4nccSYIAv9eLAjaCxsowfhwiBISqzhQFkJqqXeMkgzgC39304yI35mHBequGgBc0fzZg9YfAIzXxaEn/VRedvXlcA7sjHGyX4Oxnj9I6B2Ql6KALThQQAPW4BCwhijcAzhGIsiBeXGSjfEjmtRgp+pKvahXW0rSm/QnA8lQMoXMW2aWdwUEBsoDVT8OYB6JkmJdaFLN91GQnqRvSMnvQdIXcAfoO2AIHtaH+aEAHx8AH+ejIl3JO+nbPW6POwcB7AOXHoA8QXJuvtrD/7hmmTVWOOm6m9baZrv5zlpil5XWW2ydyy66ZJUbCEIiEjJqHjx58TcIKUCgYNFixaFoaCVKkixFmi0W2OqRDT5Ll69AkRIVKlWp1qhJsxat2lnZOTj16NWPMWCI4TZ5YLOrjlnuuNNOOOOh2z65Y7Q9rtntri/uu2KGmd574paFPphujL3mmmOe1bhY2Pg4eATEVOQUlPx48+FLKki4EKEihTkvQgIdvXipYnTLliFTriw58hQqV8qgTINadWjF2hh16GTW5QKTPi5ugw1lM0wUi512OOiQAxCUukWAESB/IFcAJ//gfAqQHCA9AICCp24siPggZQ0RLAV2qeMoaWdIEdpawZF0qJ1A0IA389YDdwNQ+0cxUei9TY/AVQtSvQsTwwAaLaHtiQzgD+zMWQThCmGFvzLQWiVT3Ahx4Aet5I2CkziWU866tKKHNjYeBm3FlbM1Za3k88/Sf0vV2DLkcjoZnaMzlBl8fp6bbn1+zyv6Td0ySeugzNGw3VLtZmiOSpfnOGjdImhO/Fk+Qz7l6//MQ3mYz8s85IsVILFNMekd4fAg35NgO132Lq6wLGkByk9dJvZUXNlrSq8Jm8WLJjkb123HVc77k7aUDJIAbrv9u/8oH+FRYnxffLhA20Apks3h0XocvVnICrGpUV6v24irSxV3G/tuQwPsC6VsBMquMjYDEuXR72S/Yrdbr5NmkwXeZ7ON07veN++F2K/Lc825QECxqGnaiyYmv+LT+deUJJOanKSM62jMpqiursb30ywrSGmayOO0BmfrxSN8/qkD2MEXniJuY2ivQAya207GAkIereBJKYft6NiiOE4XbQPcFwJGAZlaZlqGlDA1//TH2cDROjQogZ/GFyrySodq+msKvmXKl70NXeB0MEQg7GgntcRhRfGCJXgFkv6y7n8gXdEWh637CJmgy9kXPyNsEuzL7HNAixqY6Gjdbk6MjsFkDJGk6cjabsDfg0hFlkbv7k9FQcDS0OoZ2QAk7bOdi0GKg91RpecKtN0RsXt3sRiOAcm3AqlQBVqQvyR2TB1QVcedXQygRXs1pSQsesup7bT9gvQQMDCJDWrnyfErsM1AfK9z2ETLUebytexXx1TB5wLddHDv6+lV7KuvRwZQOhQ0Va8Hymcpe4Mv8UJaGaQWxVIN9JBmjniNXkHY4mbvc7/wHGV3s0SlnoNb7fKbcIs645Gv+oo9dtGOh06kTeBCk/jPa1FOb+eu6pzu2Nx8h4TiDPst6j4RM2uwxdIL00nzSSlzuzsuYHcggM4xxIGz090CzgobulOaO4snMNbzWS45aGagRtQiAIj5i/QUMXXr5ptRBF72dp1wvdsrK2I3UGyomH9ro3T53NmqxxnaKtg0hmd35ajtgmTd7F0ANQ2Lw1e3qngrN8mUYakyPq1kkR4SnkhMp7RRdC/Vmset3HEAq6TOa5bXpMasK5qr8+IKZnAtoH5pA93ltnyJyjPkHqG/lvACx6A56ysuPmKWBK4nC0G5qeSJeQxhQlcXIlyutMf8PN82OcLDF0NanI27zsqsDTBvY6KJ2HH1CmXEFepnDV4qUxVagjk61q0AhCixdlH9ij1JoFi8Z5ytA97rQedJLivPaT4wilNHv9pHk7y0jk67Qhe2fMrlKr0z8nbY7w6oZuwKjNhFb4BOuUHb8hnrdvlBGDzizoYYrHaU2XfboMh4ZwEpl1sUzMAyig/XaDq9uF1LQiIuO0zlM7UdQO0a8Ruu+h1FKoIAVwFg70mwwlxGlmpmnan72xPm6NoydOJ6rCUlK7/9Ap3K9gmjEWEJDxxsEREU3gx1gDX/jF9QEc2T7oqowqHYvR1GmmUp84XMsd6qi4eC0+i/1+mFwE9CWIaHlblV8WZKNlux4/NBL355BoWLDZajXDxlS88ftCmyf6FkzYvoqqAyF5YlVhrJz5R/rcWxPDicmCpqIy45cEb9OxhhxJTIuh1MKGSu992N8RMc2t56d0SA3YvLf72sWYPTXFVmJxJDyOtDzscwIO7YhPlKIOw2cHo82CcxU9TwG7kyDp3MiWCvOomyBky624y37k23MMkVoO7N1ZNcBrZXV1PzaKTVistym4RMLxTa03xzGJoQC6SIIrTz4ngJZGbRxtrlvRntEInvu2ZpLET1JU3JDShqgE6+wv2ofvd9dCPgd0PS1BLGyqRIdv681pjMix1OByezC+w01fgjLMBJgo/Oys27KMoypjnPKTGKPBvVIevOCsXY6968lWm11zXO8J17n+XK51re93pvD/4bxkCT1W4aHiw8SYNpNgUT+Gxmnq1u9+Iix8XpteEcFX/6gfDGYPT/POdSDXaXfy1cuV2lZdtXJs/F2ZtVceErqUo5PZSQeXUqN7Buc2NyanHR1LiavOICACtqXoQbwjhad0t+2kbvtE7nmWsNd5tH9QJa8UicHz8tN5Fpg5GLELSsQ2oYWgk/q3F7t8/LTivg7oQwdsNW8KGAYy1fPr1iz9Wuiisg3Gsh8Jk5hOMW+PavSGQ+pI0/Ubr0mpWdprHqKMrpPGdiHxLfjI1xIjNtWH+CPufij5SGSB392dJqND6tAsWtVBtcaS8T/onOWKIOIa1rjYX+tp/HkoWKXaSlU+aWVJnVZmgxfBOulRJigPIqc8ksAvkfiuaPdjOchrXKncOwALVUg0+wSCb+/Ty/yxhYeQZmWr2JGLFGy3xPpg3XHU6TuBOzYAz2LodySJv7DZUb+h/g/JlgQ1TYF6Auo3xVo+ZO1sJeTmcS1baThqTx1goMmmlRDGISLd7UNQZ/rOfJM19UeoH5sKF8gtrrQhlODausHG3Bvv0Tj1SikmfvOLxTpXt9lL7Xu0woYn7mhfGXqfbHnqVGo2147bw2UGxWOwz/+qANgzkklCEwRHIOHf2Fp/r06AyiTx1VoGMgopvml8G4xxw38AsJXpPqMNQR0GHwekw6Zu3CDbokTluSvHkQ+SVG/PW4MoOxAxkqR+PY10QnBUWwwhaIKlZrbgbbJznAqHX4GhyFrKE4Esktbavkz0or6Y6hPuo+o+4jGGiLk69axDDylOGLndQr586pITgsDVQ7qPeVALBU2jEHI5YgqceAWGXhSzFq10RMAj2xD54XYQntmtRFFZp8gmGDUR6fwbMAVBZ+hc7N8UktlwpYGgTLKJ+T9blTW1/K4Q9dcH4zdXUtqRFOIImfHUGybEgSqxLuHLKDUqFOsFM6xrB9pUjBS4fVISKXdwZISTGkTnBRU88DrPAjiBtaLLXFnxEMlNlEf5yD2ctklia6J9oA4sjh0cCZ4p0QD1P6g5WDrwG3fBC4bWSX026SbXN1fHupTsudLMIj8YJdhsqmDbjC5O7LmRCi4jc0awgAP5HOZ1ObYVDWEzmEu/KixoPbKsmDxpO7WKDx6LbKAhuMcbo5IwCkYR8Z2x/S94c3o6n/R02zwceTjfocdNAj/3lSsBK8z6mCDnEBK764u9z7PIo/jp8Gp7eu4ujTe6B9iw2z2lXoVKdIAUuQNLKZXEPppH0TNj/OFsczMVQROM/zUOJzB/KX2X0YCAYuU553hW3fxfQjF5xxnnuL4Lqu7fvAJNoMWX/FwAmCL8cCQLDrcololMBdudatvi6sMazbs66B5vUCgeZ1iw6AV6IoZYxEZ1yjMkM+mwsFJWbYIiGkk8I0SBVrM9HiumV7bqzqxMKNg8SVQTNiDbaZI8kbI21TzCPaG9n4BKQY2wYD4erYFOc1I/HSdvQWrd6pvoHku9Mw7YTIUef3COEAThKbfwzNjf/s3MSJa8mN4I1Nn7vF68Jx4/Ly4cAIMxlz9/Cxs0HrV5Fzfu4E5CSJubKRzi9P6LSOhLB93wyTjJuvH83E0NK3eDABeJTAw/hXS2qni5oVjzjkWl3kOugK1U5366Z0uNhx0g2v8Cr4vHE4kdiJKi/RfcdENLO7U9Sk31punPmpeZODMbNIb2Z7u/DcuYZq72MN4Q2shMzGmXBcq05soMOX7KdN8wtBcpEWndjpHEKO0ToMEKZ6OrNJugrkLo0B0n4bLyvLMLO3ipq7YASTVO6SQyaH/tyWMGb65wvgyW5Qan2ZGwLRvLh+fWdQQHkFg142PXnqntkyHhRTtNte0p83XF5VociQJilbDDCc6en58oY7O5Q09gbOL9g3UFLKSdlIobFZX1UslvwNzyHDkmI2FmmFRPVq6rizr7Bno9Sx4Jj47Uwif8bAIZ1NuERe1vJr6agN8XuFC3OpchYaf+Z8gca5uVw18H4gd08MYpgNt05EaSCTBBDH9WmAqGsFXCshpiLvDnW+vJ4JuMjT8kMsbzFK0HPB2Z9KeVqlspDNSkUT84Lkjef1EObFItckkjtnikZxVAmsL4l7CdPQuyYG+sFuzVcULP3qHtAJxxtsbuc8mDjRevFuMp/YccQXOewjKJTS6/WwBnLklYKCEgnMcQ/nL2C9RqmX6ijBEa4+u9G8isK4vaK9a2ryNHdZd4Js7l7RSj9wjI4K99QX4Z2uUNuXGM6pKcI39TBc45lapUGaFG8KQ1zIKb4ljgQR4SSNzOLd5o+KPJp5fFs6+hoLf3HgeTpEuVmQPYRLXjoRb2uSqEzH76XpuNtY38zUq0jSVBss0tX4Uuoed/GFIIJiZd0wlixeybRdcBo6NKUql/oILi0N9+Qb/dlfMgc+zPuHZ73KAxxE2Qp3cwxNgN8lbh04wXE0oMwM/aoxHCcZHw6rT5sbaPUybrY9P31oy0NSL2oIUU3xd8dyPAduTZcwkwBirYHWOm25CYavoKQ6ESi3bJNJwpvDZZ+I/nBkNE+nlnjeu9lZ6qg5vAO7tRWskW/x/pMJNk4sV62ZpsIPQuby70PrgC7r1Yuq+7PSZJSTdSV28ZxyEse+24BgheIykmOC8Sj2EvQcDtKVjbDjVzh8/eB16WT+s4efWKhQLv0hIaeaeR9fvYLUAiQRkY2jB3IJfmN4m12HG0x+ayBEJogosmQUCzCCkPmgmYXIRGKp09BcuRtOGgay5M2gpcg0OO2rdYzBpOvnd4q+pd8GpjNBsMOh3vlOmV1vliiSasdvifU5xk5hihyd+B7X+Qed8fRn0XsAXPbU2g2qsARvEbFwoS7QMZ5V+OQuTWg4z+UKcS0zR+BEelgYQTuLwhCiMEHAgDyDuHRVr5tcD9G+yDpGQptliM5DVxAIYlyAiKue8k/fEr79OjgIx6LCKs/ESYtjWAMDfaiG8CQZXeL4CTcR472yNO7pn0GI6g6+bfUoKdOruDViFnph4LTBb1i0OKkOTZisznJNW8GstbB93kHrxMC//SUR+CbSeqXQK8G3B0cMz1nnDPxGnNvlvsiFz758gNxZXRvgEKLbAMGX3gQFcDmlsMkULQWeVQDSM4UO5LoqKvimUCXLAJXa+ET4tA+NBHLHb5AZcp5rxDhXFOMhJmNYjmIyw+73EPbM3wMf+ngjyuUYsCSWIP94iyT+ewQOUwL+EZJJTwKc9qKBJIXl1vEoh9NMAdcaOO6/Fa14bI95UY8WIN6wxuZqhymxovk5NIqCG1iOOIrBDv3WcNCM8aMPxXwQDq5qH7MorIWH9doMtP//AgdfuDp6NGN3DNE5oenpb2XgMLFth6KGvXC3bRejjr1mEJY9Erlv9DeaOSVXN+LcEk9LMfyUeLwzthKSbEqGXSbFW8xbm8JWGrz14aK0hFjLa7rU1HyliBw5zxlGSyAY1i5EHIiJNYFRA+wMjZWk7IFenOYZhvxI3ViiEIpr0YmgrsAVgWuM+bmoGlfKT8ACPMAVSSCxJrshFLB4yTgAsu2JO+JIM9nq8mAjBD7Wwsaeg5EYil+rb9cezhC6q1DXQvBf6B8Dh4xT3wxI9q4A3wt0lNU4fDPoRB2cCvXH4PQhqpSR1eH8xieP3tQxFiuGDJCRoWLmyMiLy7tVzas0xyiVJKVKM5X6mTBnrsyKi3YNvtF0rX2XCNTRFS/pZ6Npqack3JZG/PRGw0OQfODZ0hnDt7on/oFNiNwyW2YuiTx/ZIIzuBBCB4DTBI3UpBgy1EThRP4WRmw+CEurhkY0p2dOxyRS8gE01DA7rGwYTYlHoJ+DtebPvfI7pwxTakD0KoDoheJMNlEc1LWS8j7ECdQyW+mlcWQcpKBnFNbSbyw1sxxS7xscZ+RRnq5O1KmQ1eF9vOCV9ED+j+B/0eZmhiugkBL/RxhZ+RYKZdOCx3Q8TgDjfXAzYlmvOp2N5rKoTtVb4czhqIjmv7XQIdy5kO9arC4oo7CHgm/LrpIfkgAZqQpiHk7q8+CxhrhfVlPc+QI6v1fsg/WmnMSPNgwNZuGmLgv62goLd/9u7ITPrOjZnkE4SXVmPNiYiSwFxkyX4o/jQe8skoRT9YQcegtFEpUo7pcCjXgj7F2uVcFoQdpM9eNEyYUh/CRtBJROfBc+dQQKdElaMoyM3Yiy3QhgBwFMehnzrJMd6L8yfU1Fjs1bClqZjdYL2kDEBeuREPpams4bzEH/lelrbYGMmBIbtimuxoFKmT7TtiKunYWEevNeH1B26V4YfGKQ0zytTJ+TNygb3V1anUmlcpKLjqZYdQHjAIwBeL8G9kBynKQe7qFF0p4YxUC3pTTIgtMZssXGxd0jcJWG5gFcYhVH6TqEqTv8gQ6TBaviXXxRf0HS4QKvQ5piNABcGBkK7R/Z5HBPMNDDIaDA//GpgPb5tK+p1v4B/vzOdgL+zme++f+xS7NtTApMwgACbmAmIS8G8g1IiPnnBneEIaN4r4PfgQEq60BG66wOu20JpsuS5MYwdFqC+VzLBoe8lWCT0chy5GRJaNlluirL6XbHZIzadew2O1VM0u6CjFHZAnRXKZj4pqJVU/BAu9Myxm/CdRiBMld2I8croDZsImkXZVWk3czypsQq5pFpir4FwynQ5yrTTzFXsphFel6XFa9VFqAfkGFAC4aAkefYruDClGg2E/hsq+EQMMUCh0rTwDc3dBLCd07CiB2QcJQJEsGbjbJMyynbVP/2iumBNwyGW4o4cfoZ9bFzY/SL1c+uWyyXPlZxKhQwoNXS0dKJUc3MakC3Tn1oZn0W3+rSi6QVi0Kh3kMg1eZPNVWdUvXKpboXB2pO5VwubsOlR1lXCXwHp2hoRCMjptQsiFAqqbKLg5mR2zjbAIaNawUak8K5mTErlBXL5rFxtywuds7iB4xl5NIjAgag/6IFIn7uEUgBBhfsuqu67Ga0xzwhQpmE+S6c2TU33BQhUpRot9x2x10xt1N0PxZa99xn9dB8e+2j8yu9eAkSJXnkMZsnkqVIleZn6fKkKt0B7V1pnXwFXAr9pIh7NT+ewYqVKGXwFGOIoYEbUKZchUpVhqk23EijjLDeaPvV+E2tOrTp6jUYY5zxxt7E0cF+cUJrEM45b7U1FJRUt4oEt1n0KxOsTGQyU075B/6F/0Ak00VT+ZHYibARm0ygDVj4/MnlBE+bDhmyCAgddIA0+Lbb4YyzLjvksCOOuhQCk5zGiTmTLSH2uz/gGFKAQRbqtAlXEJ5ppphphlkmavdNdoiykMUsRRZ5FFFGFXU84mm2N56ZI9cLrz0vldcZDDx7bPeLsbu2uhS3tFs4A712isqJVKZena9ISyXq1bfuFWO8ZjP4X3Zudu1fUrLzlOgmbisf+DlaTby9TK46Kql3Iu8pymjNL/SlkNdpHGCaSH2MlibJnmLs3aZfE32iNhHhnMScHAA=) format('woff2')}</style></svg>'; function P10() public pure returns (string memory) { return _P10; } }
// SPDX-License-Identifier: MIT // OpenZeppelin Contracts (last updated v4.7.0) (utils/Base64.sol) pragma solidity ^0.8.0; /** * @dev Provides a set of functions to operate with Base64 strings. * * _Available since v4.5._ */ library Base64 { /** * @dev Base64 Encoding/Decoding Table */ string internal constant _TABLE = "ABCDEFGHIJKLMNOPQRSTUVWXYZabcdefghijklmnopqrstuvwxyz0123456789+/"; /** * @dev Converts a `bytes` to its Bytes64 `string` representation. */ function encode(bytes memory data) internal pure returns (string memory) { /** * Inspired by Brecht Devos (Brechtpd) implementation - MIT licence * https://github.com/Brechtpd/base64/blob/e78d9fd951e7b0977ddca77d92dc85183770daf4/base64.sol */ if (data.length == 0) return ""; // Loads the table into memory string memory table = _TABLE; // Encoding takes 3 bytes chunks of binary data from `bytes` data parameter // and split into 4 numbers of 6 bits. // The final Base64 length should be `bytes` data length multiplied by 4/3 rounded up // - `data.length + 2` -> Round up // - `/ 3` -> Number of 3-bytes chunks // - `4 *` -> 4 characters for each chunk string memory result = new string(4 * ((data.length + 2) / 3)); /// @solidity memory-safe-assembly assembly { // Prepare the lookup table (skip the first "length" byte) let tablePtr := add(table, 1) // Prepare result pointer, jump over length let resultPtr := add(result, 32) // Run over the input, 3 bytes at a time for { let dataPtr := data let endPtr := add(data, mload(data)) } lt(dataPtr, endPtr) { } { // Advance 3 bytes dataPtr := add(dataPtr, 3) let input := mload(dataPtr) // To write each character, shift the 3 bytes (18 bits) chunk // 4 times in blocks of 6 bits for each character (18, 12, 6, 0) // and apply logical AND with 0x3F which is the number of // the previous character in the ASCII table prior to the Base64 Table // The result is then added to the table to get the character to write, // and finally write it in the result pointer but with a left shift // of 256 (1 byte) - 8 (1 ASCII char) = 248 bits mstore8(resultPtr, mload(add(tablePtr, and(shr(18, input), 0x3F)))) resultPtr := add(resultPtr, 1) // Advance mstore8(resultPtr, mload(add(tablePtr, and(shr(12, input), 0x3F)))) resultPtr := add(resultPtr, 1) // Advance mstore8(resultPtr, mload(add(tablePtr, and(shr(6, input), 0x3F)))) resultPtr := add(resultPtr, 1) // Advance mstore8(resultPtr, mload(add(tablePtr, and(input, 0x3F)))) resultPtr := add(resultPtr, 1) // Advance } // When data `bytes` is not exactly 3 bytes long // it is padded with `=` characters at the end switch mod(mload(data), 3) case 1 { mstore8(sub(resultPtr, 1), 0x3d) mstore8(sub(resultPtr, 2), 0x3d) } case 2 { mstore8(sub(resultPtr, 1), 0x3d) } } return result; } }
/* * @title String & slice utility library for Solidity contracts. * @author Nick Johnson <[email protected]> * * @dev Functionality in this library is largely implemented using an * abstraction called a 'slice'. A slice represents a part of a string - * anything from the entire string to a single character, or even no * characters at all (a 0-length slice). Since a slice only has to specify * an offset and a length, copying and manipulating slices is a lot less * expensive than copying and manipulating the strings they reference. * * To further reduce gas costs, most functions on slice that need to return * a slice modify the original one instead of allocating a new one; for * instance, `s.split(".")` will return the text up to the first '.', * modifying s to only contain the remainder of the string after the '.'. * In situations where you do not want to modify the original slice, you * can make a copy first with `.copy()`, for example: * `s.copy().split(".")`. Try and avoid using this idiom in loops; since * Solidity has no memory management, it will result in allocating many * short-lived slices that are later discarded. * * Functions that return two slices come in two versions: a non-allocating * version that takes the second slice as an argument, modifying it in * place, and an allocating version that allocates and returns the second * slice; see `nextRune` for example. * * Functions that have to copy string data will return strings rather than * slices; these can be cast back to slices for further processing if * required. * * For convenience, some functions are provided with non-modifying * variants that create a new slice and return both; for instance, * `s.splitNew('.')` leaves s unmodified, and returns two values * corresponding to the left and right parts of the string. */ pragma solidity ^0.8.0; library strings { struct slice { uint _len; uint _ptr; } function memcpy(uint dest, uint src, uint len) private pure { // Copy word-length chunks while possible for (; len >= 32; len -= 32) { assembly { mstore(dest, mload(src)) } dest += 32; src += 32; } // Copy remaining bytes uint mask = type(uint).max; if (len > 0) { mask = 256 ** (32 - len) - 1; } assembly { let srcpart := and(mload(src), not(mask)) let destpart := and(mload(dest), mask) mstore(dest, or(destpart, srcpart)) } } /* * @dev Returns a slice containing the entire string. * @param self The string to make a slice from. * @return A newly allocated slice containing the entire string. */ function toSlice(string memory self) internal pure returns (slice memory) { uint ptr; assembly { ptr := add(self, 0x20) } return slice(bytes(self).length, ptr); } /* * @dev Returns the length of a null-terminated bytes32 string. * @param self The value to find the length of. * @return The length of the string, from 0 to 32. */ function len(bytes32 self) internal pure returns (uint) { uint ret; if (self == 0) return 0; if (uint(self) & type(uint128).max == 0) { ret += 16; self = bytes32(uint(self) / 0x100000000000000000000000000000000); } if (uint(self) & type(uint64).max == 0) { ret += 8; self = bytes32(uint(self) / 0x10000000000000000); } if (uint(self) & type(uint32).max == 0) { ret += 4; self = bytes32(uint(self) / 0x100000000); } if (uint(self) & type(uint16).max == 0) { ret += 2; self = bytes32(uint(self) / 0x10000); } if (uint(self) & type(uint8).max == 0) { ret += 1; } return 32 - ret; } /* * @dev Returns a slice containing the entire bytes32, interpreted as a * null-terminated utf-8 string. * @param self The bytes32 value to convert to a slice. * @return A new slice containing the value of the input argument up to the * first null. */ function toSliceB32(bytes32 self) internal pure returns (slice memory ret) { // Allocate space for `self` in memory, copy it there, and point ret at it assembly { let ptr := mload(0x40) mstore(0x40, add(ptr, 0x20)) mstore(ptr, self) mstore(add(ret, 0x20), ptr) } ret._len = len(self); } /* * @dev Returns a new slice containing the same data as the current slice. * @param self The slice to copy. * @return A new slice containing the same data as `self`. */ function copy(slice memory self) internal pure returns (slice memory) { return slice(self._len, self._ptr); } /* * @dev Copies a slice to a new string. * @param self The slice to copy. * @return A newly allocated string containing the slice's text. */ function toString(slice memory self) internal pure returns (string memory) { string memory ret = new string(self._len); uint retptr; assembly { retptr := add(ret, 32) } memcpy(retptr, self._ptr, self._len); return ret; } /* * @dev Returns the length in runes of the slice. Note that this operation * takes time proportional to the length of the slice; avoid using it * in loops, and call `slice.empty()` if you only need to know whether * the slice is empty or not. * @param self The slice to operate on. * @return The length of the slice in runes. */ function len(slice memory self) internal pure returns (uint l) { // Starting at ptr-31 means the LSB will be the byte we care about uint ptr = self._ptr - 31; uint end = ptr + self._len; for (l = 0; ptr < end; l++) { uint8 b; assembly { b := and(mload(ptr), 0xFF) } if (b < 0x80) { ptr += 1; } else if (b < 0xE0) { ptr += 2; } else if (b < 0xF0) { ptr += 3; } else if (b < 0xF8) { ptr += 4; } else if (b < 0xFC) { ptr += 5; } else { ptr += 6; } } } /* * @dev Returns true if the slice is empty (has a length of 0). * @param self The slice to operate on. * @return True if the slice is empty, False otherwise. */ function empty(slice memory self) internal pure returns (bool) { return self._len == 0; } /* * @dev Returns a positive number if `other` comes lexicographically after * `self`, a negative number if it comes before, or zero if the * contents of the two slices are equal. Comparison is done per-rune, * on unicode codepoints. * @param self The first slice to compare. * @param other The second slice to compare. * @return The result of the comparison. */ function compare( slice memory self, slice memory other ) internal pure returns (int) { uint shortest = self._len; if (other._len < self._len) shortest = other._len; uint selfptr = self._ptr; uint otherptr = other._ptr; for (uint idx = 0; idx < shortest; idx += 32) { uint a; uint b; assembly { a := mload(selfptr) b := mload(otherptr) } if (a != b) { // Mask out irrelevant bytes and check again uint mask = type(uint).max; // 0xffff... if (shortest < 32) { mask = ~(2 ** (8 * (32 - shortest + idx)) - 1); } unchecked { uint diff = (a & mask) - (b & mask); if (diff != 0) return int(diff); } } selfptr += 32; otherptr += 32; } return int(self._len) - int(other._len); } /* * @dev Returns true if the two slices contain the same text. * @param self The first slice to compare. * @param self The second slice to compare. * @return True if the slices are equal, false otherwise. */ function equals( slice memory self, slice memory other ) internal pure returns (bool) { return compare(self, other) == 0; } /* * @dev Extracts the first rune in the slice into `rune`, advancing the * slice to point to the next rune and returning `self`. * @param self The slice to operate on. * @param rune The slice that will contain the first rune. * @return `rune`. */ function nextRune( slice memory self, slice memory rune ) internal pure returns (slice memory) { rune._ptr = self._ptr; if (self._len == 0) { rune._len = 0; return rune; } uint l; uint b; // Load the first byte of the rune into the LSBs of b assembly { b := and(mload(sub(mload(add(self, 32)), 31)), 0xFF) } if (b < 0x80) { l = 1; } else if (b < 0xE0) { l = 2; } else if (b < 0xF0) { l = 3; } else { l = 4; } // Check for truncated codepoints if (l > self._len) { rune._len = self._len; self._ptr += self._len; self._len = 0; return rune; } self._ptr += l; self._len -= l; rune._len = l; return rune; } /* * @dev Returns the first rune in the slice, advancing the slice to point * to the next rune. * @param self The slice to operate on. * @return A slice containing only the first rune from `self`. */ function nextRune( slice memory self ) internal pure returns (slice memory ret) { nextRune(self, ret); } /* * @dev Returns the number of the first codepoint in the slice. * @param self The slice to operate on. * @return The number of the first codepoint in the slice. */ function ord(slice memory self) internal pure returns (uint ret) { if (self._len == 0) { return 0; } uint word; uint length; uint divisor = 2 ** 248; // Load the rune into the MSBs of b assembly { word := mload(mload(add(self, 32))) } uint b = word / divisor; if (b < 0x80) { ret = b; length = 1; } else if (b < 0xE0) { ret = b & 0x1F; length = 2; } else if (b < 0xF0) { ret = b & 0x0F; length = 3; } else { ret = b & 0x07; length = 4; } // Check for truncated codepoints if (length > self._len) { return 0; } for (uint i = 1; i < length; i++) { divisor = divisor / 256; b = (word / divisor) & 0xFF; if (b & 0xC0 != 0x80) { // Invalid UTF-8 sequence return 0; } ret = (ret * 64) | (b & 0x3F); } return ret; } /* * @dev Returns the keccak-256 hash of the slice. * @param self The slice to hash. * @return The hash of the slice. */ function keccak(slice memory self) internal pure returns (bytes32 ret) { assembly { ret := keccak256(mload(add(self, 32)), mload(self)) } } /* * @dev Returns true if `self` starts with `needle`. * @param self The slice to operate on. * @param needle The slice to search for. * @return True if the slice starts with the provided text, false otherwise. */ function startsWith( slice memory self, slice memory needle ) internal pure returns (bool) { if (self._len < needle._len) { return false; } if (self._ptr == needle._ptr) { return true; } bool equal; assembly { let length := mload(needle) let selfptr := mload(add(self, 0x20)) let needleptr := mload(add(needle, 0x20)) equal := eq( keccak256(selfptr, length), keccak256(needleptr, length) ) } return equal; } /* * @dev If `self` starts with `needle`, `needle` is removed from the * beginning of `self`. Otherwise, `self` is unmodified. * @param self The slice to operate on. * @param needle The slice to search for. * @return `self` */ function beyond( slice memory self, slice memory needle ) internal pure returns (slice memory) { if (self._len < needle._len) { return self; } bool equal = true; if (self._ptr != needle._ptr) { assembly { let length := mload(needle) let selfptr := mload(add(self, 0x20)) let needleptr := mload(add(needle, 0x20)) equal := eq( keccak256(selfptr, length), keccak256(needleptr, length) ) } } if (equal) { self._len -= needle._len; self._ptr += needle._len; } return self; } /* * @dev Returns true if the slice ends with `needle`. * @param self The slice to operate on. * @param needle The slice to search for. * @return True if the slice starts with the provided text, false otherwise. */ function endsWith( slice memory self, slice memory needle ) internal pure returns (bool) { if (self._len < needle._len) { return false; } uint selfptr = self._ptr + self._len - needle._len; if (selfptr == needle._ptr) { return true; } bool equal; assembly { let length := mload(needle) let needleptr := mload(add(needle, 0x20)) equal := eq( keccak256(selfptr, length), keccak256(needleptr, length) ) } return equal; } /* * @dev If `self` ends with `needle`, `needle` is removed from the * end of `self`. Otherwise, `self` is unmodified. * @param self The slice to operate on. * @param needle The slice to search for. * @return `self` */ function until( slice memory self, slice memory needle ) internal pure returns (slice memory) { if (self._len < needle._len) { return self; } uint selfptr = self._ptr + self._len - needle._len; bool equal = true; if (selfptr != needle._ptr) { assembly { let length := mload(needle) let needleptr := mload(add(needle, 0x20)) equal := eq( keccak256(selfptr, length), keccak256(needleptr, length) ) } } if (equal) { self._len -= needle._len; } return self; } // Returns the memory address of the first byte of the first occurrence of // `needle` in `self`, or the first byte after `self` if not found. function findPtr( uint selflen, uint selfptr, uint needlelen, uint needleptr ) private pure returns (uint) { uint ptr = selfptr; uint idx; if (needlelen <= selflen) { if (needlelen <= 32) { bytes32 mask; if (needlelen > 0) { mask = bytes32(~(2 ** (8 * (32 - needlelen)) - 1)); } bytes32 needledata; assembly { needledata := and(mload(needleptr), mask) } uint end = selfptr + selflen - needlelen; bytes32 ptrdata; assembly { ptrdata := and(mload(ptr), mask) } while (ptrdata != needledata) { if (ptr >= end) return selfptr + selflen; ptr++; assembly { ptrdata := and(mload(ptr), mask) } } return ptr; } else { // For long needles, use hashing bytes32 hash; assembly { hash := keccak256(needleptr, needlelen) } for (idx = 0; idx <= selflen - needlelen; idx++) { bytes32 testHash; assembly { testHash := keccak256(ptr, needlelen) } if (hash == testHash) return ptr; ptr += 1; } } } return selfptr + selflen; } // Returns the memory address of the first byte after the last occurrence of // `needle` in `self`, or the address of `self` if not found. function rfindPtr( uint selflen, uint selfptr, uint needlelen, uint needleptr ) private pure returns (uint) { uint ptr; if (needlelen <= selflen) { if (needlelen <= 32) { bytes32 mask; if (needlelen > 0) { mask = bytes32(~(2 ** (8 * (32 - needlelen)) - 1)); } bytes32 needledata; assembly { needledata := and(mload(needleptr), mask) } ptr = selfptr + selflen - needlelen; bytes32 ptrdata; assembly { ptrdata := and(mload(ptr), mask) } while (ptrdata != needledata) { if (ptr <= selfptr) return selfptr; ptr--; assembly { ptrdata := and(mload(ptr), mask) } } return ptr + needlelen; } else { // For long needles, use hashing bytes32 hash; assembly { hash := keccak256(needleptr, needlelen) } ptr = selfptr + (selflen - needlelen); while (ptr >= selfptr) { bytes32 testHash; assembly { testHash := keccak256(ptr, needlelen) } if (hash == testHash) return ptr + needlelen; ptr -= 1; } } } return selfptr; } /* * @dev Modifies `self` to contain everything from the first occurrence of * `needle` to the end of the slice. `self` is set to the empty slice * if `needle` is not found. * @param self The slice to search and modify. * @param needle The text to search for. * @return `self`. */ function find( slice memory self, slice memory needle ) internal pure returns (slice memory) { uint ptr = findPtr(self._len, self._ptr, needle._len, needle._ptr); self._len -= ptr - self._ptr; self._ptr = ptr; return self; } /* * @dev Modifies `self` to contain the part of the string from the start of * `self` to the end of the first occurrence of `needle`. If `needle` * is not found, `self` is set to the empty slice. * @param self The slice to search and modify. * @param needle The text to search for. * @return `self`. */ function rfind( slice memory self, slice memory needle ) internal pure returns (slice memory) { uint ptr = rfindPtr(self._len, self._ptr, needle._len, needle._ptr); self._len = ptr - self._ptr; return self; } /* * @dev Splits the slice, setting `self` to everything after the first * occurrence of `needle`, and `token` to everything before it. If * `needle` does not occur in `self`, `self` is set to the empty slice, * and `token` is set to the entirety of `self`. * @param self The slice to split. * @param needle The text to search for in `self`. * @param token An output parameter to which the first token is written. * @return `token`. */ function split( slice memory self, slice memory needle, slice memory token ) internal pure returns (slice memory) { uint ptr = findPtr(self._len, self._ptr, needle._len, needle._ptr); token._ptr = self._ptr; token._len = ptr - self._ptr; if (ptr == self._ptr + self._len) { // Not found self._len = 0; } else { self._len -= token._len + needle._len; self._ptr = ptr + needle._len; } return token; } /* * @dev Splits the slice, setting `self` to everything after the first * occurrence of `needle`, and returning everything before it. If * `needle` does not occur in `self`, `self` is set to the empty slice, * and the entirety of `self` is returned. * @param self The slice to split. * @param needle The text to search for in `self`. * @return The part of `self` up to the first occurrence of `delim`. */ function split( slice memory self, slice memory needle ) internal pure returns (slice memory token) { split(self, needle, token); } /* * @dev Splits the slice, setting `self` to everything before the last * occurrence of `needle`, and `token` to everything after it. If * `needle` does not occur in `self`, `self` is set to the empty slice, * and `token` is set to the entirety of `self`. * @param self The slice to split. * @param needle The text to search for in `self`. * @param token An output parameter to which the first token is written. * @return `token`. */ function rsplit( slice memory self, slice memory needle, slice memory token ) internal pure returns (slice memory) { uint ptr = rfindPtr(self._len, self._ptr, needle._len, needle._ptr); token._ptr = ptr; token._len = self._len - (ptr - self._ptr); if (ptr == self._ptr) { // Not found self._len = 0; } else { self._len -= token._len + needle._len; } return token; } /* * @dev Splits the slice, setting `self` to everything before the last * occurrence of `needle`, and returning everything after it. If * `needle` does not occur in `self`, `self` is set to the empty slice, * and the entirety of `self` is returned. * @param self The slice to split. * @param needle The text to search for in `self`. * @return The part of `self` after the last occurrence of `delim`. */ function rsplit( slice memory self, slice memory needle ) internal pure returns (slice memory token) { rsplit(self, needle, token); } /* * @dev Counts the number of nonoverlapping occurrences of `needle` in `self`. * @param self The slice to search. * @param needle The text to search for in `self`. * @return The number of occurrences of `needle` found in `self`. */ function count( slice memory self, slice memory needle ) internal pure returns (uint cnt) { uint ptr = findPtr(self._len, self._ptr, needle._len, needle._ptr) + needle._len; while (ptr <= self._ptr + self._len) { cnt++; ptr = findPtr( self._len - (ptr - self._ptr), ptr, needle._len, needle._ptr ) + needle._len; } } /* * @dev Returns True if `self` contains `needle`. * @param self The slice to search. * @param needle The text to search for in `self`. * @return True if `needle` is found in `self`, false otherwise. */ function contains( slice memory self, slice memory needle ) internal pure returns (bool) { return rfindPtr(self._len, self._ptr, needle._len, needle._ptr) != self._ptr; } /* * @dev Returns a newly allocated string containing the concatenation of * `self` and `other`. * @param self The first slice to concatenate. * @param other The second slice to concatenate. * @return The concatenation of the two strings. */ function concat( slice memory self, slice memory other ) internal pure returns (string memory) { string memory ret = new string(self._len + other._len); uint retptr; assembly { retptr := add(ret, 32) } memcpy(retptr, self._ptr, self._len); memcpy(retptr + self._len, other._ptr, other._len); return ret; } /* * @dev Joins an array of slices, using `self` as a delimiter, returning a * newly allocated string. * @param self The delimiter to use. * @param parts A list of slices to join. * @return A newly allocated string containing all the slices in `parts`, * joined with `self`. */ function join( slice memory self, slice[] memory parts ) internal pure returns (string memory) { if (parts.length == 0) return ""; uint length = self._len * (parts.length - 1); for (uint i = 0; i < parts.length; i++) length += parts[i]._len; string memory ret = new string(length); uint retptr; assembly { retptr := add(ret, 32) } for (uint i = 0; i < parts.length; i++) { memcpy(retptr, parts[i]._ptr, parts[i]._len); retptr += parts[i]._len; if (i < parts.length - 1) { memcpy(retptr, self._ptr, self._len); retptr += self._len; } } return ret; } }
// 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); } } }
// SPDX-License-Identifier: GPL-3.0 pragma solidity 0.8.17; import "src/RankUpgradeable.sol"; import {BitMapsUpgradeable} from "../oz/contracts-upgradeable/utils/structs/BitMapsUpgradeable.sol"; contract RankMock is RankUpgradeable { using BitMapsUpgradeable for BitMapsUpgradeable.BitMap; using SingleRanking for SingleRanking.Data; function enterScoreRank(uint256 tokenId, uint256 value) public { _enterScoreRank(tokenId, value); } function enterTvlRank(uint256 tokenId, uint256 value) public { _enterTvlRank(tokenId, value); } function getTopNTokenId( uint256 n ) public view returns (uint256[] memory values) { return _getTopNTokenId(n); } function getNthScoreTokenId(uint256 n) public view returns (uint256) { return _seasonData[_season]._scoreRank.get(n, 1)[0]; } function setTokenIdToTvlRank(uint256 tokenId) public { _seasonData[_season]._isTopHundredScore.set(tokenId); } function setTokenIdsToTvlRank(uint256[] memory tokenIds) public { for (uint256 i = 0; i < tokenIds.length; i++) { _enterScoreRank(tokenIds[i], 20); } } }
// SPDX-License-Identifier: GPL-3.0 pragma solidity 0.8.17; import "src/lib/Renderer.sol"; contract RenderMock { function render( bytes32 seed, uint256 lifeScore, uint256 round, uint256 age, string memory creatorName, uint256 nativeCost, uint256 rebornCost ) public pure returns (string memory) { return Renderer.renderSvg( seed, lifeScore, round, age, creatorName, nativeCost, rebornCost ); } }
// SPDX-License-Identifier: GPL-3.0 pragma solidity 0.8.17; import "src/RebornPortal.sol"; import "src/lib/SingleRanking.sol"; contract PortalMock is RebornPortal { using SingleRanking for SingleRanking.Data; function getSeason() public view returns (uint256) { return _season; } function getTvlRank() public view returns (uint256[] memory) { return _seasonData[_season]._tributeRank.get(0, 100); } function claimDrops(uint256[] calldata tokenIds) external whenNotPaused { for (uint256 i = 0; i < tokenIds.length; i++) { _claimPoolDrop(tokenIds[i]); } } function mockIncarnet( uint256 season, address account, uint256 amount ) external payable { uint256 value = (msg.value * piggyBankFee) / PortalLib.PERCENTAGE_BASE; piggyBank.deposit{value: value}(season, account, amount); } function mockStop(uint256 season) external { piggyBank.stop(season); } }
// SPDX-License-Identifier: GPL-3.0 pragma solidity 0.8.17; import {MerkleProofUpgradeable} from "@openzeppelin/contracts-upgradeable/utils/cryptography/MerkleProofUpgradeable.sol"; // import "@openzeppelin/contracts-upgradeable/access/OwnableUpgradeable.sol"; import {SafeOwnableUpgradeable} from "@p12/contracts-lib/contracts/access/SafeOwnableUpgradeable.sol"; import {UUPSUpgradeable} from "@openzeppelin/contracts-upgradeable/proxy/utils/UUPSUpgradeable.sol"; import {BitMapsUpgradeable} from "@openzeppelin/contracts-upgradeable/utils/structs/BitMapsUpgradeable.sol"; import {INFTManager} from "src/interfaces/nft/INFTManager.sol"; import {IDegenNFTDefination} from "src/interfaces/nft/IDegenNFT.sol"; import {NFTManagerStorage} from "src/nft/NFTManagerStorage.sol"; import {PausableUpgradeable} from "@openzeppelin/contracts-upgradeable/security/PausableUpgradeable.sol"; import {DegenNFT} from "src/nft/DegenNFT.sol"; import {CommonError} from "src/lib/CommonError.sol"; contract NFTManager is SafeOwnableUpgradeable, UUPSUpgradeable, INFTManager, NFTManagerStorage, PausableUpgradeable { uint256 public constant SUPPORT_MAX_MINT_COUNT = 2009; using BitMapsUpgradeable for BitMapsUpgradeable.BitMap; /** * @dev recieve native token */ receive() external payable {} /********************************************** * write functions **********************************************/ function initialize(address owner_) public initializer { if (owner_ == address(0)) { revert ZeroOwnerSet(); } __Ownable_init(owner_); __Pausable_init(); } function _authorizeUpgrade( address newImplementation ) internal override onlyOwner {} function whitelistMint( bytes32[] calldata merkleProof ) public payable override whenNotPaused onlyStageTime(StageType.WhitelistMint) { if (hasMinted.get(uint160(msg.sender))) { revert AlreadyMinted(); } if (degenNFT.totalMinted() >= SUPPORT_MAX_MINT_COUNT) { revert OutOfMaxMintCount(); } if (msg.value < mintFee) { revert MintFeeNotEnough(); } bool valid = checkWhiteList(merkleProof, msg.sender); if (!valid) { revert InvalidProof(); } hasMinted.set(uint160(msg.sender)); _mintTo(msg.sender, 1); } function publicMint( uint256 quantity ) public payable override whenNotPaused onlyStageTime(StageType.PublicMint) { if (degenNFT.totalMinted() + quantity > SUPPORT_MAX_MINT_COUNT) { revert OutOfMaxMintCount(); } if (quantity == 0) { revert InvalidParams(); } if (msg.value < mintFee * quantity) { revert MintFeeNotEnough(); } _mintTo(msg.sender, quantity); } function merge( uint256 tokenId1, uint256 tokenId2 ) external override onlyStageTime(StageType.Merge) whenNotPaused { _checkOwner(msg.sender, tokenId1); _checkOwner(msg.sender, tokenId2); bool propertiEq = checkPropertiesEq(tokenId1, tokenId2); if (!propertiEq) { revert InvalidTokens(); } // only shards can merge IDegenNFTDefination.Property memory property = degenNFT.getProperty( tokenId1 ); if (property.tokenType != uint16(1)) { revert OnlyShardsCanMerge(); } degenNFT.burn(tokenId1); degenNFT.burn(tokenId2); uint256 tokenId = degenNFT.nextTokenId(); _mintTo(msg.sender, 1); emit MergeTokens(msg.sender, tokenId1, tokenId2, tokenId); degenNFT.emitMetadataUpdate(tokenId); } function openMysteryBox( uint256[] calldata tokenIds, IDegenNFTDefination.Property[] calldata metadataList ) external onlySigner { if (tokenIds.length != metadataList.length) { revert InvalidParams(); } for (uint256 i = 0; i < metadataList.length; i++) { degenNFT.setProperties(tokenIds[i], metadataList[i]); } } /** * @dev set only when nft is upgraded * @param tokenId nft tokenId * @param level new level */ function setLevel(uint256 tokenId, uint256 level) external onlySigner { degenNFT.setLevel(tokenId, level); } function burn( uint256 tokenId ) external override onlyStageTime(StageType.Burn) whenNotPaused { if (!degenNFT.exists(tokenId)) { revert TokenIdNotExsis(); } uint256 level = degenNFT.getLevel(tokenId); // level == 0 && not openMystoryBox if (level == 0) { if (tokenId <= SUPPORT_MAX_MINT_COUNT) { IDegenNFTDefination.Property memory token1Property = degenNFT .getProperty(tokenId); if (token1Property.nameId == uint16(0)) { revert MysteryBoxCannotBurn(); } } level = 1; } _checkOwner(msg.sender, tokenId); degenNFT.burn(tokenId); // refund fees BurnRefundConfig memory refundConfig = burnRefundConfigs[level]; // if no native token configuration // revert if (refundConfig.nativeToken == 0 && refundConfig.degenToken == 0) { revert NoBurnConfSet(); } // refund NativeToken payable(msg.sender).transfer(refundConfig.nativeToken); emit BurnToken( msg.sender, tokenId, refundConfig.nativeToken, refundConfig.degenToken ); } function updateSigners( address[] calldata toAdd, address[] calldata toRemove ) external onlyOwner { for (uint256 i = 0; i < toAdd.length; i++) { signers[toAdd[i]] = true; emit SignerUpdate(toAdd[i], true); } for (uint256 i = 0; i < toRemove.length; i++) { signers[toRemove[i]] = false; emit SignerUpdate(toRemove[i], false); } } // set white list merkler tree root function setMerkleRoot(bytes32 root) external override onlyOwner { if (root == bytes32(0)) { revert ZeroRootSet(); } merkleRoot = root; emit MerkleTreeRootSet(root); } function setMintFee(uint256 mintFee_) external onlyOwner { mintFee = mintFee_; emit MintFeeSet(mintFee); } function setDegenNFT(address degenNFT_) external onlyOwner { if (degenNFT_ == address(0)) { revert CommonError.ZeroAddressSet(); } degenNFT = DegenNFT(degenNFT_); emit SetDegenNFT(degenNFT_); } function setMintTime( StageType mintType_, StageTime calldata mintTime_ ) external onlyOwner { if (mintTime_.startTime >= mintTime_.endTime) { revert InvalidParams(); } stageTime[mintType_] = mintTime_; emit SetMintTime(mintType_, mintTime_); } function setBurnRefundConfig( uint256[] calldata levels, BurnRefundConfig[] calldata configs ) external override onlyOwner { // burnRefundConfigs = configs; for (uint256 i = 0; i < configs.length; i++) { uint256 level = levels[i]; BurnRefundConfig memory config = configs[i]; burnRefundConfigs[level] = config; emit SetBurnRefundConfig(level, config); } } function withdraw(address to, uint256 amount) external onlyOwner { payable(to).transfer(amount); } /********************************************** * read functions **********************************************/ function checkWhiteList( bytes32[] calldata merkleProof, address account ) public view returns (bool valid) { bytes32 leaf = keccak256(bytes.concat(keccak256(abi.encode(account)))); valid = MerkleProofUpgradeable.verify(merkleProof, merkleRoot, leaf); } function getBurnRefundConfigs( uint256 level ) public view returns (BurnRefundConfig memory) { return burnRefundConfigs[level]; } function minted(address account) external view returns (bool) { return hasMinted.get(uint160(account)); } /********************************************** * internal functions **********************************************/ function _mintTo(address to, uint256 quantity) internal { uint256 startTokenId = degenNFT.nextTokenId(); degenNFT.mint(to, quantity); emit Minted(msg.sender, quantity, startTokenId); } function _checkOwner(address owner_, uint256 tokenId) internal view { if (degenNFT.ownerOf(tokenId) != owner_) { revert NotTokenOwner(); } } function _checkStageTime(StageType stageType) internal view { if ( block.timestamp < stageTime[stageType].startTime || block.timestamp > stageTime[stageType].endTime ) { revert InvalidTime(); } } // only name && tokenType equal means token1 and token2 can merge function checkPropertiesEq( uint256 tokenId1, uint256 tokenId2 ) public view returns (bool) { IDegenNFTDefination.Property memory token1Property = degenNFT .getProperty(tokenId1); IDegenNFTDefination.Property memory token2Property = degenNFT .getProperty(tokenId2); return token1Property.nameId == token2Property.nameId && token1Property.tokenType == token2Property.tokenType; } /********************************************** * modiriers **********************************************/ modifier onlySigner() { if (!signers[msg.sender]) { revert NotSigner(); } _; } modifier onlyStageTime(StageType stageType) { _checkStageTime(stageType); _; } }
// 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 MerkleProofUpgradeable { /** * @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) } } }
// SPDX-License-Identifier: MIT // Thanks Yos Riady // Refer to https://github.com/boringcrypto/BoringSolidity/blob/master/contracts/BoringOwnable.sol // https://github.com/OpenZeppelin/openzeppelin-contracts-upgradeable/blob/master/contracts/access/OwnableUpgradeable.sol pragma solidity ^0.8.0; import "@openzeppelin/contracts-upgradeable/proxy/utils/Initializable.sol"; import "@openzeppelin/contracts-upgradeable/utils/ContextUpgradeable.sol"; contract SafeOwnableUpgradeable is Initializable, ContextUpgradeable { error CallerNotOwner(); error ZeroAddressOwnerSet(); error CallerNotPendingOwner(); /** * @dev Storage slot with the admin of the contract. * This is the keccak-256 hash of "eip1967.proxy.admin" subtracted by 1, and is * validated in the constructor. */ bytes32 private constant _ADMIN_SLOT = 0xb53127684a568b3173ae13b9f8a6016e243e63b6e8ee1178d6a717850b5d6103; address private _owner; address private _pendingOwner; event OwnershipTransferred( address indexed previousOwner, address indexed newOwner ); /** * @dev Initializes the contract setting the deployer as the initial owner. */ function __Ownable_init(address owner_) internal onlyInitializing { __Ownable_init_unchained(owner_); } function __Ownable_init_unchained( address owner_ ) internal onlyInitializing { _transferOwnership(owner_); } /** * @dev Returns the address of the current owner. */ function owner() public view virtual returns (address) { return _owner; } /** * @dev Return the address of the pending owner */ function pendingOwner() public view virtual returns (address) { return _pendingOwner; } /** * @dev Throws if called by any account other than the owner. */ modifier onlyOwner() { if (owner() != _msgSender()) { revert CallerNotOwner(); } _; } /** * @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. * Note If direct is false, it will set an pending owner and the OwnerShipTransferring * only happens when the pending owner claim the ownership */ function transferOwnership( address newOwner, bool direct ) public virtual onlyOwner { if (newOwner == address(0)) { revert ZeroAddressOwnerSet(); } if (direct) { _transferOwnership(newOwner); } else { _transferPendingOwnership(newOwner); } } /** * @dev pending owner call this function to claim ownership */ function claimOwnership() public { if (msg.sender != _pendingOwner) { revert CallerNotPendingOwner(); } _claimOwnership(); } /** * @dev Transfers ownership of the contract to a new account (`newOwner`). * Internal function without access restriction. */ function _transferOwnership(address newOwner) internal virtual { // compatible with hardhat-deploy, maybe removed later assembly { sstore(_ADMIN_SLOT, newOwner) } address oldOwner = _owner; _owner = newOwner; emit OwnershipTransferred(oldOwner, newOwner); } /** * @dev set the pending owner address * Internal function without access restriction. */ function _transferPendingOwnership(address newOwner) internal virtual { _pendingOwner = newOwner; } /** * @dev Transfers ownership of the contract to a new account (`newOwner`). * Internal function without access restriction. */ function _claimOwnership() internal virtual { address oldOwner = _owner; emit OwnershipTransferred(oldOwner, _pendingOwner); _owner = _pendingOwner; _pendingOwner = address(0); } /** * @dev This empty reserved space is put in place to allow future versions to add new * variables without shifting down storage in the inheritance chain. * See https://docs.openzeppelin.com/contracts/4.x/upgradeable#storage_gaps */ uint256[48] private __gap; }
// SPDX-License-Identifier: MIT // OpenZeppelin Contracts (last updated v4.8.0) (proxy/utils/UUPSUpgradeable.sol) pragma solidity ^0.8.0; import "../../interfaces/draft-IERC1822Upgradeable.sol"; import "../ERC1967/ERC1967UpgradeUpgradeable.sol"; import "./Initializable.sol"; /** * @dev An upgradeability mechanism designed for UUPS proxies. The functions included here can perform an upgrade of an * {ERC1967Proxy}, when this contract is set as the implementation behind such a proxy. * * A security mechanism ensures that an upgrade does not turn off upgradeability accidentally, although this risk is * reinstated if the upgrade retains upgradeability but removes the security mechanism, e.g. by replacing * `UUPSUpgradeable` with a custom implementation of upgrades. * * The {_authorizeUpgrade} function must be overridden to include access restriction to the upgrade mechanism. * * _Available since v4.1._ */ abstract contract UUPSUpgradeable is Initializable, IERC1822ProxiableUpgradeable, ERC1967UpgradeUpgradeable { function __UUPSUpgradeable_init() internal onlyInitializing { } function __UUPSUpgradeable_init_unchained() internal onlyInitializing { } /// @custom:oz-upgrades-unsafe-allow state-variable-immutable state-variable-assignment address private immutable __self = address(this); /** * @dev Check that the execution is being performed through a delegatecall call and that the execution context is * a proxy contract with an implementation (as defined in ERC1967) pointing to self. This should only be the case * for UUPS and transparent proxies that are using the current contract as their implementation. Execution of a * function through ERC1167 minimal proxies (clones) would not normally pass this test, but is not guaranteed to * fail. */ modifier onlyProxy() { require(address(this) != __self, "Function must be called through delegatecall"); require(_getImplementation() == __self, "Function must be called through active proxy"); _; } /** * @dev Check that the execution is not being performed through a delegate call. This allows a function to be * callable on the implementing contract but not through proxies. */ modifier notDelegated() { require(address(this) == __self, "UUPSUpgradeable: must not be called through delegatecall"); _; } /** * @dev Implementation of the ERC1822 {proxiableUUID} function. This returns the storage slot used by the * implementation. It is used to validate the implementation's compatibility when performing an upgrade. * * IMPORTANT: A proxy pointing at a proxiable contract should not be considered proxiable itself, because this risks * bricking a proxy that upgrades to it, by delegating to itself until out of gas. Thus it is critical that this * function revert if invoked through a proxy. This is guaranteed by the `notDelegated` modifier. */ function proxiableUUID() external view virtual override notDelegated returns (bytes32) { return _IMPLEMENTATION_SLOT; } /** * @dev Upgrade the implementation of the proxy to `newImplementation`. * * Calls {_authorizeUpgrade}. * * Emits an {Upgraded} event. */ function upgradeTo(address newImplementation) external virtual onlyProxy { _authorizeUpgrade(newImplementation); _upgradeToAndCallUUPS(newImplementation, new bytes(0), false); } /** * @dev Upgrade the implementation of the proxy to `newImplementation`, and subsequently execute the function call * encoded in `data`. * * Calls {_authorizeUpgrade}. * * Emits an {Upgraded} event. */ function upgradeToAndCall(address newImplementation, bytes memory data) external payable virtual onlyProxy { _authorizeUpgrade(newImplementation); _upgradeToAndCallUUPS(newImplementation, data, true); } /** * @dev Function that should revert when `msg.sender` is not authorized to upgrade the contract. Called by * {upgradeTo} and {upgradeToAndCall}. * * Normally, this function will use an xref:access.adoc[access control] modifier such as {Ownable-onlyOwner}. * * ```solidity * function _authorizeUpgrade(address) internal override onlyOwner {} * ``` */ function _authorizeUpgrade(address newImplementation) internal virtual; /** * @dev This empty reserved space is put in place to allow future versions to add new * variables without shifting down storage in the inheritance chain. * See https://docs.openzeppelin.com/contracts/4.x/upgradeable#storage_gaps */ uint256[50] private __gap; }
// SPDX-License-Identifier: MIT // OpenZeppelin Contracts (last updated v4.8.0) (utils/structs/BitMaps.sol) pragma solidity ^0.8.0; /** * @dev Library for managing uint256 to bool mapping in a compact and efficient way, providing the keys are sequential. * Largely inspired by Uniswap's https://github.com/Uniswap/merkle-distributor/blob/master/contracts/MerkleDistributor.sol[merkle-distributor]. */ library BitMapsUpgradeable { struct BitMap { mapping(uint256 => uint256) _data; } /** * @dev Returns whether the bit at `index` is set. */ function get(BitMap storage bitmap, uint256 index) internal view returns (bool) { uint256 bucket = index >> 8; uint256 mask = 1 << (index & 0xff); return bitmap._data[bucket] & mask != 0; } /** * @dev Sets the bit at `index` to the boolean `value`. */ function setTo( BitMap storage bitmap, uint256 index, bool value ) internal { if (value) { set(bitmap, index); } else { unset(bitmap, index); } } /** * @dev Sets the bit at `index`. */ function set(BitMap storage bitmap, uint256 index) internal { uint256 bucket = index >> 8; uint256 mask = 1 << (index & 0xff); bitmap._data[bucket] |= mask; } /** * @dev Unsets the bit at `index`. */ function unset(BitMap storage bitmap, uint256 index) internal { uint256 bucket = index >> 8; uint256 mask = 1 << (index & 0xff); bitmap._data[bucket] &= ~mask; } }
// SPDX-License-Identifier: GPL-3.0 pragma solidity 0.8.17; interface INFTManagerDefination { enum StageType { Invalid, WhitelistMint, PublicMint, Merge, Burn } struct StageTime { uint256 startTime; uint256 endTime; // mint end time,if no need set 4294967295(2106-02-07 14:28:15) } struct BurnRefundConfig { uint256 nativeToken; uint256 degenToken; } /********************************************** * errors **********************************************/ error ZeroOwnerSet(); error NotSigner(); error OutOfMaxMintCount(); error AlreadyMinted(); error ZeroRootSet(); error InvalidProof(); error NotTokenOwner(); error InvalidTokens(); error MintFeeNotEnough(); error InvalidParams(); error InvalidTime(); error TokenIdNotExsis(); error MysteryBoxCannotBurn(); error OnlyShardsCanMerge(); error CanNotOpenMysteryBoxTwice(); error NoBurnConfSet(); /********************************************** * events **********************************************/ event Minted( address indexed receiver, uint256 quantity, uint256 startTokenId ); event SignerUpdate(address indexed signer, bool valid); event MerkleTreeRootSet(bytes32 root); // burn the tokenId of from account event MergeTokens( address indexed from, uint256 tokenId1, uint256 tokenId2, uint256 newTokenId ); event BurnToken( address account, uint256 tokenId, uint256 refundNativeToken, uint256 refundDegenToken ); event SetDegenNFT(address degenNFT); event MintFeeSet(uint256 mintFee); event SetMintTime(StageType stageType, StageTime stageTime); event SetBurnRefundConfig( uint256 level, BurnRefundConfig burnRefundConfigs ); event SetBucket(uint256 bucket, uint256 bucketValue); } interface INFTManager is INFTManagerDefination { /** * @dev users in whitelist can mint mystery box */ function whitelistMint(bytes32[] calldata merkleProof) external payable; /** * public mint * @param quantity quantities want to mint */ function publicMint(uint256 quantity) external payable; function merge(uint256 tokenId1, uint256 tokenId2) external; function burn(uint256 tokenId) external; function setMerkleRoot(bytes32 root) external; function setBurnRefundConfig( uint256[] calldata levels, BurnRefundConfig[] calldata configs ) external; function withdraw(address to, uint256 amount) external; }
// SPDX-License-Identifier: GPL-3.0 pragma solidity 0.8.17; import "erc721a-upgradeable/contracts/IERC721AUpgradeable.sol"; import {IERC4906} from "src/interfaces/nft/IERC4906.sol"; import {IERC2981} from "src/interfaces/nft/IERC2981.sol"; interface IDegenNFTDefination is IERC4906 { struct Property { uint16 nameId; uint16 rarity; uint16 tokenType; } error OnlyManager(); event SetManager(address manager); event SetBaseURI(string baseURI); event RoyaltyInfoSet(address receiver, uint256 percent); event SetProperties(uint256 tokenId, Property properties); event LevelSet(uint256 indexed tokenId, uint256 level); } interface IDegenNFT is IDegenNFTDefination, IERC2981 { function mint(address to, uint256 quantity) external; function burn(uint256 tokenId) external; function setBaseURI(string calldata baseURI_) external; function setLevel(uint256 tokenId, uint256 level) external; function setProperties( uint256 tokenId, Property memory _properties ) external; function totalMinted() external view returns (uint256); function getProperty( uint256 tokenId ) external view returns (Property memory); function exists(uint256 tokenId) external view returns (bool); function nextTokenId() external view returns (uint256); function getLevel(uint256 tokenId) external view returns (uint256); }
// SPDX-License-Identifier: GPL-3.0 pragma solidity 0.8.17; import {BitMapsUpgradeable} from "@openzeppelin/contracts-upgradeable/utils/structs/BitMapsUpgradeable.sol"; import {INFTManagerDefination} from "src/interfaces/nft/INFTManager.sol"; import {IDegenNFTDefination} from "src/interfaces/nft/IDegenNFT.sol"; import {DegenNFT} from "src/nft/DegenNFT.sol"; contract NFTManagerStorage is INFTManagerDefination { // degen nft address DegenNFT public degenNFT; // white list merkle tree root bytes32 public merkleRoot; mapping(address => bool) public signers; // record minted users to avoid whitelist users mint more than once // mapping(address => bool) public minted; BitMapsUpgradeable.BitMap internal hasMinted; // Mapping from mint type to mint start and end time mapping(StageType => StageTime) stageTime; // different config with different level, index as level mapping(uint256 => BurnRefundConfig) internal burnRefundConfigs; // public mint pay mint fee uint256 public mintFee; uint256[43] private _gap; }
// SPDX-License-Identifier: MIT // OpenZeppelin Contracts (last updated v4.7.0) (security/Pausable.sol) pragma solidity ^0.8.0; import "../utils/ContextUpgradeable.sol"; import "../proxy/utils/Initializable.sol"; /** * @dev Contract module which allows children to implement an emergency stop * mechanism that can be triggered by an authorized account. * * This module is used through inheritance. It will make available the * modifiers `whenNotPaused` and `whenPaused`, which can be applied to * the functions of your contract. Note that they will not be pausable by * simply including this module, only once the modifiers are put in place. */ abstract contract PausableUpgradeable is Initializable, ContextUpgradeable { /** * @dev Emitted when the pause is triggered by `account`. */ event Paused(address account); /** * @dev Emitted when the pause is lifted by `account`. */ event Unpaused(address account); bool private _paused; /** * @dev Initializes the contract in unpaused state. */ function __Pausable_init() internal onlyInitializing { __Pausable_init_unchained(); } function __Pausable_init_unchained() internal onlyInitializing { _paused = false; } /** * @dev Modifier to make a function callable only when the contract is not paused. * * Requirements: * * - The contract must not be paused. */ modifier whenNotPaused() { _requireNotPaused(); _; } /** * @dev Modifier to make a function callable only when the contract is paused. * * Requirements: * * - The contract must be paused. */ modifier whenPaused() { _requirePaused(); _; } /** * @dev Returns true if the contract is paused, and false otherwise. */ function paused() public view virtual returns (bool) { return _paused; } /** * @dev Throws if the contract is paused. */ function _requireNotPaused() internal view virtual { require(!paused(), "Pausable: paused"); } /** * @dev Throws if the contract is not paused. */ function _requirePaused() internal view virtual { require(paused(), "Pausable: not paused"); } /** * @dev Triggers stopped state. * * Requirements: * * - The contract must not be paused. */ function _pause() internal virtual whenNotPaused { _paused = true; emit Paused(_msgSender()); } /** * @dev Returns to normal state. * * Requirements: * * - The contract must be paused. */ function _unpause() internal virtual whenPaused { _paused = false; emit Unpaused(_msgSender()); } /** * @dev This empty reserved space is put in place to allow future versions to add new * variables without shifting down storage in the inheritance chain. * See https://docs.openzeppelin.com/contracts/4.x/upgradeable#storage_gaps */ uint256[49] private __gap; }
// SPDX-License-Identifier: MIT // OpenZeppelin Contracts (last updated v4.8.1) (proxy/utils/Initializable.sol) pragma solidity ^0.8.2; import "../../utils/AddressUpgradeable.sol"; /** * @dev This is a base contract to aid in writing upgradeable contracts, or any kind of contract that will be deployed * behind a proxy. Since proxied contracts do not make use of a constructor, it's common to move constructor logic to an * external initializer function, usually called `initialize`. It then becomes necessary to protect this initializer * function so it can only be called once. The {initializer} modifier provided by this contract will have this effect. * * The initialization functions use a version number. Once a version number is used, it is consumed and cannot be * reused. This mechanism prevents re-execution of each "step" but allows the creation of new initialization steps in * case an upgrade adds a module that needs to be initialized. * * For example: * * [.hljs-theme-light.nopadding] * ``` * contract MyToken is ERC20Upgradeable { * function initialize() initializer public { * __ERC20_init("MyToken", "MTK"); * } * } * contract MyTokenV2 is MyToken, ERC20PermitUpgradeable { * function initializeV2() reinitializer(2) public { * __ERC20Permit_init("MyToken"); * } * } * ``` * * TIP: To avoid leaving the proxy in an uninitialized state, the initializer function should be called as early as * possible by providing the encoded function call as the `_data` argument to {ERC1967Proxy-constructor}. * * CAUTION: When used with inheritance, manual care must be taken to not invoke a parent initializer twice, or to ensure * that all initializers are idempotent. This is not verified automatically as constructors are by Solidity. * * [CAUTION] * ==== * Avoid leaving a contract uninitialized. * * An uninitialized contract can be taken over by an attacker. This applies to both a proxy and its implementation * contract, which may impact the proxy. To prevent the implementation contract from being used, you should invoke * the {_disableInitializers} function in the constructor to automatically lock it when it is deployed: * * [.hljs-theme-light.nopadding] * ``` * /// @custom:oz-upgrades-unsafe-allow constructor * constructor() { * _disableInitializers(); * } * ``` * ==== */ abstract contract Initializable { /** * @dev Indicates that the contract has been initialized. * @custom:oz-retyped-from bool */ uint8 private _initialized; /** * @dev Indicates that the contract is in the process of being initialized. */ bool private _initializing; /** * @dev Triggered when the contract has been initialized or reinitialized. */ event Initialized(uint8 version); /** * @dev A modifier that defines a protected initializer function that can be invoked at most once. In its scope, * `onlyInitializing` functions can be used to initialize parent contracts. * * Similar to `reinitializer(1)`, except that functions marked with `initializer` can be nested in the context of a * constructor. * * Emits an {Initialized} event. */ modifier initializer() { bool isTopLevelCall = !_initializing; require( (isTopLevelCall && _initialized < 1) || (!AddressUpgradeable.isContract(address(this)) && _initialized == 1), "Initializable: contract is already initialized" ); _initialized = 1; if (isTopLevelCall) { _initializing = true; } _; if (isTopLevelCall) { _initializing = false; emit Initialized(1); } } /** * @dev A modifier that defines a protected reinitializer function that can be invoked at most once, and only if the * contract hasn't been initialized to a greater version before. In its scope, `onlyInitializing` functions can be * used to initialize parent contracts. * * A reinitializer may be used after the original initialization step. This is essential to configure modules that * are added through upgrades and that require initialization. * * When `version` is 1, this modifier is similar to `initializer`, except that functions marked with `reinitializer` * cannot be nested. If one is invoked in the context of another, execution will revert. * * Note that versions can jump in increments greater than 1; this implies that if multiple reinitializers coexist in * a contract, executing them in the right order is up to the developer or operator. * * WARNING: setting the version to 255 will prevent any future reinitialization. * * Emits an {Initialized} event. */ modifier reinitializer(uint8 version) { require(!_initializing && _initialized < version, "Initializable: contract is already initialized"); _initialized = version; _initializing = true; _; _initializing = false; emit Initialized(version); } /** * @dev Modifier to protect an initialization function so that it can only be invoked by functions with the * {initializer} and {reinitializer} modifiers, directly or indirectly. */ modifier onlyInitializing() { require(_initializing, "Initializable: contract is not initializing"); _; } /** * @dev Locks the contract, preventing any future reinitialization. This cannot be part of an initializer call. * Calling this in the constructor of a contract will prevent that contract from being initialized or reinitialized * to any version. It is recommended to use this to lock implementation contracts that are designed to be called * through proxies. * * Emits an {Initialized} event the first time it is successfully executed. */ function _disableInitializers() internal virtual { require(!_initializing, "Initializable: contract is initializing"); if (_initialized < type(uint8).max) { _initialized = type(uint8).max; emit Initialized(type(uint8).max); } } /** * @dev Returns the highest version that has been initialized. See {reinitializer}. */ function _getInitializedVersion() internal view returns (uint8) { return _initialized; } /** * @dev Returns `true` if the contract is currently initializing. See {onlyInitializing}. */ function _isInitializing() internal view returns (bool) { return _initializing; } }
// SPDX-License-Identifier: MIT // OpenZeppelin Contracts v4.4.1 (utils/Context.sol) pragma solidity ^0.8.0; import "../proxy/utils/Initializable.sol"; /** * @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 ContextUpgradeable is Initializable { function __Context_init() internal onlyInitializing { } function __Context_init_unchained() internal onlyInitializing { } function _msgSender() internal view virtual returns (address) { return msg.sender; } function _msgData() internal view virtual returns (bytes calldata) { return msg.data; } /** * @dev This empty reserved space is put in place to allow future versions to add new * variables without shifting down storage in the inheritance chain. * See https://docs.openzeppelin.com/contracts/4.x/upgradeable#storage_gaps */ uint256[50] private __gap; }
// 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 AddressUpgradeable { /** * @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 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); } } }
// SPDX-License-Identifier: MIT // OpenZeppelin Contracts (last updated v4.5.0) (interfaces/draft-IERC1822.sol) pragma solidity ^0.8.0; /** * @dev ERC1822: Universal Upgradeable Proxy Standard (UUPS) documents a method for upgradeability through a simplified * proxy whose upgrades are fully controlled by the current implementation. */ interface IERC1822ProxiableUpgradeable { /** * @dev Returns the storage slot that the proxiable contract assumes is being used to store the implementation * address. * * IMPORTANT: A proxy pointing at a proxiable contract should not be considered proxiable itself, because this risks * bricking a proxy that upgrades to it, by delegating to itself until out of gas. Thus it is critical that this * function revert if invoked through a proxy. */ function proxiableUUID() external view returns (bytes32); }
// SPDX-License-Identifier: MIT // OpenZeppelin Contracts (last updated v4.5.0) (proxy/ERC1967/ERC1967Upgrade.sol) pragma solidity ^0.8.2; import "../beacon/IBeaconUpgradeable.sol"; import "../../interfaces/draft-IERC1822Upgradeable.sol"; import "../../utils/AddressUpgradeable.sol"; import "../../utils/StorageSlotUpgradeable.sol"; import "../utils/Initializable.sol"; /** * @dev This abstract contract provides getters and event emitting update functions for * https://eips.ethereum.org/EIPS/eip-1967[EIP1967] slots. * * _Available since v4.1._ * * @custom:oz-upgrades-unsafe-allow delegatecall */ abstract contract ERC1967UpgradeUpgradeable is Initializable { function __ERC1967Upgrade_init() internal onlyInitializing { } function __ERC1967Upgrade_init_unchained() internal onlyInitializing { } // This is the keccak-256 hash of "eip1967.proxy.rollback" subtracted by 1 bytes32 private constant _ROLLBACK_SLOT = 0x4910fdfa16fed3260ed0e7147f7cc6da11a60208b5b9406d12a635614ffd9143; /** * @dev Storage slot with the address of the current implementation. * This is the keccak-256 hash of "eip1967.proxy.implementation" subtracted by 1, and is * validated in the constructor. */ bytes32 internal constant _IMPLEMENTATION_SLOT = 0x360894a13ba1a3210667c828492db98dca3e2076cc3735a920a3ca505d382bbc; /** * @dev Emitted when the implementation is upgraded. */ event Upgraded(address indexed implementation); /** * @dev Returns the current implementation address. */ function _getImplementation() internal view returns (address) { return StorageSlotUpgradeable.getAddressSlot(_IMPLEMENTATION_SLOT).value; } /** * @dev Stores a new address in the EIP1967 implementation slot. */ function _setImplementation(address newImplementation) private { require(AddressUpgradeable.isContract(newImplementation), "ERC1967: new implementation is not a contract"); StorageSlotUpgradeable.getAddressSlot(_IMPLEMENTATION_SLOT).value = newImplementation; } /** * @dev Perform implementation upgrade * * Emits an {Upgraded} event. */ function _upgradeTo(address newImplementation) internal { _setImplementation(newImplementation); emit Upgraded(newImplementation); } /** * @dev Perform implementation upgrade with additional setup call. * * Emits an {Upgraded} event. */ function _upgradeToAndCall( address newImplementation, bytes memory data, bool forceCall ) internal { _upgradeTo(newImplementation); if (data.length > 0 || forceCall) { _functionDelegateCall(newImplementation, data); } } /** * @dev Perform implementation upgrade with security checks for UUPS proxies, and additional setup call. * * Emits an {Upgraded} event. */ function _upgradeToAndCallUUPS( address newImplementation, bytes memory data, bool forceCall ) internal { // Upgrades from old implementations will perform a rollback test. This test requires the new // implementation to upgrade back to the old, non-ERC1822 compliant, implementation. Removing // this special case will break upgrade paths from old UUPS implementation to new ones. if (StorageSlotUpgradeable.getBooleanSlot(_ROLLBACK_SLOT).value) { _setImplementation(newImplementation); } else { try IERC1822ProxiableUpgradeable(newImplementation).proxiableUUID() returns (bytes32 slot) { require(slot == _IMPLEMENTATION_SLOT, "ERC1967Upgrade: unsupported proxiableUUID"); } catch { revert("ERC1967Upgrade: new implementation is not UUPS"); } _upgradeToAndCall(newImplementation, data, forceCall); } } /** * @dev Storage slot with the admin of the contract. * This is the keccak-256 hash of "eip1967.proxy.admin" subtracted by 1, and is * validated in the constructor. */ bytes32 internal constant _ADMIN_SLOT = 0xb53127684a568b3173ae13b9f8a6016e243e63b6e8ee1178d6a717850b5d6103; /** * @dev Emitted when the admin account has changed. */ event AdminChanged(address previousAdmin, address newAdmin); /** * @dev Returns the current admin. */ function _getAdmin() internal view returns (address) { return StorageSlotUpgradeable.getAddressSlot(_ADMIN_SLOT).value; } /** * @dev Stores a new address in the EIP1967 admin slot. */ function _setAdmin(address newAdmin) private { require(newAdmin != address(0), "ERC1967: new admin is the zero address"); StorageSlotUpgradeable.getAddressSlot(_ADMIN_SLOT).value = newAdmin; } /** * @dev Changes the admin of the proxy. * * Emits an {AdminChanged} event. */ function _changeAdmin(address newAdmin) internal { emit AdminChanged(_getAdmin(), newAdmin); _setAdmin(newAdmin); } /** * @dev The storage slot of the UpgradeableBeacon contract which defines the implementation for this proxy. * This is bytes32(uint256(keccak256('eip1967.proxy.beacon')) - 1)) and is validated in the constructor. */ bytes32 internal constant _BEACON_SLOT = 0xa3f0ad74e5423aebfd80d3ef4346578335a9a72aeaee59ff6cb3582b35133d50; /** * @dev Emitted when the beacon is upgraded. */ event BeaconUpgraded(address indexed beacon); /** * @dev Returns the current beacon. */ function _getBeacon() internal view returns (address) { return StorageSlotUpgradeable.getAddressSlot(_BEACON_SLOT).value; } /** * @dev Stores a new beacon in the EIP1967 beacon slot. */ function _setBeacon(address newBeacon) private { require(AddressUpgradeable.isContract(newBeacon), "ERC1967: new beacon is not a contract"); require( AddressUpgradeable.isContract(IBeaconUpgradeable(newBeacon).implementation()), "ERC1967: beacon implementation is not a contract" ); StorageSlotUpgradeable.getAddressSlot(_BEACON_SLOT).value = newBeacon; } /** * @dev Perform beacon upgrade with additional setup call. Note: This upgrades the address of the beacon, it does * not upgrade the implementation contained in the beacon (see {UpgradeableBeacon-_setImplementation} for that). * * Emits a {BeaconUpgraded} event. */ function _upgradeBeaconToAndCall( address newBeacon, bytes memory data, bool forceCall ) internal { _setBeacon(newBeacon); emit BeaconUpgraded(newBeacon); if (data.length > 0 || forceCall) { _functionDelegateCall(IBeaconUpgradeable(newBeacon).implementation(), data); } } /** * @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) private returns (bytes memory) { require(AddressUpgradeable.isContract(target), "Address: delegate call to non-contract"); // solhint-disable-next-line avoid-low-level-calls (bool success, bytes memory returndata) = target.delegatecall(data); return AddressUpgradeable.verifyCallResult(success, returndata, "Address: low-level delegate call failed"); } /** * @dev This empty reserved space is put in place to allow future versions to add new * variables without shifting down storage in the inheritance chain. * See https://docs.openzeppelin.com/contracts/4.x/upgradeable#storage_gaps */ uint256[50] private __gap; }
// SPDX-License-Identifier: MIT // OpenZeppelin Contracts v4.4.1 (proxy/beacon/IBeacon.sol) pragma solidity ^0.8.0; /** * @dev This is the interface that {BeaconProxy} expects of its beacon. */ interface IBeaconUpgradeable { /** * @dev Must return an address that can be used as a delegate call target. * * {BeaconProxy} will check that this address is a contract. */ function implementation() external view returns (address); }
// SPDX-License-Identifier: MIT // OpenZeppelin Contracts (last updated v4.7.0) (utils/StorageSlot.sol) pragma solidity ^0.8.0; /** * @dev Library for reading and writing primitive types to specific storage slots. * * Storage slots are often used to avoid storage conflict when dealing with upgradeable contracts. * This library helps with reading and writing to such slots without the need for inline assembly. * * The functions in this library return Slot structs that contain a `value` member that can be used to read or write. * * Example usage to set ERC1967 implementation slot: * ``` * contract ERC1967 { * bytes32 internal constant _IMPLEMENTATION_SLOT = 0x360894a13ba1a3210667c828492db98dca3e2076cc3735a920a3ca505d382bbc; * * function _getImplementation() internal view returns (address) { * return StorageSlot.getAddressSlot(_IMPLEMENTATION_SLOT).value; * } * * function _setImplementation(address newImplementation) internal { * require(Address.isContract(newImplementation), "ERC1967: new implementation is not a contract"); * StorageSlot.getAddressSlot(_IMPLEMENTATION_SLOT).value = newImplementation; * } * } * ``` * * _Available since v4.1 for `address`, `bool`, `bytes32`, and `uint256`._ */ library StorageSlotUpgradeable { struct AddressSlot { address value; } struct BooleanSlot { bool value; } struct Bytes32Slot { bytes32 value; } struct Uint256Slot { uint256 value; } /** * @dev Returns an `AddressSlot` with member `value` located at `slot`. */ function getAddressSlot(bytes32 slot) internal pure returns (AddressSlot storage r) { /// @solidity memory-safe-assembly assembly { r.slot := slot } } /** * @dev Returns an `BooleanSlot` with member `value` located at `slot`. */ function getBooleanSlot(bytes32 slot) internal pure returns (BooleanSlot storage r) { /// @solidity memory-safe-assembly assembly { r.slot := slot } } /** * @dev Returns an `Bytes32Slot` with member `value` located at `slot`. */ function getBytes32Slot(bytes32 slot) internal pure returns (Bytes32Slot storage r) { /// @solidity memory-safe-assembly assembly { r.slot := slot } } /** * @dev Returns an `Uint256Slot` with member `value` located at `slot`. */ function getUint256Slot(bytes32 slot) internal pure returns (Uint256Slot storage r) { /// @solidity memory-safe-assembly assembly { r.slot := slot } } }
// SPDX-License-Identifier: MIT // ERC721A Contracts v4.2.3 // Creator: Chiru Labs pragma solidity ^0.8.4; /** * @dev Interface of ERC721A. */ interface IERC721AUpgradeable { /** * The caller must own the token or be an approved operator. */ error ApprovalCallerNotOwnerNorApproved(); /** * The token does not exist. */ error ApprovalQueryForNonexistentToken(); /** * 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(); /** * The `quantity` minted with ERC2309 exceeds the safety limit. */ error MintERC2309QuantityExceedsLimit(); /** * The `extraData` cannot be set on an unintialized ownership slot. */ error OwnershipNotInitializedForExtraData(); // ============================================================= // STRUCTS // ============================================================= struct TokenOwnership { // The address of the owner. address addr; // Stores the start time of ownership with minimal overhead for tokenomics. uint64 startTimestamp; // Whether the token has been burned. bool burned; // Arbitrary data similar to `startTimestamp` that can be set via {_extraData}. uint24 extraData; } // ============================================================= // TOKEN COUNTERS // ============================================================= /** * @dev Returns the total number of tokens in existence. * Burned tokens will reduce the count. * To get the total number of tokens minted, please see {_totalMinted}. */ function totalSupply() external view returns (uint256); // ============================================================= // IERC165 // ============================================================= /** * @dev Returns true if this contract implements the interface defined by * `interfaceId`. See the corresponding * [EIP section](https://eips.ethereum.org/EIPS/eip-165#how-interfaces-are-identified) * to learn more about how these ids are created. * * This function call must use less than 30000 gas. */ function supportsInterface(bytes4 interfaceId) external view returns (bool); // ============================================================= // IERC721 // ============================================================= /** * @dev Emitted when `tokenId` token is transferred from `from` to `to`. */ event Transfer(address indexed from, address indexed to, uint256 indexed tokenId); /** * @dev Emitted when `owner` enables `approved` to manage the `tokenId` token. */ event Approval(address indexed owner, address indexed approved, uint256 indexed tokenId); /** * @dev Emitted when `owner` enables or disables * (`approved`) `operator` to manage all of its assets. */ event ApprovalForAll(address indexed owner, address indexed operator, bool approved); /** * @dev Returns the number of tokens in `owner`'s account. */ function balanceOf(address owner) external view returns (uint256 balance); /** * @dev Returns the owner of the `tokenId` token. * * Requirements: * * - `tokenId` must exist. */ function ownerOf(uint256 tokenId) external view returns (address owner); /** * @dev Safely transfers `tokenId` token from `from` to `to`, * checking first that contract recipients are aware of the ERC721 protocol * to prevent tokens from being forever locked. * * Requirements: * * - `from` cannot be the zero address. * - `to` cannot be the zero address. * - `tokenId` token must exist and be owned by `from`. * - If the caller is not `from`, it must be have been allowed to move * this token by either {approve} or {setApprovalForAll}. * - If `to` refers to a smart contract, it must implement * {IERC721Receiver-onERC721Received}, which is called upon a safe transfer. * * Emits a {Transfer} event. */ function safeTransferFrom( address from, address to, uint256 tokenId, bytes calldata data ) external payable; /** * @dev Equivalent to `safeTransferFrom(from, to, tokenId, '')`. */ function safeTransferFrom( address from, address to, uint256 tokenId ) external payable; /** * @dev Transfers `tokenId` 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 payable; /** * @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 payable; /** * @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); // ============================================================= // IERC721Metadata // ============================================================= /** * @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); // ============================================================= // IERC2309 // ============================================================= /** * @dev Emitted when tokens in `fromTokenId` to `toTokenId` * (inclusive) is transferred from `from` to `to`, as defined in the * [ERC2309](https://eips.ethereum.org/EIPS/eip-2309) standard. * * See {_mintERC2309} for more details. */ event ConsecutiveTransfer(uint256 indexed fromTokenId, uint256 toTokenId, address indexed from, address indexed to); }
// SPDX-License-Identifier: GPL-3.0 pragma solidity 0.8.17; /// @title EIP-721 Metadata Update Extension interface IERC4906 { /// @dev This event emits when the metadata of a token is changed. /// So that the third-party platforms such as NFT market could /// timely update the images and related attributes of the NFT. event MetadataUpdate(uint256 _tokenId); /// @dev This event emits when the metadata of a range of tokens is changed. /// So that the third-party platforms such as NFT market could /// timely update the images and related attributes of the NFTs. event BatchMetadataUpdate(uint256 _fromTokenId, uint256 _toTokenId); }
// SPDX-License-Identifier: GPL-3.0 pragma solidity 0.8.17; /// /// @dev Interface for the NFT Royalty Standard /// interface IERC2981 { /// ERC165 bytes to add to interface array - set in parent contract /// implementing this standard /// /// bytes4(keccak256("royaltyInfo(uint256,uint256)")) == 0x2a55205a /// bytes4 private constant _INTERFACE_ID_ERC2981 = 0x2a55205a; /// _registerInterface(_INTERFACE_ID_ERC2981); /// @notice Called with the sale price to determine how much royalty // is owed and to whom. /// @param _tokenId - the NFT asset queried for royalty information /// @param _salePrice - the sale price of the NFT asset specified by _tokenId /// @return receiver - address of who should be sent the royalty payment /// @return royaltyAmount - the royalty payment amount for _salePrice function royaltyInfo( uint256 _tokenId, uint256 _salePrice ) external view returns (address receiver, uint256 royaltyAmount); }
// SPDX-License-Identifier: MIT // ERC721A Contracts v4.2.3 // Creator: Chiru Labs pragma solidity ^0.8.4; import './IERC721AUpgradeable.sol'; import {ERC721AStorage} from './ERC721AStorage.sol'; import './ERC721A__Initializable.sol'; /** * @dev Interface of ERC721 token receiver. */ interface ERC721A__IERC721ReceiverUpgradeable { function onERC721Received( address operator, address from, uint256 tokenId, bytes calldata data ) external returns (bytes4); } /** * @title ERC721A * * @dev Implementation of the [ERC721](https://eips.ethereum.org/EIPS/eip-721) * Non-Fungible Token Standard, including the Metadata extension. * Optimized for lower gas during batch mints. * * Token IDs are minted in sequential order (e.g. 0, 1, 2, 3, ...) * starting from `_startTokenId()`. * * Assumptions: * * - An owner cannot have more than 2**64 - 1 (max value of uint64) of supply. * - The maximum token ID cannot exceed 2**256 - 1 (max value of uint256). */ contract ERC721AUpgradeable is ERC721A__Initializable, IERC721AUpgradeable { using ERC721AStorage for ERC721AStorage.Layout; // ============================================================= // CONSTANTS // ============================================================= // Mask of an entry in packed address data. uint256 private constant _BITMASK_ADDRESS_DATA_ENTRY = (1 << 64) - 1; // The bit position of `numberMinted` in packed address data. uint256 private constant _BITPOS_NUMBER_MINTED = 64; // The bit position of `numberBurned` in packed address data. uint256 private constant _BITPOS_NUMBER_BURNED = 128; // The bit position of `aux` in packed address data. uint256 private constant _BITPOS_AUX = 192; // Mask of all 256 bits in packed address data except the 64 bits for `aux`. uint256 private constant _BITMASK_AUX_COMPLEMENT = (1 << 192) - 1; // The bit position of `startTimestamp` in packed ownership. uint256 private constant _BITPOS_START_TIMESTAMP = 160; // The bit mask of the `burned` bit in packed ownership. uint256 private constant _BITMASK_BURNED = 1 << 224; // The bit position of the `nextInitialized` bit in packed ownership. uint256 private constant _BITPOS_NEXT_INITIALIZED = 225; // The bit mask of the `nextInitialized` bit in packed ownership. uint256 private constant _BITMASK_NEXT_INITIALIZED = 1 << 225; // The bit position of `extraData` in packed ownership. uint256 private constant _BITPOS_EXTRA_DATA = 232; // Mask of all 256 bits in a packed ownership except the 24 bits for `extraData`. uint256 private constant _BITMASK_EXTRA_DATA_COMPLEMENT = (1 << 232) - 1; // The mask of the lower 160 bits for addresses. uint256 private constant _BITMASK_ADDRESS = (1 << 160) - 1; // The maximum `quantity` that can be minted with {_mintERC2309}. // This limit is to prevent overflows on the address data entries. // For a limit of 5000, a total of 3.689e15 calls to {_mintERC2309} // is required to cause an overflow, which is unrealistic. uint256 private constant _MAX_MINT_ERC2309_QUANTITY_LIMIT = 5000; // The `Transfer` event signature is given by: // `keccak256(bytes("Transfer(address,address,uint256)"))`. bytes32 private constant _TRANSFER_EVENT_SIGNATURE = 0xddf252ad1be2c89b69c2b068fc378daa952ba7f163c4a11628f55a4df523b3ef; // ============================================================= // CONSTRUCTOR // ============================================================= function __ERC721A_init(string memory name_, string memory symbol_) internal onlyInitializingERC721A { __ERC721A_init_unchained(name_, symbol_); } function __ERC721A_init_unchained(string memory name_, string memory symbol_) internal onlyInitializingERC721A { ERC721AStorage.layout()._name = name_; ERC721AStorage.layout()._symbol = symbol_; ERC721AStorage.layout()._currentIndex = _startTokenId(); } // ============================================================= // TOKEN COUNTING OPERATIONS // ============================================================= /** * @dev Returns the starting token ID. * To change the starting token ID, please override this function. */ function _startTokenId() internal view virtual returns (uint256) { return 0; } /** * @dev Returns the next token ID to be minted. */ function _nextTokenId() internal view virtual returns (uint256) { return ERC721AStorage.layout()._currentIndex; } /** * @dev Returns the total number of tokens in existence. * Burned tokens will reduce the count. * To get the total number of tokens minted, please see {_totalMinted}. */ function totalSupply() public view virtual override returns (uint256) { // Counter underflow is impossible as _burnCounter cannot be incremented // more than `_currentIndex - _startTokenId()` times. unchecked { return ERC721AStorage.layout()._currentIndex - ERC721AStorage.layout()._burnCounter - _startTokenId(); } } /** * @dev Returns the total amount of tokens minted in the contract. */ function _totalMinted() internal view virtual returns (uint256) { // Counter underflow is impossible as `_currentIndex` does not decrement, // and it is initialized to `_startTokenId()`. unchecked { return ERC721AStorage.layout()._currentIndex - _startTokenId(); } } /** * @dev Returns the total number of tokens burned. */ function _totalBurned() internal view virtual returns (uint256) { return ERC721AStorage.layout()._burnCounter; } // ============================================================= // ADDRESS DATA OPERATIONS // ============================================================= /** * @dev Returns the number of tokens in `owner`'s account. */ function balanceOf(address owner) public view virtual override returns (uint256) { if (owner == address(0)) revert BalanceQueryForZeroAddress(); return ERC721AStorage.layout()._packedAddressData[owner] & _BITMASK_ADDRESS_DATA_ENTRY; } /** * Returns the number of tokens minted by `owner`. */ function _numberMinted(address owner) internal view returns (uint256) { return (ERC721AStorage.layout()._packedAddressData[owner] >> _BITPOS_NUMBER_MINTED) & _BITMASK_ADDRESS_DATA_ENTRY; } /** * Returns the number of tokens burned by or on behalf of `owner`. */ function _numberBurned(address owner) internal view returns (uint256) { return (ERC721AStorage.layout()._packedAddressData[owner] >> _BITPOS_NUMBER_BURNED) & _BITMASK_ADDRESS_DATA_ENTRY; } /** * Returns the auxiliary data for `owner`. (e.g. number of whitelist mint slots used). */ function _getAux(address owner) internal view returns (uint64) { return uint64(ERC721AStorage.layout()._packedAddressData[owner] >> _BITPOS_AUX); } /** * Sets the auxiliary 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 virtual { uint256 packed = ERC721AStorage.layout()._packedAddressData[owner]; uint256 auxCasted; // Cast `aux` with assembly to avoid redundant masking. assembly { auxCasted := aux } packed = (packed & _BITMASK_AUX_COMPLEMENT) | (auxCasted << _BITPOS_AUX); ERC721AStorage.layout()._packedAddressData[owner] = packed; } // ============================================================= // IERC165 // ============================================================= /** * @dev Returns true if this contract implements the interface defined by * `interfaceId`. See the corresponding * [EIP section](https://eips.ethereum.org/EIPS/eip-165#how-interfaces-are-identified) * to learn more about how these ids are created. * * This function call must use less than 30000 gas. */ function supportsInterface(bytes4 interfaceId) public view virtual override returns (bool) { // The interface IDs are constants representing the first 4 bytes // of the XOR of all function selectors in the interface. // See: [ERC165](https://eips.ethereum.org/EIPS/eip-165) // (e.g. `bytes4(i.functionA.selector ^ i.functionB.selector ^ ...)`) return interfaceId == 0x01ffc9a7 || // ERC165 interface ID for ERC165. interfaceId == 0x80ac58cd || // ERC165 interface ID for ERC721. interfaceId == 0x5b5e139f; // ERC165 interface ID for ERC721Metadata. } // ============================================================= // IERC721Metadata // ============================================================= /** * @dev Returns the token collection name. */ function name() public view virtual override returns (string memory) { return ERC721AStorage.layout()._name; } /** * @dev Returns the token collection symbol. */ function symbol() public view virtual override returns (string memory) { return ERC721AStorage.layout()._symbol; } /** * @dev Returns the Uniform Resource Identifier (URI) for `tokenId` token. */ 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, _toString(tokenId))) : ''; } /** * @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, it can be overridden in child contracts. */ function _baseURI() internal view virtual returns (string memory) { return ''; } // ============================================================= // OWNERSHIPS OPERATIONS // ============================================================= /** * @dev Returns the owner of the `tokenId` token. * * Requirements: * * - `tokenId` must exist. */ function ownerOf(uint256 tokenId) public view virtual override returns (address) { return address(uint160(_packedOwnershipOf(tokenId))); } /** * @dev Gas spent here starts off proportional to the maximum mint batch size. * It gradually moves to O(1) as tokens get transferred around over time. */ function _ownershipOf(uint256 tokenId) internal view virtual returns (TokenOwnership memory) { return _unpackedOwnership(_packedOwnershipOf(tokenId)); } /** * @dev Returns the unpacked `TokenOwnership` struct at `index`. */ function _ownershipAt(uint256 index) internal view virtual returns (TokenOwnership memory) { return _unpackedOwnership(ERC721AStorage.layout()._packedOwnerships[index]); } /** * @dev Initializes the ownership slot minted at `index` for efficiency purposes. */ function _initializeOwnershipAt(uint256 index) internal virtual { if (ERC721AStorage.layout()._packedOwnerships[index] == 0) { ERC721AStorage.layout()._packedOwnerships[index] = _packedOwnershipOf(index); } } /** * Returns the packed ownership data of `tokenId`. */ function _packedOwnershipOf(uint256 tokenId) private view returns (uint256 packed) { if (_startTokenId() <= tokenId) { packed = ERC721AStorage.layout()._packedOwnerships[tokenId]; // If not burned. if (packed & _BITMASK_BURNED == 0) { // If the data at the starting slot does not exist, start the scan. if (packed == 0) { if (tokenId >= ERC721AStorage.layout()._currentIndex) revert OwnerQueryForNonexistentToken(); // Invariant: // There will always be an initialized ownership slot // (i.e. `ownership.addr != address(0) && ownership.burned == false`) // before an unintialized ownership slot // (i.e. `ownership.addr == address(0) && ownership.burned == false`) // Hence, `tokenId` will not underflow. // // We can directly compare the packed value. // If the address is zero, packed will be zero. for (;;) { unchecked { packed = ERC721AStorage.layout()._packedOwnerships[--tokenId]; } if (packed == 0) continue; return packed; } } // Otherwise, the data exists and is not burned. We can skip the scan. // This is possible because we have already achieved the target condition. // This saves 2143 gas on transfers of initialized tokens. return packed; } } revert OwnerQueryForNonexistentToken(); } /** * @dev Returns the unpacked `TokenOwnership` struct from `packed`. */ function _unpackedOwnership(uint256 packed) private pure returns (TokenOwnership memory ownership) { ownership.addr = address(uint160(packed)); ownership.startTimestamp = uint64(packed >> _BITPOS_START_TIMESTAMP); ownership.burned = packed & _BITMASK_BURNED != 0; ownership.extraData = uint24(packed >> _BITPOS_EXTRA_DATA); } /** * @dev Packs ownership data into a single uint256. */ function _packOwnershipData(address owner, uint256 flags) private view returns (uint256 result) { assembly { // Mask `owner` to the lower 160 bits, in case the upper bits somehow aren't clean. owner := and(owner, _BITMASK_ADDRESS) // `owner | (block.timestamp << _BITPOS_START_TIMESTAMP) | flags`. result := or(owner, or(shl(_BITPOS_START_TIMESTAMP, timestamp()), flags)) } } /** * @dev Returns the `nextInitialized` flag set if `quantity` equals 1. */ function _nextInitializedFlag(uint256 quantity) private pure returns (uint256 result) { // For branchless setting of the `nextInitialized` flag. assembly { // `(quantity == 1) << _BITPOS_NEXT_INITIALIZED`. result := shl(_BITPOS_NEXT_INITIALIZED, eq(quantity, 1)) } } // ============================================================= // APPROVAL OPERATIONS // ============================================================= /** * @dev Gives permission to `to` to transfer `tokenId` token to another account. See {ERC721A-_approve}. * * Requirements: * * - The caller must own the token or be an approved operator. */ function approve(address to, uint256 tokenId) public payable virtual override { _approve(to, tokenId, true); } /** * @dev Returns the account approved for `tokenId` token. * * Requirements: * * - `tokenId` must exist. */ function getApproved(uint256 tokenId) public view virtual override returns (address) { if (!_exists(tokenId)) revert ApprovalQueryForNonexistentToken(); return ERC721AStorage.layout()._tokenApprovals[tokenId].value; } /** * @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) public virtual override { ERC721AStorage.layout()._operatorApprovals[_msgSenderERC721A()][operator] = approved; emit ApprovalForAll(_msgSenderERC721A(), operator, approved); } /** * @dev Returns if the `operator` is allowed to manage all of the assets of `owner`. * * See {setApprovalForAll}. */ function isApprovedForAll(address owner, address operator) public view virtual override returns (bool) { return ERC721AStorage.layout()._operatorApprovals[owner][operator]; } /** * @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. See {_mint}. */ function _exists(uint256 tokenId) internal view virtual returns (bool) { return _startTokenId() <= tokenId && tokenId < ERC721AStorage.layout()._currentIndex && // If within bounds, ERC721AStorage.layout()._packedOwnerships[tokenId] & _BITMASK_BURNED == 0; // and not burned. } /** * @dev Returns whether `msgSender` is equal to `approvedAddress` or `owner`. */ function _isSenderApprovedOrOwner( address approvedAddress, address owner, address msgSender ) private pure returns (bool result) { assembly { // Mask `owner` to the lower 160 bits, in case the upper bits somehow aren't clean. owner := and(owner, _BITMASK_ADDRESS) // Mask `msgSender` to the lower 160 bits, in case the upper bits somehow aren't clean. msgSender := and(msgSender, _BITMASK_ADDRESS) // `msgSender == owner || msgSender == approvedAddress`. result := or(eq(msgSender, owner), eq(msgSender, approvedAddress)) } } /** * @dev Returns the storage slot and value for the approved address of `tokenId`. */ function _getApprovedSlotAndAddress(uint256 tokenId) private view returns (uint256 approvedAddressSlot, address approvedAddress) { ERC721AStorage.TokenApprovalRef storage tokenApproval = ERC721AStorage.layout()._tokenApprovals[tokenId]; // The following is equivalent to `approvedAddress = _tokenApprovals[tokenId].value`. assembly { approvedAddressSlot := tokenApproval.slot approvedAddress := sload(approvedAddressSlot) } } // ============================================================= // TRANSFER OPERATIONS // ============================================================= /** * @dev Transfers `tokenId` from `from` to `to`. * * 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 ) public payable virtual override { uint256 prevOwnershipPacked = _packedOwnershipOf(tokenId); if (address(uint160(prevOwnershipPacked)) != from) revert TransferFromIncorrectOwner(); (uint256 approvedAddressSlot, address approvedAddress) = _getApprovedSlotAndAddress(tokenId); // The nested ifs save around 20+ gas over a compound boolean condition. if (!_isSenderApprovedOrOwner(approvedAddress, from, _msgSenderERC721A())) if (!isApprovedForAll(from, _msgSenderERC721A())) revert TransferCallerNotOwnerNorApproved(); if (to == address(0)) revert TransferToZeroAddress(); _beforeTokenTransfers(from, to, tokenId, 1); // Clear approvals from the previous owner. assembly { if approvedAddress { // This is equivalent to `delete _tokenApprovals[tokenId]`. sstore(approvedAddressSlot, 0) } } // 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 { // We can directly increment and decrement the balances. --ERC721AStorage.layout()._packedAddressData[from]; // Updates: `balance -= 1`. ++ERC721AStorage.layout()._packedAddressData[to]; // Updates: `balance += 1`. // Updates: // - `address` to the next owner. // - `startTimestamp` to the timestamp of transfering. // - `burned` to `false`. // - `nextInitialized` to `true`. ERC721AStorage.layout()._packedOwnerships[tokenId] = _packOwnershipData( to, _BITMASK_NEXT_INITIALIZED | _nextExtraData(from, to, prevOwnershipPacked) ); // If the next slot may not have been initialized (i.e. `nextInitialized == false`) . if (prevOwnershipPacked & _BITMASK_NEXT_INITIALIZED == 0) { uint256 nextTokenId = tokenId + 1; // If the next slot's address is zero and not burned (i.e. packed value is zero). if (ERC721AStorage.layout()._packedOwnerships[nextTokenId] == 0) { // If the next slot is within bounds. if (nextTokenId != ERC721AStorage.layout()._currentIndex) { // Initialize the next slot to maintain correctness for `ownerOf(tokenId + 1)`. ERC721AStorage.layout()._packedOwnerships[nextTokenId] = prevOwnershipPacked; } } } } emit Transfer(from, to, tokenId); _afterTokenTransfers(from, to, tokenId, 1); } /** * @dev Equivalent to `safeTransferFrom(from, to, tokenId, '')`. */ function safeTransferFrom( address from, address to, uint256 tokenId ) public payable virtual override { safeTransferFrom(from, to, tokenId, ''); } /** * @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 memory _data ) public payable virtual override { transferFrom(from, to, tokenId); if (to.code.length != 0) if (!_checkContractOnERC721Received(from, to, tokenId, _data)) { revert TransferToNonERC721ReceiverImplementer(); } } /** * @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 {} /** * @dev Private function to invoke {IERC721Receiver-onERC721Received} on a target contract. * * `from` - Previous owner of the given token ID. * `to` - Target address that will receive the token. * `tokenId` - Token ID to be transferred. * `_data` - Optional data to send along with the call. * * Returns whether the call correctly returned the expected magic value. */ function _checkContractOnERC721Received( address from, address to, uint256 tokenId, bytes memory _data ) private returns (bool) { try ERC721A__IERC721ReceiverUpgradeable(to).onERC721Received(_msgSenderERC721A(), from, tokenId, _data) returns (bytes4 retval) { return retval == ERC721A__IERC721ReceiverUpgradeable(to).onERC721Received.selector; } catch (bytes memory reason) { if (reason.length == 0) { revert TransferToNonERC721ReceiverImplementer(); } else { assembly { revert(add(32, reason), mload(reason)) } } } } // ============================================================= // MINT OPERATIONS // ============================================================= /** * @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 for each mint. */ function _mint(address to, uint256 quantity) internal virtual { uint256 startTokenId = ERC721AStorage.layout()._currentIndex; if (quantity == 0) revert MintZeroQuantity(); _beforeTokenTransfers(address(0), to, startTokenId, quantity); // Overflows are incredibly unrealistic. // `balance` and `numberMinted` have a maximum limit of 2**64. // `tokenId` has a maximum limit of 2**256. unchecked { // Updates: // - `balance += quantity`. // - `numberMinted += quantity`. // // We can directly add to the `balance` and `numberMinted`. ERC721AStorage.layout()._packedAddressData[to] += quantity * ((1 << _BITPOS_NUMBER_MINTED) | 1); // Updates: // - `address` to the owner. // - `startTimestamp` to the timestamp of minting. // - `burned` to `false`. // - `nextInitialized` to `quantity == 1`. ERC721AStorage.layout()._packedOwnerships[startTokenId] = _packOwnershipData( to, _nextInitializedFlag(quantity) | _nextExtraData(address(0), to, 0) ); uint256 toMasked; uint256 end = startTokenId + quantity; // Use assembly to loop and emit the `Transfer` event for gas savings. // The duplicated `log4` removes an extra check and reduces stack juggling. // The assembly, together with the surrounding Solidity code, have been // delicately arranged to nudge the compiler into producing optimized opcodes. assembly { // Mask `to` to the lower 160 bits, in case the upper bits somehow aren't clean. toMasked := and(to, _BITMASK_ADDRESS) // Emit the `Transfer` event. log4( 0, // Start of data (0, since no data). 0, // End of data (0, since no data). _TRANSFER_EVENT_SIGNATURE, // Signature. 0, // `address(0)`. toMasked, // `to`. startTokenId // `tokenId`. ) // The `iszero(eq(,))` check ensures that large values of `quantity` // that overflows uint256 will make the loop run out of gas. // The compiler will optimize the `iszero` away for performance. for { let tokenId := add(startTokenId, 1) } iszero(eq(tokenId, end)) { tokenId := add(tokenId, 1) } { // Emit the `Transfer` event. Similar to above. log4(0, 0, _TRANSFER_EVENT_SIGNATURE, 0, toMasked, tokenId) } } if (toMasked == 0) revert MintToZeroAddress(); ERC721AStorage.layout()._currentIndex = end; } _afterTokenTransfers(address(0), to, startTokenId, quantity); } /** * @dev Mints `quantity` tokens and transfers them to `to`. * * This function is intended for efficient minting only during contract creation. * * It emits only one {ConsecutiveTransfer} as defined in * [ERC2309](https://eips.ethereum.org/EIPS/eip-2309), * instead of a sequence of {Transfer} event(s). * * Calling this function outside of contract creation WILL make your contract * non-compliant with the ERC721 standard. * For full ERC721 compliance, substituting ERC721 {Transfer} event(s) with the ERC2309 * {ConsecutiveTransfer} event is only permissible during contract creation. * * Requirements: * * - `to` cannot be the zero address. * - `quantity` must be greater than 0. * * Emits a {ConsecutiveTransfer} event. */ function _mintERC2309(address to, uint256 quantity) internal virtual { uint256 startTokenId = ERC721AStorage.layout()._currentIndex; if (to == address(0)) revert MintToZeroAddress(); if (quantity == 0) revert MintZeroQuantity(); if (quantity > _MAX_MINT_ERC2309_QUANTITY_LIMIT) revert MintERC2309QuantityExceedsLimit(); _beforeTokenTransfers(address(0), to, startTokenId, quantity); // Overflows are unrealistic due to the above check for `quantity` to be below the limit. unchecked { // Updates: // - `balance += quantity`. // - `numberMinted += quantity`. // // We can directly add to the `balance` and `numberMinted`. ERC721AStorage.layout()._packedAddressData[to] += quantity * ((1 << _BITPOS_NUMBER_MINTED) | 1); // Updates: // - `address` to the owner. // - `startTimestamp` to the timestamp of minting. // - `burned` to `false`. // - `nextInitialized` to `quantity == 1`. ERC721AStorage.layout()._packedOwnerships[startTokenId] = _packOwnershipData( to, _nextInitializedFlag(quantity) | _nextExtraData(address(0), to, 0) ); emit ConsecutiveTransfer(startTokenId, startTokenId + quantity - 1, address(0), to); ERC721AStorage.layout()._currentIndex = startTokenId + quantity; } _afterTokenTransfers(address(0), to, startTokenId, 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. * * See {_mint}. * * Emits a {Transfer} event for each mint. */ function _safeMint( address to, uint256 quantity, bytes memory _data ) internal virtual { _mint(to, quantity); unchecked { if (to.code.length != 0) { uint256 end = ERC721AStorage.layout()._currentIndex; uint256 index = end - quantity; do { if (!_checkContractOnERC721Received(address(0), to, index++, _data)) { revert TransferToNonERC721ReceiverImplementer(); } } while (index < end); // Reentrancy protection. if (ERC721AStorage.layout()._currentIndex != end) revert(); } } } /** * @dev Equivalent to `_safeMint(to, quantity, '')`. */ function _safeMint(address to, uint256 quantity) internal virtual { _safeMint(to, quantity, ''); } // ============================================================= // APPROVAL OPERATIONS // ============================================================= /** * @dev Equivalent to `_approve(to, tokenId, false)`. */ function _approve(address to, uint256 tokenId) internal virtual { _approve(to, tokenId, false); } /** * @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: * * - `tokenId` must exist. * * Emits an {Approval} event. */ function _approve( address to, uint256 tokenId, bool approvalCheck ) internal virtual { address owner = ownerOf(tokenId); if (approvalCheck) if (_msgSenderERC721A() != owner) if (!isApprovedForAll(owner, _msgSenderERC721A())) { revert ApprovalCallerNotOwnerNorApproved(); } ERC721AStorage.layout()._tokenApprovals[tokenId].value = to; emit Approval(owner, to, tokenId); } // ============================================================= // BURN OPERATIONS // ============================================================= /** * @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 { uint256 prevOwnershipPacked = _packedOwnershipOf(tokenId); address from = address(uint160(prevOwnershipPacked)); (uint256 approvedAddressSlot, address approvedAddress) = _getApprovedSlotAndAddress(tokenId); if (approvalCheck) { // The nested ifs save around 20+ gas over a compound boolean condition. if (!_isSenderApprovedOrOwner(approvedAddress, from, _msgSenderERC721A())) if (!isApprovedForAll(from, _msgSenderERC721A())) revert TransferCallerNotOwnerNorApproved(); } _beforeTokenTransfers(from, address(0), tokenId, 1); // Clear approvals from the previous owner. assembly { if approvedAddress { // This is equivalent to `delete _tokenApprovals[tokenId]`. sstore(approvedAddressSlot, 0) } } // 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 { // Updates: // - `balance -= 1`. // - `numberBurned += 1`. // // We can directly decrement the balance, and increment the number burned. // This is equivalent to `packed -= 1; packed += 1 << _BITPOS_NUMBER_BURNED;`. ERC721AStorage.layout()._packedAddressData[from] += (1 << _BITPOS_NUMBER_BURNED) - 1; // Updates: // - `address` to the last owner. // - `startTimestamp` to the timestamp of burning. // - `burned` to `true`. // - `nextInitialized` to `true`. ERC721AStorage.layout()._packedOwnerships[tokenId] = _packOwnershipData( from, (_BITMASK_BURNED | _BITMASK_NEXT_INITIALIZED) | _nextExtraData(from, address(0), prevOwnershipPacked) ); // If the next slot may not have been initialized (i.e. `nextInitialized == false`) . if (prevOwnershipPacked & _BITMASK_NEXT_INITIALIZED == 0) { uint256 nextTokenId = tokenId + 1; // If the next slot's address is zero and not burned (i.e. packed value is zero). if (ERC721AStorage.layout()._packedOwnerships[nextTokenId] == 0) { // If the next slot is within bounds. if (nextTokenId != ERC721AStorage.layout()._currentIndex) { // Initialize the next slot to maintain correctness for `ownerOf(tokenId + 1)`. ERC721AStorage.layout()._packedOwnerships[nextTokenId] = prevOwnershipPacked; } } } } emit Transfer(from, address(0), tokenId); _afterTokenTransfers(from, address(0), tokenId, 1); // Overflow not possible, as _burnCounter cannot be exceed _currentIndex times. unchecked { ERC721AStorage.layout()._burnCounter++; } } // ============================================================= // EXTRA DATA OPERATIONS // ============================================================= /** * @dev Directly sets the extra data for the ownership data `index`. */ function _setExtraDataAt(uint256 index, uint24 extraData) internal virtual { uint256 packed = ERC721AStorage.layout()._packedOwnerships[index]; if (packed == 0) revert OwnershipNotInitializedForExtraData(); uint256 extraDataCasted; // Cast `extraData` with assembly to avoid redundant masking. assembly { extraDataCasted := extraData } packed = (packed & _BITMASK_EXTRA_DATA_COMPLEMENT) | (extraDataCasted << _BITPOS_EXTRA_DATA); ERC721AStorage.layout()._packedOwnerships[index] = packed; } /** * @dev Called during each token transfer to set the 24bit `extraData` field. * Intended to be overridden by the cosumer contract. * * `previousExtraData` - the value of `extraData` before transfer. * * 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 _extraData( address from, address to, uint24 previousExtraData ) internal view virtual returns (uint24) {} /** * @dev Returns the next extra data for the packed ownership data. * The returned result is shifted into position. */ function _nextExtraData( address from, address to, uint256 prevOwnershipPacked ) private view returns (uint256) { uint24 extraData = uint24(prevOwnershipPacked >> _BITPOS_EXTRA_DATA); return uint256(_extraData(from, to, extraData)) << _BITPOS_EXTRA_DATA; } // ============================================================= // OTHER OPERATIONS // ============================================================= /** * @dev Returns the message sender (defaults to `msg.sender`). * * If you are writing GSN compatible contracts, you need to override this function. */ function _msgSenderERC721A() internal view virtual returns (address) { return msg.sender; } /** * @dev Converts a uint256 to its ASCII string decimal representation. */ function _toString(uint256 value) internal pure virtual returns (string memory str) { assembly { // The maximum value of a uint256 contains 78 digits (1 byte per digit), but // we allocate 0xa0 bytes to keep the free memory pointer 32-byte word aligned. // We will need 1 word for the trailing zeros padding, 1 word for the length, // and 3 words for a maximum of 78 digits. Total: 5 * 0x20 = 0xa0. let m := add(mload(0x40), 0xa0) // Update the free memory pointer to allocate. mstore(0x40, m) // Assign the `str` to the end. str := sub(m, 0x20) // Zeroize the slot after the string. mstore(str, 0) // Cache the end of the memory to calculate the length later. let end := str // We write the string from rightmost digit to leftmost digit. // The following is essentially a do-while loop that also handles the zero case. // prettier-ignore for { let temp := value } 1 {} { str := sub(str, 1) // Write the character to the pointer. // The ASCII index of the '0' character is 48. mstore8(str, add(48, mod(temp, 10))) // Keep dividing `temp` until zero. temp := div(temp, 10) // prettier-ignore if iszero(temp) { break } } let length := sub(end, str) // Move the pointer 32 bytes leftwards to make room for the length. str := sub(str, 0x20) // Store the length. mstore(str, length) } } }
// SPDX-License-Identifier: MIT pragma solidity ^0.8.0; library ERC721AStorage { // Bypass for a `--via-ir` bug (https://github.com/chiru-labs/ERC721A/pull/364). struct TokenApprovalRef { address value; } struct Layout { // ============================================================= // STORAGE // ============================================================= // The next token ID to be minted. uint256 _currentIndex; // The number of tokens burned. uint256 _burnCounter; // Token name string _name; // Token symbol string _symbol; // Mapping from token ID to ownership details // An empty struct value does not necessarily mean the token is unowned. // See {_packedOwnershipOf} implementation for details. // // Bits Layout: // - [0..159] `addr` // - [160..223] `startTimestamp` // - [224] `burned` // - [225] `nextInitialized` // - [232..255] `extraData` mapping(uint256 => uint256) _packedOwnerships; // Mapping owner address to address data. // // Bits Layout: // - [0..63] `balance` // - [64..127] `numberMinted` // - [128..191] `numberBurned` // - [192..255] `aux` mapping(address => uint256) _packedAddressData; // Mapping from token ID to approved address. mapping(uint256 => ERC721AStorage.TokenApprovalRef) _tokenApprovals; // Mapping from owner to operator approvals mapping(address => mapping(address => bool)) _operatorApprovals; } bytes32 internal constant STORAGE_SLOT = keccak256('ERC721A.contracts.storage.ERC721A'); function layout() internal pure returns (Layout storage l) { bytes32 slot = STORAGE_SLOT; assembly { l.slot := slot } } }
// SPDX-License-Identifier: MIT pragma solidity ^0.8.0; /** * @dev This is a base contract to aid in writing upgradeable diamond facet contracts, or any kind of contract that will be deployed * behind a proxy. Since proxied contracts do not make use of a constructor, it's common to move constructor logic to an * external initializer function, usually called `initialize`. It then becomes necessary to protect this initializer * function so it can only be called once. The {initializer} modifier provided by this contract will have this effect. * * TIP: To avoid leaving the proxy in an uninitialized state, the initializer function should be called as early as * possible by providing the encoded function call as the `_data` argument to {ERC1967Proxy-constructor}. * * CAUTION: When used with inheritance, manual care must be taken to not invoke a parent initializer twice, or to ensure * that all initializers are idempotent. This is not verified automatically as constructors are by Solidity. */ import {ERC721A__InitializableStorage} from './ERC721A__InitializableStorage.sol'; abstract contract ERC721A__Initializable { using ERC721A__InitializableStorage for ERC721A__InitializableStorage.Layout; /** * @dev Modifier to protect an initializer function from being invoked twice. */ modifier initializerERC721A() { // If the contract is initializing we ignore whether _initialized is set in order to support multiple // inheritance patterns, but we only do this in the context of a constructor, because in other contexts the // contract may have been reentered. require( ERC721A__InitializableStorage.layout()._initializing ? _isConstructor() : !ERC721A__InitializableStorage.layout()._initialized, 'ERC721A__Initializable: contract is already initialized' ); bool isTopLevelCall = !ERC721A__InitializableStorage.layout()._initializing; if (isTopLevelCall) { ERC721A__InitializableStorage.layout()._initializing = true; ERC721A__InitializableStorage.layout()._initialized = true; } _; if (isTopLevelCall) { ERC721A__InitializableStorage.layout()._initializing = false; } } /** * @dev Modifier to protect an initialization function so that it can only be invoked by functions with the * {initializer} modifier, directly or indirectly. */ modifier onlyInitializingERC721A() { require( ERC721A__InitializableStorage.layout()._initializing, 'ERC721A__Initializable: contract is not initializing' ); _; } /// @dev Returns true if and only if the function is running in the constructor function _isConstructor() private view returns (bool) { // extcodesize checks the size of the code stored in an address, and // address returns the current address. Since the code is still not // deployed when running a constructor, any checks on its code size will // yield zero, making it an effective way to detect if a contract is // under construction or not. address self = address(this); uint256 cs; assembly { cs := extcodesize(self) } return cs == 0; } }
// SPDX-License-Identifier: MIT pragma solidity ^0.8.0; /** * @dev This is a base storage for the initialization function for upgradeable diamond facet contracts **/ library ERC721A__InitializableStorage { struct Layout { /* * Indicates that the contract has been initialized. */ bool _initialized; /* * Indicates that the contract is in the process of being initialized. */ bool _initializing; } bytes32 internal constant STORAGE_SLOT = keccak256('ERC721A.contracts.storage.initializable.facet'); function layout() internal pure returns (Layout storage l) { bytes32 slot = STORAGE_SLOT; assembly { l.slot := slot } } }
// SPDX-License-Identifier: GPL-3.0 pragma solidity 0.8.17; import {MerkleProof} from "@openzeppelin/contracts/utils/cryptography/MerkleProof.sol"; import {BitMaps} from "@openzeppelin/contracts/utils/structs/BitMaps.sol"; import {SafeERC20} from "@openzeppelin/contracts/token/ERC20/utils/SafeERC20.sol"; import {Ownable} from "@openzeppelin/contracts/access/Ownable.sol"; import {IRewardDistributor} from "src/interfaces/IRewardDistributor.sol"; contract RewardDistributor is IRewardDistributor, Ownable { using BitMaps for BitMaps.BitMap; bytes32 public merkleRoot; uint256 public claimPeriodEnds; BitMaps.BitMap private claimed; constructor(address owner_) { _transferOwnership(owner_); } /** * @dev Claims airdropped tokens. * @param amount The amount of the claim being made. * @param merkleProof A merkle proof proving the claim is valid. */ function claimTokens( uint256 amount, bytes32[] calldata merkleProof ) external { if (block.timestamp >= claimPeriodEnds) { revert ClaimPeriodNotStartOrEnd(); } if (amount > (address(this)).balance) { revert AmountExceedBalance(); } // bytes32 leaf = keccak256(abi.encodePacked(msg.sender, amount)); bytes32 leaf = keccak256( bytes.concat(keccak256(abi.encode(msg.sender, amount))) ); bool valid = MerkleProof.verify(merkleProof, merkleRoot, leaf); if (!valid) { revert InvalidProof(); } if (isClaimed(uint160(_msgSender()))) { revert AlreadyClaimed(); } claimed.set(uint160(_msgSender())); payable(msg.sender).transfer(amount); emit Claim(msg.sender, amount); } /** * @dev Returns true if the claim at the given index in the merkle tree has already been made. * @param index The index into the merkle tree. */ function isClaimed(uint256 index) public view returns (bool) { return claimed.get(index); } /** * @dev Sets the merkle root. * @param newMerkleRoot The merkle root to set. */ function setMerkleRoot(bytes32 newMerkleRoot) external onlyOwner { if (merkleRoot != bytes32(0)) { revert RootSetTwice(); } if (newMerkleRoot == bytes32(0)) { revert ZeroRootSet(); } merkleRoot = newMerkleRoot; emit MerkleRootChanged(merkleRoot); } /** * @dev Sets the claim period ends. * @param claimPeriodEnds_ The merkle root to set. */ function setClaimPeriodEnds(uint256 claimPeriodEnds_) external onlyOwner { if (claimPeriodEnds_ <= block.timestamp) { revert InvalidTimestap(); } claimPeriodEnds = claimPeriodEnds_; emit ClaimPeriodEndsChanged(claimPeriodEnds); } /** * @dev withdraw remaining native tokens. */ function withdraw(address to) external onlyOwner { uint256 balance = (address(this)).balance; payable(to).transfer(balance); emit WithDrawn(to, balance); } /** * @dev receive native token as reward */ receive() external payable {} }
// 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) } } }
// SPDX-License-Identifier: MIT // OpenZeppelin Contracts (last updated v4.8.0) (utils/structs/BitMaps.sol) pragma solidity ^0.8.0; /** * @dev Library for managing uint256 to bool mapping in a compact and efficient way, providing the keys are sequential. * Largely inspired by Uniswap's https://github.com/Uniswap/merkle-distributor/blob/master/contracts/MerkleDistributor.sol[merkle-distributor]. */ library BitMaps { struct BitMap { mapping(uint256 => uint256) _data; } /** * @dev Returns whether the bit at `index` is set. */ function get(BitMap storage bitmap, uint256 index) internal view returns (bool) { uint256 bucket = index >> 8; uint256 mask = 1 << (index & 0xff); return bitmap._data[bucket] & mask != 0; } /** * @dev Sets the bit at `index` to the boolean `value`. */ function setTo( BitMap storage bitmap, uint256 index, bool value ) internal { if (value) { set(bitmap, index); } else { unset(bitmap, index); } } /** * @dev Sets the bit at `index`. */ function set(BitMap storage bitmap, uint256 index) internal { uint256 bucket = index >> 8; uint256 mask = 1 << (index & 0xff); bitmap._data[bucket] |= mask; } /** * @dev Unsets the bit at `index`. */ function unset(BitMap storage bitmap, uint256 index) internal { uint256 bucket = index >> 8; uint256 mask = 1 << (index & 0xff); bitmap._data[bucket] &= ~mask; } }
// SPDX-License-Identifier: GPL-3.0-only pragma solidity 0.8.17; interface IRewardDistributorDef { error ZeroAddressSet(); error ClaimPeriodNotStartOrEnd(); error AmountExceedBalance(); error InvalidProof(); error AlreadyClaimed(); error RootSetTwice(); error ZeroRootSet(); error InvalidTimestap(); event Claim(address indexed claimant, uint256 amount); event MerkleRootChanged(bytes32 merkleRoot); event ClaimPeriodEndsChanged(uint256 claimPeriodEnds); event WithDrawn(address dest, uint256 amount); } interface IRewardDistributor is IRewardDistributorDef {}
// SPDX-License-Identifier: GPL-3.0-only pragma solidity 0.8.17; import "@openzeppelin/contracts/utils/cryptography/MerkleProof.sol"; import "@openzeppelin/contracts/utils/structs/BitMaps.sol"; import "@openzeppelin/contracts/token/ERC20/IERC20.sol"; import "@openzeppelin/contracts/token/ERC20/utils/SafeERC20.sol"; import "@p12/contracts-lib/contracts/access/SafeOwnable.sol"; import "src/interfaces/IRewardDistributor.sol"; contract RewardERC20Distributor is IRewardDistributor, SafeOwnable { using BitMaps for BitMaps.BitMap; using SafeERC20 for IERC20; bytes32 public merkleRoot; IERC20 public immutable rewardToken; uint256 public claimPeriodEnds; BitMaps.BitMap private claimed; constructor(address owner_, IERC20 rewardToken_) SafeOwnable(owner_) { if (owner_ == address(0) || address(rewardToken_) == address(0)) { revert ZeroAddressSet(); } rewardToken = rewardToken_; } /** * @dev Claims airdropped tokens. * @param amount The amount of the claim being made. * @param merkleProof A merkle proof proving the claim is valid. */ function claimTokens( uint256 amount, bytes32[] calldata merkleProof ) external { if (block.timestamp >= claimPeriodEnds) { revert ClaimPeriodNotStartOrEnd(); } if (amount > rewardToken.balanceOf(address(this))) { revert AmountExceedBalance(); } bytes32 leaf = keccak256( bytes.concat(keccak256(abi.encode(msg.sender, amount))) ); bool valid = MerkleProof.verify(merkleProof, merkleRoot, leaf); if (!valid) { revert InvalidProof(); } if (isClaimed(_msgSender())) { revert AlreadyClaimed(); } claimed.set(uint160(_msgSender())); rewardToken.safeTransfer(msg.sender, amount); emit Claim(msg.sender, amount); } /** * @dev Returns true if the claim at the given index in the merkle tree has already been made. * @param account address of account */ function isClaimed(address account) public view returns (bool) { return claimed.get(uint160(account)); } /** * @dev Sets the merkle root. * @param newMerkleRoot The merkle root to set. */ function setMerkleRoot(bytes32 newMerkleRoot) external onlyOwner { if (merkleRoot != bytes32(0)) { revert RootSetTwice(); } if (newMerkleRoot == bytes32(0)) { revert ZeroRootSet(); } merkleRoot = newMerkleRoot; emit MerkleRootChanged(merkleRoot); } /** * @dev Sets the claim period ends. * @param claimPeriodEnds_ The merkle root to set. */ function setClaimPeriodEnds(uint256 claimPeriodEnds_) external onlyOwner { if (claimPeriodEnds_ <= block.timestamp) { revert InvalidTimestap(); } claimPeriodEnds = claimPeriodEnds_; emit ClaimPeriodEndsChanged(claimPeriodEnds); } /** * @dev withdraw remaining native tokens. */ function withdraw(address to) external onlyOwner { uint256 balance = rewardToken.balanceOf(address(this)); rewardToken.safeTransfer(to, balance); emit WithDrawn(to, balance); } }
// SPDX-License-Identifier: MIT // Thanks Yos Riady // Refer to https://github.com/boringcrypto/BoringSolidity/blob/master/contracts/BoringOwnable.sol // https://github.com/OpenZeppelin/openzeppelin-contracts/blob/master/contracts/access/Ownable.sol pragma solidity ^0.8.0; import "@openzeppelin/contracts/utils/Context.sol"; contract SafeOwnable is Context { error CallerNotOwner(); error ZeroAddressOwnerSet(); error CallerNotPendingOwner(); address private _owner; address private _pendingOwner; event OwnershipTransferred( address indexed previousOwner, address indexed newOwner ); /** * @dev Initializes the contract setting the deployer as the initial owner. */ constructor(address owner_) { _transferOwnership(owner_); } /** * @dev Returns the address of the current owner. */ function owner() public view virtual returns (address) { return _owner; } /** * @dev Return the address of the pending owner */ function pendingOwner() public view virtual returns (address) { return _pendingOwner; } /** * @dev Throws if called by any account other than the owner. */ modifier onlyOwner() { if (owner() != _msgSender()) { revert CallerNotOwner(); } _; } /** * @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. * Note If direct is false, it will set an pending owner and the OwnerShipTransferring * only happens when the pending owner claim the ownership */ function transferOwnership( address newOwner, bool direct ) public virtual onlyOwner { if (newOwner == address(0)) { revert ZeroAddressOwnerSet(); } if (direct) { _transferOwnership(newOwner); } else { _transferPendingOwnership(newOwner); } } /** * @dev pending owner call this function to claim ownership */ function claimOwnership() public { if (msg.sender != _pendingOwner) { revert CallerNotPendingOwner(); } _claimOwnership(); } /** * @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); } /** * @dev set the pending owner address * Internal function without access restriction. */ function _transferPendingOwnership(address newOwner) internal virtual { _pendingOwner = newOwner; } /** * @dev claim ownership of the contract to a new account (`newOwner`). * Internal function without access restriction. */ function _claimOwnership() internal virtual { address oldOwner = _owner; emit OwnershipTransferred(oldOwner, _pendingOwner); _owner = _pendingOwner; _pendingOwner = address(0); } }
// SPDX-License-Identifier: GPL-3.0 pragma solidity 0.8.17; import "src/PiggyBank.sol"; contract PiggyBankMock is PiggyBank {}
// SPDX-License-Identifier: GPL-3.0 pragma solidity 0.8.17; import {RBT} from "src/RBT.sol"; contract RBTDup is RBT {}
// SPDX-License-Identifier: GPL-3.0 pragma solidity 0.8.17; import "src/RBT.sol"; contract DeprecatedRBT is RBT { error InvalidShortString(); function updateERC20MetaData( string memory name, string memory symbol ) external onlyOwner { if (bytes(name).length < 32 && bytes(symbol).length < 32) { bytes32 nameBytes32 = _completeShortStringToBytes32(bytes(name)); bytes32 symbolBytes32 = _completeShortStringToBytes32( bytes(symbol) ); assembly { sstore(0x36, nameBytes32) sstore(0x37, symbolBytes32) } } else { revert InvalidShortString(); } } function _completeShortStringToBytes32( bytes memory stringBytes ) internal pure returns (bytes32) { if (stringBytes.length < 32) { bytes memory re = new bytes(32); for (uint256 i = 0; i < stringBytes.length; i++) { re[i] = stringBytes[i]; } re[31] = bytes1(uint8(stringBytes.length * 2)); return bytes32(abi.encodePacked(re)); } else { revert InvalidShortString(); } } }
{ "optimizer": { "enabled": true, "runs": 200 }, "outputSelection": { "*": { "*": [ "evm.bytecode", "evm.deployedBytecode", "devdoc", "userdoc", "metadata", "abi" ] } }, "metadata": { "useLiteralContent": true }, "libraries": {} }
Contract Security Audit
- No Contract Security Audit Submitted- Submit Audit Here
[{"inputs":[],"name":"ApprovalCallerNotOwnerNorApproved","type":"error"},{"inputs":[],"name":"ApprovalQueryForNonexistentToken","type":"error"},{"inputs":[],"name":"BalanceQueryForZeroAddress","type":"error"},{"inputs":[],"name":"CallerNotOwner","type":"error"},{"inputs":[],"name":"CallerNotPendingOwner","type":"error"},{"inputs":[],"name":"MintERC2309QuantityExceedsLimit","type":"error"},{"inputs":[],"name":"MintToZeroAddress","type":"error"},{"inputs":[],"name":"MintZeroQuantity","type":"error"},{"inputs":[],"name":"OnlyManager","type":"error"},{"inputs":[],"name":"OwnerQueryForNonexistentToken","type":"error"},{"inputs":[],"name":"OwnershipNotInitializedForExtraData","type":"error"},{"inputs":[],"name":"TransferCallerNotOwnerNorApproved","type":"error"},{"inputs":[],"name":"TransferFromIncorrectOwner","type":"error"},{"inputs":[],"name":"TransferToNonERC721ReceiverImplementer","type":"error"},{"inputs":[],"name":"TransferToZeroAddress","type":"error"},{"inputs":[],"name":"URIQueryForNonexistentToken","type":"error"},{"inputs":[],"name":"ZeroAddressOwnerSet","type":"error"},{"inputs":[],"name":"ZeroAddressSet","type":"error"},{"anonymous":false,"inputs":[{"indexed":false,"internalType":"address","name":"previousAdmin","type":"address"},{"indexed":false,"internalType":"address","name":"newAdmin","type":"address"}],"name":"AdminChanged","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":"uint256","name":"_fromTokenId","type":"uint256"},{"indexed":false,"internalType":"uint256","name":"_toTokenId","type":"uint256"}],"name":"BatchMetadataUpdate","type":"event"},{"anonymous":false,"inputs":[{"indexed":true,"internalType":"address","name":"beacon","type":"address"}],"name":"BeaconUpgraded","type":"event"},{"anonymous":false,"inputs":[{"indexed":true,"internalType":"uint256","name":"fromTokenId","type":"uint256"},{"indexed":false,"internalType":"uint256","name":"toTokenId","type":"uint256"},{"indexed":true,"internalType":"address","name":"from","type":"address"},{"indexed":true,"internalType":"address","name":"to","type":"address"}],"name":"ConsecutiveTransfer","type":"event"},{"anonymous":false,"inputs":[{"indexed":false,"internalType":"uint8","name":"version","type":"uint8"}],"name":"Initialized","type":"event"},{"anonymous":false,"inputs":[{"indexed":true,"internalType":"uint256","name":"tokenId","type":"uint256"},{"indexed":false,"internalType":"uint256","name":"level","type":"uint256"}],"name":"LevelSet","type":"event"},{"anonymous":false,"inputs":[{"indexed":false,"internalType":"uint256","name":"_tokenId","type":"uint256"}],"name":"MetadataUpdate","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":false,"internalType":"address","name":"receiver","type":"address"},{"indexed":false,"internalType":"uint256","name":"percent","type":"uint256"}],"name":"RoyaltyInfoSet","type":"event"},{"anonymous":false,"inputs":[{"indexed":false,"internalType":"string","name":"baseURI","type":"string"}],"name":"SetBaseURI","type":"event"},{"anonymous":false,"inputs":[{"indexed":false,"internalType":"address","name":"manager","type":"address"}],"name":"SetManager","type":"event"},{"anonymous":false,"inputs":[{"indexed":false,"internalType":"uint256","name":"tokenId","type":"uint256"},{"components":[{"internalType":"uint16","name":"nameId","type":"uint16"},{"internalType":"uint16","name":"rarity","type":"uint16"},{"internalType":"uint16","name":"tokenType","type":"uint16"}],"indexed":false,"internalType":"struct IDegenNFTDefination.Property","name":"properties","type":"tuple"}],"name":"SetProperties","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":true,"internalType":"address","name":"implementation","type":"address"}],"name":"Upgraded","type":"event"},{"inputs":[],"name":"PERCENTAGE_BASE","outputs":[{"internalType":"uint256","name":"","type":"uint256"}],"stateMutability":"view","type":"function"},{"inputs":[{"internalType":"address","name":"to","type":"address"},{"internalType":"uint256","name":"tokenId","type":"uint256"}],"name":"approve","outputs":[],"stateMutability":"payable","type":"function"},{"inputs":[{"internalType":"address","name":"owner","type":"address"}],"name":"balanceOf","outputs":[{"internalType":"uint256","name":"","type":"uint256"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"baseURI","outputs":[{"internalType":"string","name":"","type":"string"}],"stateMutability":"view","type":"function"},{"inputs":[{"internalType":"uint256","name":"tokenId","type":"uint256"}],"name":"burn","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[],"name":"claimOwnership","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"uint16","name":"property","type":"uint16"}],"name":"decodeProperty","outputs":[{"internalType":"uint16","name":"nameId","type":"uint16"},{"internalType":"uint16","name":"rarity","type":"uint16"},{"internalType":"uint16","name":"tokenType","type":"uint16"}],"stateMutability":"pure","type":"function"},{"inputs":[{"internalType":"uint256","name":"tokenId","type":"uint256"}],"name":"emitMetadataUpdate","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[],"name":"emitMetadataUpdate","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"components":[{"internalType":"uint16","name":"nameId","type":"uint16"},{"internalType":"uint16","name":"rarity","type":"uint16"},{"internalType":"uint16","name":"tokenType","type":"uint16"}],"internalType":"struct IDegenNFTDefination.Property","name":"property_","type":"tuple"}],"name":"encodeProperty","outputs":[{"internalType":"uint16","name":"property","type":"uint16"}],"stateMutability":"pure","type":"function"},{"inputs":[{"internalType":"uint256","name":"tokenId","type":"uint256"}],"name":"exists","outputs":[{"internalType":"bool","name":"","type":"bool"}],"stateMutability":"view","type":"function"},{"inputs":[{"internalType":"uint256","name":"tokenId","type":"uint256"}],"name":"getApproved","outputs":[{"internalType":"address","name":"","type":"address"}],"stateMutability":"view","type":"function"},{"inputs":[{"internalType":"uint256","name":"tokenId","type":"uint256"}],"name":"getLevel","outputs":[{"internalType":"uint256","name":"","type":"uint256"}],"stateMutability":"view","type":"function"},{"inputs":[{"internalType":"uint256","name":"tokenId","type":"uint256"}],"name":"getProperty","outputs":[{"components":[{"internalType":"uint16","name":"nameId","type":"uint16"},{"internalType":"uint16","name":"rarity","type":"uint16"},{"internalType":"uint16","name":"tokenType","type":"uint16"}],"internalType":"struct IDegenNFTDefination.Property","name":"","type":"tuple"}],"stateMutability":"view","type":"function"},{"inputs":[{"internalType":"string","name":"name_","type":"string"},{"internalType":"string","name":"symbol_","type":"string"},{"internalType":"address","name":"owner_","type":"address"}],"name":"initialize","outputs":[],"stateMutability":"nonpayable","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":"manager","outputs":[{"internalType":"address","name":"","type":"address"}],"stateMutability":"view","type":"function"},{"inputs":[{"internalType":"address","name":"to","type":"address"},{"internalType":"uint256","name":"quantity","type":"uint256"}],"name":"mint","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[],"name":"name","outputs":[{"internalType":"string","name":"","type":"string"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"nextTokenId","outputs":[{"internalType":"uint256","name":"","type":"uint256"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"owner","outputs":[{"internalType":"address","name":"","type":"address"}],"stateMutability":"view","type":"function"},{"inputs":[{"internalType":"uint256","name":"tokenId","type":"uint256"}],"name":"ownerOf","outputs":[{"internalType":"address","name":"","type":"address"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"pendingOwner","outputs":[{"internalType":"address","name":"","type":"address"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"proxiableUUID","outputs":[{"internalType":"bytes32","name":"","type":"bytes32"}],"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":"receiver","type":"address"},{"internalType":"uint256","name":"royaltyAmount","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":"payable","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":"payable","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":"baseURI_","type":"string"}],"name":"setBaseURI","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"uint256","name":"bucket","type":"uint256"},{"internalType":"uint256","name":"compactData","type":"uint256"}],"name":"setBucket","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"uint256","name":"tokenId","type":"uint256"},{"internalType":"uint256","name":"level","type":"uint256"}],"name":"setLevel","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"address","name":"manager_","type":"address"}],"name":"setManager","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"uint256","name":"tokenId","type":"uint256"},{"components":[{"internalType":"uint16","name":"nameId","type":"uint16"},{"internalType":"uint16","name":"rarity","type":"uint16"},{"internalType":"uint16","name":"tokenType","type":"uint16"}],"internalType":"struct IDegenNFTDefination.Property","name":"property_","type":"tuple"}],"name":"setProperties","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"address","name":"receiver","type":"address"},{"internalType":"uint96","name":"percent","type":"uint96"}],"name":"setRoyaltyInfo","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"bytes4","name":"interfaceId","type":"bytes4"}],"name":"supportsInterface","outputs":[{"internalType":"bool","name":"","type":"bool"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"symbol","outputs":[{"internalType":"string","name":"","type":"string"}],"stateMutability":"view","type":"function"},{"inputs":[{"internalType":"uint256","name":"tokenId","type":"uint256"}],"name":"tokenURI","outputs":[{"internalType":"string","name":"","type":"string"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"totalMinted","outputs":[{"internalType":"uint256","name":"","type":"uint256"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"totalSupply","outputs":[{"internalType":"uint256","name":"","type":"uint256"}],"stateMutability":"view","type":"function"},{"inputs":[{"internalType":"address","name":"from","type":"address"},{"internalType":"address","name":"to","type":"address"},{"internalType":"uint256","name":"tokenId","type":"uint256"}],"name":"transferFrom","outputs":[],"stateMutability":"payable","type":"function"},{"inputs":[{"internalType":"address","name":"newOwner","type":"address"},{"internalType":"bool","name":"direct","type":"bool"}],"name":"transferOwnership","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"address","name":"newImplementation","type":"address"}],"name":"upgradeTo","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"address","name":"newImplementation","type":"address"},{"internalType":"bytes","name":"data","type":"bytes"}],"name":"upgradeToAndCall","outputs":[],"stateMutability":"payable","type":"function"}]
Contract Creation Code
60a06040523060805234801561001457600080fd5b5060805161311761004c60003960008181610ff5015281816110350152818161114c0152818161118c015261122601526131176000f3fe6080604052600436106102675760003560e01c80636352211e11610144578063a2309ff8116100b6578063d0ebdbe71161007a578063d0ebdbe7146106e7578063dcc70d9614610707578063e30c39781461075e578063e985e9c51461077c578063fea5137c1461079c578063ff2fd1cb146107f257600080fd5b8063a2309ff81461065f578063b220330814610674578063b242e53414610694578063b88d4fde146106b4578063c87b56dd146106c757600080fd5b806375794a3c1161010857806375794a3c146105c157806386481d40146105d657806387c13943146105f65780638da5cb5b1461060c57806395d89b411461062a578063a22cb4651461063f57600080fd5b80636352211e146105375780636c0360eb1461055757806370a082311461056c57806370a93b361461058c578063715018a6146105ac57600080fd5b80633659cfe6116101dd5780634e71e0c8116101a15780634e71e0c8146104a55780634f1ef286146104ba5780634f558e79146104cd57806352d1902d146104ed57806355f804b3146105025780636330674d1461052257600080fd5b80633659cfe61461041257806340c10f191461043257806342842e0e1461045257806342966c6814610465578063481c6a751461048557600080fd5b8063095ea7b31161022f578063095ea7b31461033d57806318160ddd1461035057806323b872dd146103735780632a55205a146103865780633190b9ea146103c557806332665ffb146103e557600080fd5b806301ffc9a71461026c57806302fa7c47146102a157806306fdde03146102c3578063077f224a146102e5578063081812fc14610305575b600080fd5b34801561027857600080fd5b5061028c61028736600461264b565b610812565b60405190151581526020015b60405180910390f35b3480156102ad57600080fd5b506102c16102bc36600461267f565b61087f565b005b3480156102cf57600080fd5b506102d861090a565b6040516102989190612712565b3480156102f157600080fd5b506102c161030036600461276e565b6109a5565b34801561031157600080fd5b506103256103203660046127ef565b610c3b565b6040516001600160a01b039091168152602001610298565b6102c161034b366004612808565b610c88565b34801561035c57600080fd5b50610365610c98565b604051908152602001610298565b6102c1610381366004612832565b610cb8565b34801561039257600080fd5b506103a66103a136600461286e565b610eb7565b604080516001600160a01b039093168352602083019190915201610298565b3480156103d157600080fd5b506102c16103e03660046127ef565b610ef9565b3480156103f157600080fd5b506104056104003660046127ef565b610f30565b6040516102989190612890565b34801561041e57600080fd5b506102c161042d3660046128bb565b610feb565b34801561043e57600080fd5b506102c161044d366004612808565b6110ca565b6102c1610460366004612832565b6110dc565b34801561047157600080fd5b506102c16104803660046127ef565b6110fc565b34801561049157600080fd5b5060ca54610325906001600160a01b031681565b3480156104b157600080fd5b506102c161110d565b6102c16104c8366004612979565b611142565b3480156104d957600080fd5b5061028c6104e83660046127ef565b61120e565b3480156104f957600080fd5b50610365611219565b34801561050e57600080fd5b506102c161051d3660046129c7565b6112cc565b34801561052e57600080fd5b506102c1611336565b34801561054357600080fd5b506103256105523660046127ef565b611373565b34801561056357600080fd5b506102d861137e565b34801561057857600080fd5b506103656105873660046128bb565b61140c565b34801561059857600080fd5b506102c16105a736600461286e565b611475565b3480156105b857600080fd5b506102c161153b565b3480156105cd57600080fd5b50610365611570565b3480156105e257600080fd5b506103656105f13660046127ef565b61157f565b34801561060257600080fd5b5061036561271081565b34801561061857600080fd5b506033546001600160a01b0316610325565b34801561063657600080fd5b506102d86115d4565b34801561064b57600080fd5b506102c161065a366004612a09565b6115ec565b34801561066b57600080fd5b50610365611669565b34801561068057600080fd5b506102c161068f366004612abb565b611673565b3480156106a057600080fd5b506102c16106af366004612a09565b611796565b6102c16106c2366004612adf565b611816565b3480156106d357600080fd5b506102d86106e23660046127ef565b611860565b3480156106f357600080fd5b506102c16107023660046128bb565b611891565b34801561071357600080fd5b50610739610722366004612b47565b600481901c610fff1691600182811c600716921690565b6040805161ffff94851681529284166020840152921691810191909152606001610298565b34801561076a57600080fd5b506034546001600160a01b0316610325565b34801561078857600080fd5b5061028c610797366004612b62565b611931565b3480156107a857600080fd5b506107df6107b7366004612b8c565b8051602082015160409092015160039190911b61fff81661ffff9092169190911760011b1790565b60405161ffff9091168152602001610298565b3480156107fe57600080fd5b506102c161080d36600461286e565b61196e565b60006301ffc9a760e01b6001600160e01b03198316148061084357506380ac58cd60e01b6001600160e01b03198316145b8061085e5750635b5e139f60e01b6001600160e01b03198316145b80610879575063152a902d60e11b6001600160e01b03198316145b92915050565b6033546001600160a01b031633146108aa57604051632e6c18c960e11b815260040160405180910390fd5b6001600160a01b038216600160a01b6001600160601b038316908102821760cd556040805192835260208301919091527f984cbbb47b413608120ad6b444ea0004fe19b6f88a5c0992e612b97fd3cb631e91015b60405180910390a15050565b6060610914611988565b600201805461092290612ba8565b80601f016020809104026020016040519081016040528092919081815260200182805461094e90612ba8565b801561099b5780601f106109705761010080835404028352916020019161099b565b820191906000526020600020905b81548152906001019060200180831161097e57829003601f168201915b5050505050905090565b6000805160206130c283398151915254610100900460ff166109da576000805160206130c28339815191525460ff16156109de565b303b155b610a555760405162461bcd60e51b815260206004820152603760248201527f455243373231415f5f496e697469616c697a61626c653a20636f6e747261637460448201527f20697320616c726561647920696e697469616c697a656400000000000000000060648201526084015b60405180910390fd5b6000805160206130c283398151915254610100900460ff16158015610a91576000805160206130c2833981519152805461ffff19166101011790555b600054610100900460ff1615808015610ab15750600054600160ff909116105b80610acb5750303b158015610acb575060005460ff166001145b610b2e5760405162461bcd60e51b815260206004820152602e60248201527f496e697469616c697a61626c653a20636f6e747261637420697320616c72656160448201526d191e481a5b9a5d1a585b1a5e995960921b6064820152608401610a4c565b6000805460ff191660011790558015610b51576000805461ff0019166101001790555b610bc487878080601f01602080910402602001604051908101604052809392919081815260200183838082843760009201919091525050604080516020601f8b0181900481028201810190925289815292508991508890819084018382808284376000920191909152506119ac92505050565b610bcd836119ea565b8015610c13576000805461ff0019169055604051600181527f7f26b83ff96e1f2b6a682f133852f6798a09c465da95921460cefb38474024989060200160405180910390a15b508015610c33576000805160206130c2833981519152805461ff00191690555b505050505050565b6000610c4682611a5e565b610c63576040516333d1c03960e21b815260040160405180910390fd5b610c6b611988565b60009283526006016020525060409020546001600160a01b031690565b610c9482826001611aa7565b5050565b60006001610ca4611988565b60010154610cb0611988565b540303919050565b6000610cc382611b5c565b9050836001600160a01b0316816001600160a01b031614610cf65760405162a1148160e81b815260040160405180910390fd5b600080610d0284611c09565b91509150610d278187610d123390565b6001600160a01b039081169116811491141790565b610d5257610d358633611931565b610d5257604051632ce44b5f60e11b815260040160405180910390fd5b6001600160a01b038516610d7957604051633a954ecd60e21b815260040160405180910390fd5b8015610d8457600082555b610d8c611988565b6001600160a01b0387166000908152600591909101602052604090208054600019019055610db8611988565b6001600160a01b03861660009081526005919091016020526040902080546001019055610e0585610dea888287611c31565b600160e11b174260a01b176001600160a01b03919091161790565b610e0d611988565b60008681526004919091016020526040812091909155600160e11b84169003610e835760018401610e3c611988565b600082815260049190910160205260408120549003610e8157610e5d611988565b548114610e815783610e6d611988565b600083815260049190910160205260409020555b505b83856001600160a01b0316876001600160a01b03166000805160206130a283398151915260405160405180910390a4610c33565b60cd546001600160a01b0381169060009061271090610ee690600160a01b90046001600160601b031685612bf8565b610ef09190612c25565b90509250929050565b6040518181527ff8e1a15aba9398e019f0b49df1a4fde98ee17ae345cb5f6b5e2c27f5033e8ce7906020015b60405180910390a150565b60408051606081018252600080825260208201819052918101829052906004610f5a600185612c39565b901c600081815260c960205260408120549192506010610f7b600187612c39565b610f859190612c4c565b610f90906010612bf8565b82901c61ffff1690506000806000610fbc84610fff600482901c16916007600183811c91909116921690565b6040805160608101825261ffff9485168152928416602084015292169181019190915298975050505050505050565b6001600160a01b037f00000000000000000000000000000000000000000000000000000000000000001630036110335760405162461bcd60e51b8152600401610a4c90612c60565b7f00000000000000000000000000000000000000000000000000000000000000006001600160a01b031661107c60008051602061305b833981519152546001600160a01b031690565b6001600160a01b0316146110a25760405162461bcd60e51b8152600401610a4c90612cac565b6110ab81611c3b565b604080516000808252602082019092526110c791839190611c66565b50565b6110d2611dd1565b610c948282611dfc565b6110f783838360405180602001604052806000815250611816565b505050565b611104611dd1565b6110c781611f32565b6034546001600160a01b03163314611138576040516305e05b4b60e31b815260040160405180910390fd5b611140611f3d565b565b6001600160a01b037f000000000000000000000000000000000000000000000000000000000000000016300361118a5760405162461bcd60e51b8152600401610a4c90612c60565b7f00000000000000000000000000000000000000000000000000000000000000006001600160a01b03166111d360008051602061305b833981519152546001600160a01b031690565b6001600160a01b0316146111f95760405162461bcd60e51b8152600401610a4c90612cac565b61120282611c3b565b610c9482826001611c66565b600061087982611a5e565b6000306001600160a01b037f000000000000000000000000000000000000000000000000000000000000000016146112b95760405162461bcd60e51b815260206004820152603860248201527f555550535570677261646561626c653a206d757374206e6f742062652063616c60448201527f6c6564207468726f7567682064656c656761746563616c6c00000000000000006064820152608401610a4c565b5060008051602061305b83398151915290565b6033546001600160a01b031633146112f757604051632e6c18c960e11b815260040160405180910390fd5b60cb611304828483612d3e565b507f23c8c9488efebfd474e85a7956de6f39b17c7ab88502d42a623db2d8e382bbaa82826040516108fe929190612dff565b604080516000815260001960208201527f6bd5c950a8d8df17f772f5af37cb3655737899cbf903264b9795592da439661c910160405180910390a1565b600061087982611b5c565b60cb805461138b90612ba8565b80601f01602080910402602001604051908101604052809291908181526020018280546113b790612ba8565b80156114045780601f106113d957610100808354040283529160200191611404565b820191906000526020600020905b8154815290600101906020018083116113e757829003601f168201915b505050505081565b60006001600160a01b038216611435576040516323d3ad8160e21b815260040160405180910390fd5b67ffffffffffffffff611446611988565b6005016000846001600160a01b03166001600160a01b0316815260200190815260200160002054169050919050565b61147d611dd1565b6000600561148c600185612c39565b901c90506000602061149f600186612c39565b6114a99190612c4c565b905060006114b8826008612bf8565b600084815260cc60205260409020549085901b91506114d8836008612bf8565b600085815260cc60205260409081902060ff90921b1992909216838117909155905186907fadfcc3856ba27689dbc494a26abd86d030d93e8f63d9c93b8c844548ab52c7d69061152b9088815260200190565b60405180910390a2505050505050565b6033546001600160a01b0316331461156657604051632e6c18c960e11b815260040160405180910390fd5b6111406000611fa6565b600061157a61201c565b905090565b600080600561158f600185612c39565b901c600081815260cc602090815260408220549293506115b0600187612c39565b6115ba9190612c4c565b6115c5906008612bf8565b9190911c60ff16949350505050565b60606115de611988565b600301805461092290612ba8565b806115f5611988565b336000818152600792909201602090815260408084206001600160a01b03881680865290835293819020805460ff19169515159590951790945592518415158152919290917f17307eab39ab6107e8899845ad3d59bd9653f200f220920489ca2b5937696c31910160405180910390a35050565b600061157a61202c565b61167b611dd1565b80516020820151604083015160009260031b61fff81661ffff9092169190911760011b179050600060046116b0600186612c39565b901c9050600060106116c3600187612c39565b6116cd9190612c4c565b905060006116dc826010612bf8565b600084815260c9602052604090205461ffff861690911b9150611700836010612bf8565b600085815260c960205260409081902061ffff90921b199290921683811790915590517f7c68f04519de346de40f60fd77edbac73ea83cd2fee4f18c45efcad3d6645a30906117529089908990612e2e565b60405180910390a16040518781527ff8e1a15aba9398e019f0b49df1a4fde98ee17ae345cb5f6b5e2c27f5033e8ce79060200160405180910390a150505050505050565b6033546001600160a01b031633146117c157604051632e6c18c960e11b815260040160405180910390fd5b6001600160a01b0382166117e857604051633aafecb360e21b815260040160405180910390fd5b80156117f757610c9482611fa6565b603480546001600160a01b0319166001600160a01b0384161790555050565b611821848484610cb8565b6001600160a01b0383163b1561185a5761183d8484848461203f565b61185a576040516368d2bf6b60e11b815260040160405180910390fd5b50505050565b606061186b8261212a565b60405160200161187b9190612e5f565b6040516020818303038152906040529050919050565b6033546001600160a01b031633146118bc57604051632e6c18c960e11b815260040160405180910390fd5b6001600160a01b0381166118e357604051630ae8f22360e21b815260040160405180910390fd5b60ca80546001600160a01b0319166001600160a01b0383169081179091556040519081527f54a6385aa0292b04e1ef8513253c17d1863f7cdfc87029d77fd55cc4c2e717e290602001610f25565b600061193b611988565b6001600160a01b039384166000908152600791909101602090815260408083209490951682529290925250205460ff1690565b611976611dd1565b600091825260c9602052604090912055565b7f2569078dfb4b0305704d3008e7403993ae9601b85f7ae5e742de3de8f8011c4090565b6000805160206130c283398151915254610100900460ff166119e05760405162461bcd60e51b8152600401610a4c90612e88565b610c9482826121ad565b600054610100900460ff16611a555760405162461bcd60e51b815260206004820152602b60248201527f496e697469616c697a61626c653a20636f6e7472616374206973206e6f74206960448201526a6e697469616c697a696e6760a81b6064820152608401610a4c565b6110c781611fa6565b600081600111158015611a785750611a74611988565b5482105b80156108795750600160e01b611a8c611988565b60008481526004919091016020526040902054161592915050565b6000611ab283611373565b90508115611af157336001600160a01b03821614611af157611ad48133611931565b611af1576040516367d9dca160e11b815260040160405180910390fd5b83611afa611988565b6000858152600691909101602052604080822080546001600160a01b0319166001600160a01b0394851617905551859287811692908516917f8c5be1e5ebec7d5bd14f71427d1e84f3dd0314c0f7b2291e5b200ac8c7c3b9259190a450505050565b600081600111611bf057611b6e611988565b600083815260049190910160205260408120549150600160e01b82169003611bf05780600003611beb57611ba0611988565b548210611bc057604051636f96cda160e11b815260040160405180910390fd5b611bc8611988565b600019909201600081815260049390930160205260409092205490508015611bc0575b919050565b604051636f96cda160e11b815260040160405180910390fd5b6000806000611c16611988565b60009485526006016020525050604090912080549092909150565b60005b9392505050565b6033546001600160a01b031633146110c757604051632e6c18c960e11b815260040160405180910390fd5b7f4910fdfa16fed3260ed0e7147f7cc6da11a60208b5b9406d12a635614ffd91435460ff1615611c99576110f783612220565b826001600160a01b03166352d1902d6040518163ffffffff1660e01b8152600401602060405180830381865afa925050508015611cf3575060408051601f3d908101601f19168201909252611cf091810190612edc565b60015b611d565760405162461bcd60e51b815260206004820152602e60248201527f45524331393637557067726164653a206e657720696d706c656d656e7461746960448201526d6f6e206973206e6f74205555505360901b6064820152608401610a4c565b60008051602061305b8339815191528114611dc55760405162461bcd60e51b815260206004820152602960248201527f45524331393637557067726164653a20756e737570706f727465642070726f786044820152681a58589b195555525160ba1b6064820152608401610a4c565b506110f78383836122bc565b60ca546001600160a01b031633146111405760405163605919ad60e11b815260040160405180910390fd5b6000611e06611988565b5490506000829003611e2b5760405163b562e8dd60e01b815260040160405180910390fd5b680100000000000000018202611e3f611988565b6001600160a01b0385166000908152600591909101602052604081208054909201909155611e91908490611e74908281611c31565b6001851460e11b174260a01b176001600160a01b03919091161790565b611e99611988565b600083815260049190910160205260408120919091556001600160a01b0384169083830190839083906000805160206130a28339815191528180a4600183015b818114611eff57808360006000805160206130a2833981519152600080a4600101611ed9565b5081600003611f2057604051622e076360e81b815260040160405180910390fd5b80611f29611988565b55506110f79050565b6110c78160006122e1565b6033546034546040516001600160a01b03928316929091169082907f8be0079c531659141344cd1fd0a4f28419497f9722a3daafe3b4186f6b6457e090600090a35060348054603380546001600160a01b03199081166001600160a01b03841617909155169055565b7fb53127684a568b3173ae13b9f8a6016e243e63b6e8ee1178d6a717850b5d6103819055603380546001600160a01b038084166001600160a01b0319831681179093556040519116919082907f8be0079c531659141344cd1fd0a4f28419497f9722a3daafe3b4186f6b6457e090600090a35050565b6000612026611988565b54919050565b60006001612038611988565b5403919050565b604051630a85bd0160e11b81526000906001600160a01b0385169063150b7a0290612074903390899088908890600401612ef5565b6020604051808303816000875af19250505080156120af575060408051601f3d908101601f191682019092526120ac91810190612f32565b60015b61210d573d8080156120dd576040519150601f19603f3d011682016040523d82523d6000602084013e6120e2565b606091505b508051600003612105576040516368d2bf6b60e11b815260040160405180910390fd5b805181602001fd5b6001600160e01b031916630a85bd0160e11b149050949350505050565b606061213582611a5e565b61215257604051630a14c4b560e41b815260040160405180910390fd5b600061215c612470565b9050805160000361217c5760405180602001604052806000815250611c34565b806121868461247f565b604051602001612197929190612f4f565b6040516020818303038152906040529392505050565b6000805160206130c283398151915254610100900460ff166121e15760405162461bcd60e51b8152600401610a4c90612e88565b816121ea611988565b600201906121f89082612f7e565b5080612202611988565b600301906122109082612f7e565b50600161221b611988565b555050565b6001600160a01b0381163b61228d5760405162461bcd60e51b815260206004820152602d60248201527f455243313936373a206e657720696d706c656d656e746174696f6e206973206e60448201526c1bdd08184818dbdb9d1c9858dd609a1b6064820152608401610a4c565b60008051602061305b83398151915280546001600160a01b0319166001600160a01b0392909216919091179055565b6122c5836124c3565b6000825111806122d25750805b156110f75761185a8383612503565b60006122ec83611b5c565b9050806000806122fb86611c09565b91509150841561233b57612310818433610d12565b61233b5761231e8333611931565b61233b57604051632ce44b5f60e11b815260040160405180910390fd5b801561234657600082555b6fffffffffffffffffffffffffffffffff61235f611988565b6001600160a01b03851660009081526005919091016020526040812080549092019091556123b090849061239590829088611c31565b600360e01b174260a01b176001600160a01b03919091161790565b6123b8611988565b60008881526004919091016020526040812091909155600160e11b8516900361242e57600186016123e7611988565b60008281526004919091016020526040812054900361242c57612408611988565b54811461242c5784612418611988565b600083815260049190910160205260409020555b505b60405186906000906001600160a01b038616906000805160206130a2833981519152908390a461245c611988565b600190810180549091019055505050505050565b606060cb805461092290612ba8565b606060a06040510180604052602081039150506000815280825b600183039250600a81066030018353600a9004806124995750819003601f19909101908152919050565b6124cc81612220565b6040516001600160a01b038216907fbc7cd75a20ee27fd9adebab32041f755214dbc6bffa90cc0225b39da2e5c2d3b90600090a250565b60606001600160a01b0383163b61256b5760405162461bcd60e51b815260206004820152602660248201527f416464726573733a2064656c65676174652063616c6c20746f206e6f6e2d636f6044820152651b9d1c9858dd60d21b6064820152608401610a4c565b600080846001600160a01b031684604051612586919061303e565b600060405180830381855af49150503d80600081146125c1576040519150601f19603f3d011682016040523d82523d6000602084013e6125c6565b606091505b50915091506125ee828260405180606001604052806027815260200161307b602791396125f7565b95945050505050565b60608315612606575081611c34565b611c34838381511561261b5781518083602001fd5b8060405162461bcd60e51b8152600401610a4c9190612712565b6001600160e01b0319811681146110c757600080fd5b60006020828403121561265d57600080fd5b8135611c3481612635565b80356001600160a01b0381168114611beb57600080fd5b6000806040838503121561269257600080fd5b61269b83612668565b915060208301356001600160601b03811681146126b757600080fd5b809150509250929050565b60005b838110156126dd5781810151838201526020016126c5565b50506000910152565b600081518084526126fe8160208601602086016126c2565b601f01601f19169290920160200192915050565b602081526000611c3460208301846126e6565b60008083601f84011261273757600080fd5b50813567ffffffffffffffff81111561274f57600080fd5b60208301915083602082850101111561276757600080fd5b9250929050565b60008060008060006060868803121561278657600080fd5b853567ffffffffffffffff8082111561279e57600080fd5b6127aa89838a01612725565b909750955060208801359150808211156127c357600080fd5b506127d088828901612725565b90945092506127e3905060408701612668565b90509295509295909350565b60006020828403121561280157600080fd5b5035919050565b6000806040838503121561281b57600080fd5b61282483612668565b946020939093013593505050565b60008060006060848603121561284757600080fd5b61285084612668565b925061285e60208501612668565b9150604084013590509250925092565b6000806040838503121561288157600080fd5b50508035926020909101359150565b606081016108798284805161ffff908116835260208083015182169084015260409182015116910152565b6000602082840312156128cd57600080fd5b611c3482612668565b634e487b7160e01b600052604160045260246000fd5b600082601f8301126128fd57600080fd5b813567ffffffffffffffff80821115612918576129186128d6565b604051601f8301601f19908116603f01168101908282118183101715612940576129406128d6565b8160405283815286602085880101111561295957600080fd5b836020870160208301376000602085830101528094505050505092915050565b6000806040838503121561298c57600080fd5b61299583612668565b9150602083013567ffffffffffffffff8111156129b157600080fd5b6129bd858286016128ec565b9150509250929050565b600080602083850312156129da57600080fd5b823567ffffffffffffffff8111156129f157600080fd5b6129fd85828601612725565b90969095509350505050565b60008060408385031215612a1c57600080fd5b612a2583612668565b9150602083013580151581146126b757600080fd5b803561ffff81168114611beb57600080fd5b600060608284031215612a5e57600080fd5b6040516060810181811067ffffffffffffffff82111715612a8157612a816128d6565b604052905080612a9083612a3a565b8152612a9e60208401612a3a565b6020820152612aaf60408401612a3a565b60408201525092915050565b60008060808385031215612ace57600080fd5b82359150610ef08460208501612a4c565b60008060008060808587031215612af557600080fd5b612afe85612668565b9350612b0c60208601612668565b925060408501359150606085013567ffffffffffffffff811115612b2f57600080fd5b612b3b878288016128ec565b91505092959194509250565b600060208284031215612b5957600080fd5b611c3482612a3a565b60008060408385031215612b7557600080fd5b612b7e83612668565b9150610ef060208401612668565b600060608284031215612b9e57600080fd5b611c348383612a4c565b600181811c90821680612bbc57607f821691505b602082108103612bdc57634e487b7160e01b600052602260045260246000fd5b50919050565b634e487b7160e01b600052601160045260246000fd5b808202811582820484141761087957610879612be2565b634e487b7160e01b600052601260045260246000fd5b600082612c3457612c34612c0f565b500490565b8181038181111561087957610879612be2565b600082612c5b57612c5b612c0f565b500690565b6020808252602c908201527f46756e6374696f6e206d7573742062652063616c6c6564207468726f7567682060408201526b19195b1959d85d1958d85b1b60a21b606082015260800190565b6020808252602c908201527f46756e6374696f6e206d7573742062652063616c6c6564207468726f7567682060408201526b6163746976652070726f787960a01b606082015260800190565b601f8211156110f757600081815260208120601f850160051c81016020861015612d1f5750805b601f850160051c820191505b81811015610c3357828155600101612d2b565b67ffffffffffffffff831115612d5657612d566128d6565b612d6a83612d648354612ba8565b83612cf8565b6000601f841160018114612d9e5760008515612d865750838201355b600019600387901b1c1916600186901b178355612df8565b600083815260209020601f19861690835b82811015612dcf5786850135825560209485019460019092019101612daf565b5086821015612dec5760001960f88860031b161c19848701351681555b505060018560011b0183555b5050505050565b60208152816020820152818360408301376000818301604090810191909152601f909201601f19160101919050565b82815260808101611c346020830184805161ffff908116835260208083015182169084015260409182015116910152565b60008251612e718184602087016126c2565b64173539b7b760d91b920191825250600501919050565b60208082526034908201527f455243373231415f5f496e697469616c697a61626c653a20636f6e7472616374604082015273206973206e6f7420696e697469616c697a696e6760601b606082015260800190565b600060208284031215612eee57600080fd5b5051919050565b6001600160a01b0385811682528416602082015260408101839052608060608201819052600090612f28908301846126e6565b9695505050505050565b600060208284031215612f4457600080fd5b8151611c3481612635565b60008351612f618184602088016126c2565b835190830190612f758183602088016126c2565b01949350505050565b815167ffffffffffffffff811115612f9857612f986128d6565b612fac81612fa68454612ba8565b84612cf8565b602080601f831160018114612fe15760008415612fc95750858301515b600019600386901b1c1916600185901b178555610c33565b600085815260208120601f198616915b8281101561301057888601518255948401946001909101908401612ff1565b508582101561302e5787850151600019600388901b60f8161c191681555b5050505050600190811b01905550565b600082516130508184602087016126c2565b919091019291505056fe360894a13ba1a3210667c828492db98dca3e2076cc3735a920a3ca505d382bbc416464726573733a206c6f772d6c6576656c2064656c65676174652063616c6c206661696c6564ddf252ad1be2c89b69c2b068fc378daa952ba7f163c4a11628f55a4df523b3efee151c8401928dc223602bb187aff91b9a56c7cae5476ef1b3287b085a16c85fa2646970667358221220d768d799b911252ac94d5da5ed946430cba3b64a3502aacc1171c77146a6573f64736f6c63430008110033
Deployed Bytecode
0x6080604052600436106102675760003560e01c80636352211e11610144578063a2309ff8116100b6578063d0ebdbe71161007a578063d0ebdbe7146106e7578063dcc70d9614610707578063e30c39781461075e578063e985e9c51461077c578063fea5137c1461079c578063ff2fd1cb146107f257600080fd5b8063a2309ff81461065f578063b220330814610674578063b242e53414610694578063b88d4fde146106b4578063c87b56dd146106c757600080fd5b806375794a3c1161010857806375794a3c146105c157806386481d40146105d657806387c13943146105f65780638da5cb5b1461060c57806395d89b411461062a578063a22cb4651461063f57600080fd5b80636352211e146105375780636c0360eb1461055757806370a082311461056c57806370a93b361461058c578063715018a6146105ac57600080fd5b80633659cfe6116101dd5780634e71e0c8116101a15780634e71e0c8146104a55780634f1ef286146104ba5780634f558e79146104cd57806352d1902d146104ed57806355f804b3146105025780636330674d1461052257600080fd5b80633659cfe61461041257806340c10f191461043257806342842e0e1461045257806342966c6814610465578063481c6a751461048557600080fd5b8063095ea7b31161022f578063095ea7b31461033d57806318160ddd1461035057806323b872dd146103735780632a55205a146103865780633190b9ea146103c557806332665ffb146103e557600080fd5b806301ffc9a71461026c57806302fa7c47146102a157806306fdde03146102c3578063077f224a146102e5578063081812fc14610305575b600080fd5b34801561027857600080fd5b5061028c61028736600461264b565b610812565b60405190151581526020015b60405180910390f35b3480156102ad57600080fd5b506102c16102bc36600461267f565b61087f565b005b3480156102cf57600080fd5b506102d861090a565b6040516102989190612712565b3480156102f157600080fd5b506102c161030036600461276e565b6109a5565b34801561031157600080fd5b506103256103203660046127ef565b610c3b565b6040516001600160a01b039091168152602001610298565b6102c161034b366004612808565b610c88565b34801561035c57600080fd5b50610365610c98565b604051908152602001610298565b6102c1610381366004612832565b610cb8565b34801561039257600080fd5b506103a66103a136600461286e565b610eb7565b604080516001600160a01b039093168352602083019190915201610298565b3480156103d157600080fd5b506102c16103e03660046127ef565b610ef9565b3480156103f157600080fd5b506104056104003660046127ef565b610f30565b6040516102989190612890565b34801561041e57600080fd5b506102c161042d3660046128bb565b610feb565b34801561043e57600080fd5b506102c161044d366004612808565b6110ca565b6102c1610460366004612832565b6110dc565b34801561047157600080fd5b506102c16104803660046127ef565b6110fc565b34801561049157600080fd5b5060ca54610325906001600160a01b031681565b3480156104b157600080fd5b506102c161110d565b6102c16104c8366004612979565b611142565b3480156104d957600080fd5b5061028c6104e83660046127ef565b61120e565b3480156104f957600080fd5b50610365611219565b34801561050e57600080fd5b506102c161051d3660046129c7565b6112cc565b34801561052e57600080fd5b506102c1611336565b34801561054357600080fd5b506103256105523660046127ef565b611373565b34801561056357600080fd5b506102d861137e565b34801561057857600080fd5b506103656105873660046128bb565b61140c565b34801561059857600080fd5b506102c16105a736600461286e565b611475565b3480156105b857600080fd5b506102c161153b565b3480156105cd57600080fd5b50610365611570565b3480156105e257600080fd5b506103656105f13660046127ef565b61157f565b34801561060257600080fd5b5061036561271081565b34801561061857600080fd5b506033546001600160a01b0316610325565b34801561063657600080fd5b506102d86115d4565b34801561064b57600080fd5b506102c161065a366004612a09565b6115ec565b34801561066b57600080fd5b50610365611669565b34801561068057600080fd5b506102c161068f366004612abb565b611673565b3480156106a057600080fd5b506102c16106af366004612a09565b611796565b6102c16106c2366004612adf565b611816565b3480156106d357600080fd5b506102d86106e23660046127ef565b611860565b3480156106f357600080fd5b506102c16107023660046128bb565b611891565b34801561071357600080fd5b50610739610722366004612b47565b600481901c610fff1691600182811c600716921690565b6040805161ffff94851681529284166020840152921691810191909152606001610298565b34801561076a57600080fd5b506034546001600160a01b0316610325565b34801561078857600080fd5b5061028c610797366004612b62565b611931565b3480156107a857600080fd5b506107df6107b7366004612b8c565b8051602082015160409092015160039190911b61fff81661ffff9092169190911760011b1790565b60405161ffff9091168152602001610298565b3480156107fe57600080fd5b506102c161080d36600461286e565b61196e565b60006301ffc9a760e01b6001600160e01b03198316148061084357506380ac58cd60e01b6001600160e01b03198316145b8061085e5750635b5e139f60e01b6001600160e01b03198316145b80610879575063152a902d60e11b6001600160e01b03198316145b92915050565b6033546001600160a01b031633146108aa57604051632e6c18c960e11b815260040160405180910390fd5b6001600160a01b038216600160a01b6001600160601b038316908102821760cd556040805192835260208301919091527f984cbbb47b413608120ad6b444ea0004fe19b6f88a5c0992e612b97fd3cb631e91015b60405180910390a15050565b6060610914611988565b600201805461092290612ba8565b80601f016020809104026020016040519081016040528092919081815260200182805461094e90612ba8565b801561099b5780601f106109705761010080835404028352916020019161099b565b820191906000526020600020905b81548152906001019060200180831161097e57829003601f168201915b5050505050905090565b6000805160206130c283398151915254610100900460ff166109da576000805160206130c28339815191525460ff16156109de565b303b155b610a555760405162461bcd60e51b815260206004820152603760248201527f455243373231415f5f496e697469616c697a61626c653a20636f6e747261637460448201527f20697320616c726561647920696e697469616c697a656400000000000000000060648201526084015b60405180910390fd5b6000805160206130c283398151915254610100900460ff16158015610a91576000805160206130c2833981519152805461ffff19166101011790555b600054610100900460ff1615808015610ab15750600054600160ff909116105b80610acb5750303b158015610acb575060005460ff166001145b610b2e5760405162461bcd60e51b815260206004820152602e60248201527f496e697469616c697a61626c653a20636f6e747261637420697320616c72656160448201526d191e481a5b9a5d1a585b1a5e995960921b6064820152608401610a4c565b6000805460ff191660011790558015610b51576000805461ff0019166101001790555b610bc487878080601f01602080910402602001604051908101604052809392919081815260200183838082843760009201919091525050604080516020601f8b0181900481028201810190925289815292508991508890819084018382808284376000920191909152506119ac92505050565b610bcd836119ea565b8015610c13576000805461ff0019169055604051600181527f7f26b83ff96e1f2b6a682f133852f6798a09c465da95921460cefb38474024989060200160405180910390a15b508015610c33576000805160206130c2833981519152805461ff00191690555b505050505050565b6000610c4682611a5e565b610c63576040516333d1c03960e21b815260040160405180910390fd5b610c6b611988565b60009283526006016020525060409020546001600160a01b031690565b610c9482826001611aa7565b5050565b60006001610ca4611988565b60010154610cb0611988565b540303919050565b6000610cc382611b5c565b9050836001600160a01b0316816001600160a01b031614610cf65760405162a1148160e81b815260040160405180910390fd5b600080610d0284611c09565b91509150610d278187610d123390565b6001600160a01b039081169116811491141790565b610d5257610d358633611931565b610d5257604051632ce44b5f60e11b815260040160405180910390fd5b6001600160a01b038516610d7957604051633a954ecd60e21b815260040160405180910390fd5b8015610d8457600082555b610d8c611988565b6001600160a01b0387166000908152600591909101602052604090208054600019019055610db8611988565b6001600160a01b03861660009081526005919091016020526040902080546001019055610e0585610dea888287611c31565b600160e11b174260a01b176001600160a01b03919091161790565b610e0d611988565b60008681526004919091016020526040812091909155600160e11b84169003610e835760018401610e3c611988565b600082815260049190910160205260408120549003610e8157610e5d611988565b548114610e815783610e6d611988565b600083815260049190910160205260409020555b505b83856001600160a01b0316876001600160a01b03166000805160206130a283398151915260405160405180910390a4610c33565b60cd546001600160a01b0381169060009061271090610ee690600160a01b90046001600160601b031685612bf8565b610ef09190612c25565b90509250929050565b6040518181527ff8e1a15aba9398e019f0b49df1a4fde98ee17ae345cb5f6b5e2c27f5033e8ce7906020015b60405180910390a150565b60408051606081018252600080825260208201819052918101829052906004610f5a600185612c39565b901c600081815260c960205260408120549192506010610f7b600187612c39565b610f859190612c4c565b610f90906010612bf8565b82901c61ffff1690506000806000610fbc84610fff600482901c16916007600183811c91909116921690565b6040805160608101825261ffff9485168152928416602084015292169181019190915298975050505050505050565b6001600160a01b037f000000000000000000000000e6c9cfc3277ee9d17d6e16def386ed1baf3ad06a1630036110335760405162461bcd60e51b8152600401610a4c90612c60565b7f000000000000000000000000e6c9cfc3277ee9d17d6e16def386ed1baf3ad06a6001600160a01b031661107c60008051602061305b833981519152546001600160a01b031690565b6001600160a01b0316146110a25760405162461bcd60e51b8152600401610a4c90612cac565b6110ab81611c3b565b604080516000808252602082019092526110c791839190611c66565b50565b6110d2611dd1565b610c948282611dfc565b6110f783838360405180602001604052806000815250611816565b505050565b611104611dd1565b6110c781611f32565b6034546001600160a01b03163314611138576040516305e05b4b60e31b815260040160405180910390fd5b611140611f3d565b565b6001600160a01b037f000000000000000000000000e6c9cfc3277ee9d17d6e16def386ed1baf3ad06a16300361118a5760405162461bcd60e51b8152600401610a4c90612c60565b7f000000000000000000000000e6c9cfc3277ee9d17d6e16def386ed1baf3ad06a6001600160a01b03166111d360008051602061305b833981519152546001600160a01b031690565b6001600160a01b0316146111f95760405162461bcd60e51b8152600401610a4c90612cac565b61120282611c3b565b610c9482826001611c66565b600061087982611a5e565b6000306001600160a01b037f000000000000000000000000e6c9cfc3277ee9d17d6e16def386ed1baf3ad06a16146112b95760405162461bcd60e51b815260206004820152603860248201527f555550535570677261646561626c653a206d757374206e6f742062652063616c60448201527f6c6564207468726f7567682064656c656761746563616c6c00000000000000006064820152608401610a4c565b5060008051602061305b83398151915290565b6033546001600160a01b031633146112f757604051632e6c18c960e11b815260040160405180910390fd5b60cb611304828483612d3e565b507f23c8c9488efebfd474e85a7956de6f39b17c7ab88502d42a623db2d8e382bbaa82826040516108fe929190612dff565b604080516000815260001960208201527f6bd5c950a8d8df17f772f5af37cb3655737899cbf903264b9795592da439661c910160405180910390a1565b600061087982611b5c565b60cb805461138b90612ba8565b80601f01602080910402602001604051908101604052809291908181526020018280546113b790612ba8565b80156114045780601f106113d957610100808354040283529160200191611404565b820191906000526020600020905b8154815290600101906020018083116113e757829003601f168201915b505050505081565b60006001600160a01b038216611435576040516323d3ad8160e21b815260040160405180910390fd5b67ffffffffffffffff611446611988565b6005016000846001600160a01b03166001600160a01b0316815260200190815260200160002054169050919050565b61147d611dd1565b6000600561148c600185612c39565b901c90506000602061149f600186612c39565b6114a99190612c4c565b905060006114b8826008612bf8565b600084815260cc60205260409020549085901b91506114d8836008612bf8565b600085815260cc60205260409081902060ff90921b1992909216838117909155905186907fadfcc3856ba27689dbc494a26abd86d030d93e8f63d9c93b8c844548ab52c7d69061152b9088815260200190565b60405180910390a2505050505050565b6033546001600160a01b0316331461156657604051632e6c18c960e11b815260040160405180910390fd5b6111406000611fa6565b600061157a61201c565b905090565b600080600561158f600185612c39565b901c600081815260cc602090815260408220549293506115b0600187612c39565b6115ba9190612c4c565b6115c5906008612bf8565b9190911c60ff16949350505050565b60606115de611988565b600301805461092290612ba8565b806115f5611988565b336000818152600792909201602090815260408084206001600160a01b03881680865290835293819020805460ff19169515159590951790945592518415158152919290917f17307eab39ab6107e8899845ad3d59bd9653f200f220920489ca2b5937696c31910160405180910390a35050565b600061157a61202c565b61167b611dd1565b80516020820151604083015160009260031b61fff81661ffff9092169190911760011b179050600060046116b0600186612c39565b901c9050600060106116c3600187612c39565b6116cd9190612c4c565b905060006116dc826010612bf8565b600084815260c9602052604090205461ffff861690911b9150611700836010612bf8565b600085815260c960205260409081902061ffff90921b199290921683811790915590517f7c68f04519de346de40f60fd77edbac73ea83cd2fee4f18c45efcad3d6645a30906117529089908990612e2e565b60405180910390a16040518781527ff8e1a15aba9398e019f0b49df1a4fde98ee17ae345cb5f6b5e2c27f5033e8ce79060200160405180910390a150505050505050565b6033546001600160a01b031633146117c157604051632e6c18c960e11b815260040160405180910390fd5b6001600160a01b0382166117e857604051633aafecb360e21b815260040160405180910390fd5b80156117f757610c9482611fa6565b603480546001600160a01b0319166001600160a01b0384161790555050565b611821848484610cb8565b6001600160a01b0383163b1561185a5761183d8484848461203f565b61185a576040516368d2bf6b60e11b815260040160405180910390fd5b50505050565b606061186b8261212a565b60405160200161187b9190612e5f565b6040516020818303038152906040529050919050565b6033546001600160a01b031633146118bc57604051632e6c18c960e11b815260040160405180910390fd5b6001600160a01b0381166118e357604051630ae8f22360e21b815260040160405180910390fd5b60ca80546001600160a01b0319166001600160a01b0383169081179091556040519081527f54a6385aa0292b04e1ef8513253c17d1863f7cdfc87029d77fd55cc4c2e717e290602001610f25565b600061193b611988565b6001600160a01b039384166000908152600791909101602090815260408083209490951682529290925250205460ff1690565b611976611dd1565b600091825260c9602052604090912055565b7f2569078dfb4b0305704d3008e7403993ae9601b85f7ae5e742de3de8f8011c4090565b6000805160206130c283398151915254610100900460ff166119e05760405162461bcd60e51b8152600401610a4c90612e88565b610c9482826121ad565b600054610100900460ff16611a555760405162461bcd60e51b815260206004820152602b60248201527f496e697469616c697a61626c653a20636f6e7472616374206973206e6f74206960448201526a6e697469616c697a696e6760a81b6064820152608401610a4c565b6110c781611fa6565b600081600111158015611a785750611a74611988565b5482105b80156108795750600160e01b611a8c611988565b60008481526004919091016020526040902054161592915050565b6000611ab283611373565b90508115611af157336001600160a01b03821614611af157611ad48133611931565b611af1576040516367d9dca160e11b815260040160405180910390fd5b83611afa611988565b6000858152600691909101602052604080822080546001600160a01b0319166001600160a01b0394851617905551859287811692908516917f8c5be1e5ebec7d5bd14f71427d1e84f3dd0314c0f7b2291e5b200ac8c7c3b9259190a450505050565b600081600111611bf057611b6e611988565b600083815260049190910160205260408120549150600160e01b82169003611bf05780600003611beb57611ba0611988565b548210611bc057604051636f96cda160e11b815260040160405180910390fd5b611bc8611988565b600019909201600081815260049390930160205260409092205490508015611bc0575b919050565b604051636f96cda160e11b815260040160405180910390fd5b6000806000611c16611988565b60009485526006016020525050604090912080549092909150565b60005b9392505050565b6033546001600160a01b031633146110c757604051632e6c18c960e11b815260040160405180910390fd5b7f4910fdfa16fed3260ed0e7147f7cc6da11a60208b5b9406d12a635614ffd91435460ff1615611c99576110f783612220565b826001600160a01b03166352d1902d6040518163ffffffff1660e01b8152600401602060405180830381865afa925050508015611cf3575060408051601f3d908101601f19168201909252611cf091810190612edc565b60015b611d565760405162461bcd60e51b815260206004820152602e60248201527f45524331393637557067726164653a206e657720696d706c656d656e7461746960448201526d6f6e206973206e6f74205555505360901b6064820152608401610a4c565b60008051602061305b8339815191528114611dc55760405162461bcd60e51b815260206004820152602960248201527f45524331393637557067726164653a20756e737570706f727465642070726f786044820152681a58589b195555525160ba1b6064820152608401610a4c565b506110f78383836122bc565b60ca546001600160a01b031633146111405760405163605919ad60e11b815260040160405180910390fd5b6000611e06611988565b5490506000829003611e2b5760405163b562e8dd60e01b815260040160405180910390fd5b680100000000000000018202611e3f611988565b6001600160a01b0385166000908152600591909101602052604081208054909201909155611e91908490611e74908281611c31565b6001851460e11b174260a01b176001600160a01b03919091161790565b611e99611988565b600083815260049190910160205260408120919091556001600160a01b0384169083830190839083906000805160206130a28339815191528180a4600183015b818114611eff57808360006000805160206130a2833981519152600080a4600101611ed9565b5081600003611f2057604051622e076360e81b815260040160405180910390fd5b80611f29611988565b55506110f79050565b6110c78160006122e1565b6033546034546040516001600160a01b03928316929091169082907f8be0079c531659141344cd1fd0a4f28419497f9722a3daafe3b4186f6b6457e090600090a35060348054603380546001600160a01b03199081166001600160a01b03841617909155169055565b7fb53127684a568b3173ae13b9f8a6016e243e63b6e8ee1178d6a717850b5d6103819055603380546001600160a01b038084166001600160a01b0319831681179093556040519116919082907f8be0079c531659141344cd1fd0a4f28419497f9722a3daafe3b4186f6b6457e090600090a35050565b6000612026611988565b54919050565b60006001612038611988565b5403919050565b604051630a85bd0160e11b81526000906001600160a01b0385169063150b7a0290612074903390899088908890600401612ef5565b6020604051808303816000875af19250505080156120af575060408051601f3d908101601f191682019092526120ac91810190612f32565b60015b61210d573d8080156120dd576040519150601f19603f3d011682016040523d82523d6000602084013e6120e2565b606091505b508051600003612105576040516368d2bf6b60e11b815260040160405180910390fd5b805181602001fd5b6001600160e01b031916630a85bd0160e11b149050949350505050565b606061213582611a5e565b61215257604051630a14c4b560e41b815260040160405180910390fd5b600061215c612470565b9050805160000361217c5760405180602001604052806000815250611c34565b806121868461247f565b604051602001612197929190612f4f565b6040516020818303038152906040529392505050565b6000805160206130c283398151915254610100900460ff166121e15760405162461bcd60e51b8152600401610a4c90612e88565b816121ea611988565b600201906121f89082612f7e565b5080612202611988565b600301906122109082612f7e565b50600161221b611988565b555050565b6001600160a01b0381163b61228d5760405162461bcd60e51b815260206004820152602d60248201527f455243313936373a206e657720696d706c656d656e746174696f6e206973206e60448201526c1bdd08184818dbdb9d1c9858dd609a1b6064820152608401610a4c565b60008051602061305b83398151915280546001600160a01b0319166001600160a01b0392909216919091179055565b6122c5836124c3565b6000825111806122d25750805b156110f75761185a8383612503565b60006122ec83611b5c565b9050806000806122fb86611c09565b91509150841561233b57612310818433610d12565b61233b5761231e8333611931565b61233b57604051632ce44b5f60e11b815260040160405180910390fd5b801561234657600082555b6fffffffffffffffffffffffffffffffff61235f611988565b6001600160a01b03851660009081526005919091016020526040812080549092019091556123b090849061239590829088611c31565b600360e01b174260a01b176001600160a01b03919091161790565b6123b8611988565b60008881526004919091016020526040812091909155600160e11b8516900361242e57600186016123e7611988565b60008281526004919091016020526040812054900361242c57612408611988565b54811461242c5784612418611988565b600083815260049190910160205260409020555b505b60405186906000906001600160a01b038616906000805160206130a2833981519152908390a461245c611988565b600190810180549091019055505050505050565b606060cb805461092290612ba8565b606060a06040510180604052602081039150506000815280825b600183039250600a81066030018353600a9004806124995750819003601f19909101908152919050565b6124cc81612220565b6040516001600160a01b038216907fbc7cd75a20ee27fd9adebab32041f755214dbc6bffa90cc0225b39da2e5c2d3b90600090a250565b60606001600160a01b0383163b61256b5760405162461bcd60e51b815260206004820152602660248201527f416464726573733a2064656c65676174652063616c6c20746f206e6f6e2d636f6044820152651b9d1c9858dd60d21b6064820152608401610a4c565b600080846001600160a01b031684604051612586919061303e565b600060405180830381855af49150503d80600081146125c1576040519150601f19603f3d011682016040523d82523d6000602084013e6125c6565b606091505b50915091506125ee828260405180606001604052806027815260200161307b602791396125f7565b95945050505050565b60608315612606575081611c34565b611c34838381511561261b5781518083602001fd5b8060405162461bcd60e51b8152600401610a4c9190612712565b6001600160e01b0319811681146110c757600080fd5b60006020828403121561265d57600080fd5b8135611c3481612635565b80356001600160a01b0381168114611beb57600080fd5b6000806040838503121561269257600080fd5b61269b83612668565b915060208301356001600160601b03811681146126b757600080fd5b809150509250929050565b60005b838110156126dd5781810151838201526020016126c5565b50506000910152565b600081518084526126fe8160208601602086016126c2565b601f01601f19169290920160200192915050565b602081526000611c3460208301846126e6565b60008083601f84011261273757600080fd5b50813567ffffffffffffffff81111561274f57600080fd5b60208301915083602082850101111561276757600080fd5b9250929050565b60008060008060006060868803121561278657600080fd5b853567ffffffffffffffff8082111561279e57600080fd5b6127aa89838a01612725565b909750955060208801359150808211156127c357600080fd5b506127d088828901612725565b90945092506127e3905060408701612668565b90509295509295909350565b60006020828403121561280157600080fd5b5035919050565b6000806040838503121561281b57600080fd5b61282483612668565b946020939093013593505050565b60008060006060848603121561284757600080fd5b61285084612668565b925061285e60208501612668565b9150604084013590509250925092565b6000806040838503121561288157600080fd5b50508035926020909101359150565b606081016108798284805161ffff908116835260208083015182169084015260409182015116910152565b6000602082840312156128cd57600080fd5b611c3482612668565b634e487b7160e01b600052604160045260246000fd5b600082601f8301126128fd57600080fd5b813567ffffffffffffffff80821115612918576129186128d6565b604051601f8301601f19908116603f01168101908282118183101715612940576129406128d6565b8160405283815286602085880101111561295957600080fd5b836020870160208301376000602085830101528094505050505092915050565b6000806040838503121561298c57600080fd5b61299583612668565b9150602083013567ffffffffffffffff8111156129b157600080fd5b6129bd858286016128ec565b9150509250929050565b600080602083850312156129da57600080fd5b823567ffffffffffffffff8111156129f157600080fd5b6129fd85828601612725565b90969095509350505050565b60008060408385031215612a1c57600080fd5b612a2583612668565b9150602083013580151581146126b757600080fd5b803561ffff81168114611beb57600080fd5b600060608284031215612a5e57600080fd5b6040516060810181811067ffffffffffffffff82111715612a8157612a816128d6565b604052905080612a9083612a3a565b8152612a9e60208401612a3a565b6020820152612aaf60408401612a3a565b60408201525092915050565b60008060808385031215612ace57600080fd5b82359150610ef08460208501612a4c565b60008060008060808587031215612af557600080fd5b612afe85612668565b9350612b0c60208601612668565b925060408501359150606085013567ffffffffffffffff811115612b2f57600080fd5b612b3b878288016128ec565b91505092959194509250565b600060208284031215612b5957600080fd5b611c3482612a3a565b60008060408385031215612b7557600080fd5b612b7e83612668565b9150610ef060208401612668565b600060608284031215612b9e57600080fd5b611c348383612a4c565b600181811c90821680612bbc57607f821691505b602082108103612bdc57634e487b7160e01b600052602260045260246000fd5b50919050565b634e487b7160e01b600052601160045260246000fd5b808202811582820484141761087957610879612be2565b634e487b7160e01b600052601260045260246000fd5b600082612c3457612c34612c0f565b500490565b8181038181111561087957610879612be2565b600082612c5b57612c5b612c0f565b500690565b6020808252602c908201527f46756e6374696f6e206d7573742062652063616c6c6564207468726f7567682060408201526b19195b1959d85d1958d85b1b60a21b606082015260800190565b6020808252602c908201527f46756e6374696f6e206d7573742062652063616c6c6564207468726f7567682060408201526b6163746976652070726f787960a01b606082015260800190565b601f8211156110f757600081815260208120601f850160051c81016020861015612d1f5750805b601f850160051c820191505b81811015610c3357828155600101612d2b565b67ffffffffffffffff831115612d5657612d566128d6565b612d6a83612d648354612ba8565b83612cf8565b6000601f841160018114612d9e5760008515612d865750838201355b600019600387901b1c1916600186901b178355612df8565b600083815260209020601f19861690835b82811015612dcf5786850135825560209485019460019092019101612daf565b5086821015612dec5760001960f88860031b161c19848701351681555b505060018560011b0183555b5050505050565b60208152816020820152818360408301376000818301604090810191909152601f909201601f19160101919050565b82815260808101611c346020830184805161ffff908116835260208083015182169084015260409182015116910152565b60008251612e718184602087016126c2565b64173539b7b760d91b920191825250600501919050565b60208082526034908201527f455243373231415f5f496e697469616c697a61626c653a20636f6e7472616374604082015273206973206e6f7420696e697469616c697a696e6760601b606082015260800190565b600060208284031215612eee57600080fd5b5051919050565b6001600160a01b0385811682528416602082015260408101839052608060608201819052600090612f28908301846126e6565b9695505050505050565b600060208284031215612f4457600080fd5b8151611c3481612635565b60008351612f618184602088016126c2565b835190830190612f758183602088016126c2565b01949350505050565b815167ffffffffffffffff811115612f9857612f986128d6565b612fac81612fa68454612ba8565b84612cf8565b602080601f831160018114612fe15760008415612fc95750858301515b600019600386901b1c1916600185901b178555610c33565b600085815260208120601f198616915b8281101561301057888601518255948401946001909101908401612ff1565b508582101561302e5787850151600019600388901b60f8161c191681555b5050505050600190811b01905550565b600082516130508184602087016126c2565b919091019291505056fe360894a13ba1a3210667c828492db98dca3e2076cc3735a920a3ca505d382bbc416464726573733a206c6f772d6c6576656c2064656c65676174652063616c6c206661696c6564ddf252ad1be2c89b69c2b068fc378daa952ba7f163c4a11628f55a4df523b3efee151c8401928dc223602bb187aff91b9a56c7cae5476ef1b3287b085a16c85fa2646970667358221220d768d799b911252ac94d5da5ed946430cba3b64a3502aacc1171c77146a6573f64736f6c63430008110033
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.