Polygon Sponsored slots available. Book your slot here!
More Info
Private Name Tags
ContractCreator
TokenTracker
Sponsored
Loading...
Loading
This contract contains unverified libraries: ActionLib
Contract Name:
LensHandles
Compiler Version
v0.8.21+commit.d9974bed
Contract Source Code (Solidity Standard Json-Input format)
// SPDX-License-Identifier: MIT pragma solidity ^0.8.18; import {ERC721} from '@openzeppelin/contracts/token/ERC721/ERC721.sol'; import {ImmutableOwnable} from 'contracts/misc/ImmutableOwnable.sol'; import {ILensHandles} from 'contracts/interfaces/ILensHandles.sol'; import {HandlesEvents} from 'contracts/namespaces/constants/Events.sol'; import {HandlesErrors} from 'contracts/namespaces/constants/Errors.sol'; import {IHandleTokenURI} from 'contracts/interfaces/IHandleTokenURI.sol'; import {ILensHub} from 'contracts/interfaces/ILensHub.sol'; import {Address} from '@openzeppelin/contracts/utils/Address.sol'; import {IERC721} from '@openzeppelin/contracts/token/ERC721/IERC721.sol'; import {ERC2981CollectionRoyalties} from 'contracts/base/ERC2981CollectionRoyalties.sol'; import {IERC165} from '@openzeppelin/contracts/utils/introspection/IERC165.sol'; /** * A handle is defined as a local name inside a namespace context. A handle is represented as the local name with its * namespace applied as a prefix, using the slash symbol as separator. * * handle = namespace /@ localName * * Handle and local name can be used interchangeably once you are in a context of a namespace, as it became redundant. * * handle === ${localName} ; inside some namespace. * * @custom:upgradeable Transparent upgradeable proxy without initializer. */ contract LensHandles is ERC721, ERC2981CollectionRoyalties, ImmutableOwnable, ILensHandles { using Address for address; // We used 31 to fit the handle in a single slot, with `.lens` that restricted localName to use 26 characters. // Can be extended later if needed. uint256 internal constant MAX_LOCAL_NAME_LENGTH = 26; string public constant NAMESPACE = 'lens'; uint256 internal immutable NAMESPACE_LENGTH = bytes(NAMESPACE).length; bytes32 public constant NAMESPACE_HASH = keccak256(bytes(NAMESPACE)); uint256 public immutable TOKEN_GUARDIAN_COOLDOWN; uint256 internal constant GUARDIAN_ENABLED = type(uint256).max; mapping(address => uint256) internal _tokenGuardianDisablingTimestamp; uint256 internal _profileRoyaltiesBps; // Slot 7 uint256 private _totalSupply; mapping(uint256 tokenId => string localName) internal _localNames; address internal _handleTokenURIContract; modifier onlyOwnerOrWhitelistedProfileCreator() { if (msg.sender != OWNER && !ILensHub(LENS_HUB).isProfileCreatorWhitelisted(msg.sender)) { revert HandlesErrors.NotOwnerNorWhitelisted(); } _; } modifier onlyEOA() { if (msg.sender.isContract()) { revert HandlesErrors.NotEOA(); } _; } modifier onlyHub() { if (msg.sender != LENS_HUB) { revert HandlesErrors.NotHub(); } _; } constructor( address owner, address lensHub, uint256 tokenGuardianCooldown ) ERC721('', '') ImmutableOwnable(owner, lensHub) { TOKEN_GUARDIAN_COOLDOWN = tokenGuardianCooldown; } function name() public pure override returns (string memory) { return 'Lens Handles'; } function symbol() public pure override returns (string memory) { return 'LH'; } function totalSupply() external view virtual override returns (uint256) { return _totalSupply; } function setHandleTokenURIContract(address handleTokenURIContract) external override onlyOwner { _handleTokenURIContract = handleTokenURIContract; emit HandlesEvents.BatchMetadataUpdate({fromTokenId: 0, toTokenId: type(uint256).max}); } function getHandleTokenURIContract() external view override returns (address) { return _handleTokenURIContract; } /** * @dev See {IERC721Metadata-tokenURI}. */ function tokenURI(uint256 tokenId) public view override returns (string memory) { _requireMinted(tokenId); return IHandleTokenURI(_handleTokenURIContract).getTokenURI(tokenId, _localNames[tokenId], NAMESPACE); } /// @inheritdoc ILensHandles function mintHandle( address to, string calldata localName ) external onlyOwnerOrWhitelistedProfileCreator returns (uint256) { _validateLocalName(localName); return _mintHandle(to, localName); } function migrateHandle(address to, string calldata localName) external onlyHub returns (uint256) { _validateLocalNameMigration(localName); return _mintHandle(to, localName); } function burn(uint256 tokenId) external { if (msg.sender != ownerOf(tokenId)) { revert HandlesErrors.NotOwner(); } --_totalSupply; _burn(tokenId); delete _localNames[tokenId]; } /// ************************************ /// **** TOKEN GUARDIAN FUNCTIONS **** /// ************************************ function DANGER__disableTokenGuardian() external override onlyEOA { if (_tokenGuardianDisablingTimestamp[msg.sender] != GUARDIAN_ENABLED) { revert HandlesErrors.DisablingAlreadyTriggered(); } _tokenGuardianDisablingTimestamp[msg.sender] = block.timestamp + TOKEN_GUARDIAN_COOLDOWN; emit HandlesEvents.TokenGuardianStateChanged({ wallet: msg.sender, enabled: false, tokenGuardianDisablingTimestamp: block.timestamp + TOKEN_GUARDIAN_COOLDOWN, timestamp: block.timestamp }); } function enableTokenGuardian() external override onlyEOA { if (_tokenGuardianDisablingTimestamp[msg.sender] == GUARDIAN_ENABLED) { revert HandlesErrors.AlreadyEnabled(); } _tokenGuardianDisablingTimestamp[msg.sender] = GUARDIAN_ENABLED; emit HandlesEvents.TokenGuardianStateChanged({ wallet: msg.sender, enabled: true, tokenGuardianDisablingTimestamp: GUARDIAN_ENABLED, timestamp: block.timestamp }); } function approve(address to, uint256 tokenId) public override(IERC721, ERC721) { // We allow removing approvals even if the wallet has the token guardian enabled if (to != address(0) && _hasTokenGuardianEnabled(ownerOf(tokenId))) { revert HandlesErrors.GuardianEnabled(); } super.approve(to, tokenId); } function setApprovalForAll(address operator, bool approved) public override(IERC721, ERC721) { // We allow removing approvals even if the wallet has the token guardian enabled if (approved && _hasTokenGuardianEnabled(msg.sender)) { revert HandlesErrors.GuardianEnabled(); } super.setApprovalForAll(operator, approved); } function exists(uint256 tokenId) external view override returns (bool) { return _exists(tokenId); } function getNamespace() external pure returns (string memory) { return NAMESPACE; } function getNamespaceHash() external pure returns (bytes32) { return NAMESPACE_HASH; } function getLocalName(uint256 tokenId) public view returns (string memory) { string memory localName = _localNames[tokenId]; if (bytes(localName).length == 0) { revert HandlesErrors.DoesNotExist(); } return _localNames[tokenId]; } function getHandle(uint256 tokenId) public view returns (string memory) { string memory localName = getLocalName(tokenId); return string.concat(NAMESPACE, '/@', localName); } function getTokenId(string memory localName) public pure returns (uint256) { return uint256(keccak256(bytes(localName))); } function getTokenGuardianDisablingTimestamp(address wallet) external view override returns (uint256) { return _tokenGuardianDisablingTimestamp[wallet]; } /** * @dev See {IERC165-supportsInterface}. */ function supportsInterface( bytes4 interfaceId ) public view virtual override(ERC721, ERC2981CollectionRoyalties, IERC165) returns (bool) { return (ERC721.supportsInterface(interfaceId) || ERC2981CollectionRoyalties.supportsInterface(interfaceId)); } ////////////////////////////////////// /// INTERNAL FUNCTIONS /// ////////////////////////////////////// function _mintHandle(address to, string calldata localName) internal returns (uint256) { uint256 tokenId = getTokenId(localName); ++_totalSupply; _mint(to, tokenId); _localNames[tokenId] = localName; emit HandlesEvents.HandleMinted(localName, NAMESPACE, tokenId, to, block.timestamp); return tokenId; } /// @dev This function is used to validate the local name when migrating from V1 to V2. /// As in V1 we also allowed the Hyphen '-' character, we need to allow it here as well and use a separate /// validation function for migration VS newly created handles. function _validateLocalNameMigration(string memory localName) internal pure { bytes memory localNameAsBytes = bytes(localName); uint256 localNameLength = localNameAsBytes.length; if (localNameLength == 0 || localNameLength > MAX_LOCAL_NAME_LENGTH) { revert HandlesErrors.HandleLengthInvalid(); } bytes1 firstByte = localNameAsBytes[0]; if (firstByte == '-' || firstByte == '_') { revert HandlesErrors.HandleFirstCharInvalid(); } uint256 i; while (i < localNameLength) { if (!_isAlphaNumeric(localNameAsBytes[i]) && localNameAsBytes[i] != '-' && localNameAsBytes[i] != '_') { revert HandlesErrors.HandleContainsInvalidCharacters(); } unchecked { ++i; } } } /// @dev In V2 we only accept the following characters: [a-z0-9_] to be used in newly created handles. /// We also disallow the first character to be an underscore '_'. function _validateLocalName(string memory localName) internal pure { bytes memory localNameAsBytes = bytes(localName); uint256 localNameLength = localNameAsBytes.length; if (localNameLength == 0 || localNameLength > MAX_LOCAL_NAME_LENGTH) { revert HandlesErrors.HandleLengthInvalid(); } if (localNameAsBytes[0] == '_') { revert HandlesErrors.HandleFirstCharInvalid(); } uint256 i; while (i < localNameLength) { if (!_isAlphaNumeric(localNameAsBytes[i]) && localNameAsBytes[i] != '_') { revert HandlesErrors.HandleContainsInvalidCharacters(); } unchecked { ++i; } } } /// @dev We only accept lowercase characters to avoid confusion. /// @param char The character to check. /// @return True if the character is alphanumeric, false otherwise. function _isAlphaNumeric(bytes1 char) internal pure returns (bool) { return (char >= '0' && char <= '9') || (char >= 'a' && char <= 'z'); } function _hasTokenGuardianEnabled(address wallet) internal view returns (bool) { return !wallet.isContract() && (_tokenGuardianDisablingTimestamp[wallet] == GUARDIAN_ENABLED || block.timestamp < _tokenGuardianDisablingTimestamp[wallet]); } function _getRoyaltiesInBasisPointsSlot() internal pure override returns (uint256 slot) { assembly { slot := _profileRoyaltiesBps.slot } } function _getReceiver(uint256 /* tokenId */) internal view override returns (address) { return ILensHub(LENS_HUB).getTreasury(); } function _beforeRoyaltiesSet(uint256 /* royaltiesInBasisPoints */) internal view override { if (msg.sender != OWNER) { revert OnlyOwner(); } } function _beforeTokenTransfer( address from, address to, uint256 /* firstTokenId */, uint256 batchSize ) internal override { if (from != address(0) && _hasTokenGuardianEnabled(from)) { // Cannot transfer handle if the guardian is enabled, except at minting time. revert HandlesErrors.GuardianEnabled(); } super._beforeTokenTransfer(from, to, 0, batchSize); } }
// SPDX-License-Identifier: MIT pragma solidity ^0.8.0; import {Errors} from 'contracts/libraries/constants/Errors.sol'; import {IERC165} from '@openzeppelin/contracts/utils/introspection/IERC165.sol'; import {IERC2981} from '@openzeppelin/contracts/interfaces/IERC2981.sol'; abstract contract ERC2981CollectionRoyalties is IERC2981 { uint16 internal constant BASIS_POINTS = 10000; // bytes4(keccak256('royaltyInfo(uint256,uint256)')) == 0x2a55205a bytes4 internal constant INTERFACE_ID_ERC2981 = 0x2a55205a; /** * @dev See {IERC165-supportsInterface}. */ function supportsInterface(bytes4 interfaceId) public view virtual returns (bool) { return interfaceId == INTERFACE_ID_ERC2981 || interfaceId == type(IERC165).interfaceId; } /** * @notice Changes the royalty percentage for secondary sales. * * @param royaltiesInBasisPoints The royalty percentage (measured in basis points). */ function setRoyalty(uint256 royaltiesInBasisPoints) external { _beforeRoyaltiesSet(royaltiesInBasisPoints); _setRoyalty(royaltiesInBasisPoints); } /** * @notice Called with the sale price to determine how much royalty is owed and to whom. * * @param tokenId The ID of the token queried for royalty information. * @param salePrice The sale price of the token specified. * @return A tuple with the address that should receive the royalties and the royalty * payment amount for the given sale price. */ function royaltyInfo(uint256 tokenId, uint256 salePrice) external view returns (address, uint256) { return (_getReceiver(tokenId), _getRoyaltyAmount(tokenId, salePrice)); } function _setRoyalty(uint256 royaltiesInBasisPoints) internal virtual { if (royaltiesInBasisPoints > BASIS_POINTS) { revert Errors.InvalidParameter(); } _storeRoyaltiesInBasisPoints(royaltiesInBasisPoints); } function _getRoyaltyAmount(uint256 /* tokenId */, uint256 salePrice) internal view virtual returns (uint256) { return (salePrice * _loadRoyaltiesInBasisPoints()) / BASIS_POINTS; } function _storeRoyaltiesInBasisPoints(uint256 royaltiesInBasisPoints) internal virtual { uint256 royaltiesInBasisPointsSlot = _getRoyaltiesInBasisPointsSlot(); assembly { sstore(royaltiesInBasisPointsSlot, royaltiesInBasisPoints) } } function _loadRoyaltiesInBasisPoints() internal view virtual returns (uint256) { uint256 royaltiesInBasisPointsSlot = _getRoyaltiesInBasisPointsSlot(); uint256 royaltyAmount; assembly { royaltyAmount := sload(royaltiesInBasisPointsSlot) } return royaltyAmount; } function _beforeRoyaltiesSet(uint256 royaltiesInBasisPoints) internal view virtual; function _getRoyaltiesInBasisPointsSlot() internal view virtual returns (uint256); function _getReceiver(uint256 tokenId) internal view virtual returns (address); }
// SPDX-License-Identifier: MIT pragma solidity >=0.6.0; /** * @title IERC721Burnable * @author Lens Protocol * * @notice Extension of ERC-721 including a function that allows the token to be burned. */ interface IERC721Burnable { /** * @notice Burns an NFT, removing it from circulation and essentially destroying it. * @custom:permission Owner of the NFT. * * @param tokenId The token ID of the token to burn. */ function burn(uint256 tokenId) external; }
// SPDX-License-Identifier: MIT pragma solidity >=0.6.0; /** * @title IERC721MetaTx * @author Lens Protocol * * @notice Extension of ERC-721 including meta-tx signatures related functions. */ interface IERC721MetaTx { /** * @notice Returns the current signature nonce of the given signer. * * @param signer The address for which to query the nonce. * * @return uint256 The current nonce of the given signer. */ function nonces(address signer) external view returns (uint256); /** * @notice Returns the EIP-712 domain separator for this contract. * * @return bytes32 The domain separator. */ function getDomainSeparator() external view returns (bytes32); }
// SPDX-License-Identifier: MIT pragma solidity >=0.6.0; import {Types} from 'contracts/libraries/constants/Types.sol'; /** * @title IERC721Timestamped * @author Lens Protocol * * @notice Extension of ERC-721 including a struct for token data, which contains the owner and the mint timestamp, as * well as their associated getters. */ interface IERC721Timestamped { /** * @notice Returns the mint timestamp associated with a given NFT. * * @param tokenId The token ID of the NFT to query the mint timestamp for. * * @return uint256 Mint timestamp, this is stored as a uint96 but returned as a uint256 to reduce unnecessary * padding. */ function mintTimestampOf(uint256 tokenId) external view returns (uint256); /** * @notice Returns the token data associated with a given NFT. This allows fetching the token owner and * mint timestamp in a single call. * * @param tokenId The token ID of the NFT to query the token data for. * * @return TokenData A struct containing both the owner address and the mint timestamp. */ function tokenDataOf(uint256 tokenId) external view returns (Types.TokenData memory); /** * @notice Returns whether a token with the given token ID exists. * * @param tokenId The token ID of the NFT to check existence for. * * @return bool True if the token exists. */ function exists(uint256 tokenId) external view returns (bool); /** * @notice Returns the amount of tokens in circulation. * * @return uint256 The current total supply of tokens. */ function totalSupply() external view returns (uint256); }
// SPDX-License-Identifier: MIT pragma solidity ^0.8.15; interface IHandleTokenURI { function getTokenURI( uint256 tokenId, string memory localName, string memory namespace ) external view returns (string memory); }
// SPDX-License-Identifier: MIT pragma solidity >=0.6.0; import {IERC721} from '@openzeppelin/contracts/token/ERC721/IERC721.sol'; import {IERC721Timestamped} from 'contracts/interfaces/IERC721Timestamped.sol'; import {IERC721Burnable} from 'contracts/interfaces/IERC721Burnable.sol'; import {IERC721MetaTx} from 'contracts/interfaces/IERC721MetaTx.sol'; import {IERC721Metadata} from '@openzeppelin/contracts/token/ERC721/extensions/IERC721Metadata.sol'; interface ILensERC721 is IERC721, IERC721Timestamped, IERC721Burnable, IERC721MetaTx, IERC721Metadata {}
// SPDX-License-Identifier: MIT pragma solidity >=0.6.0; import {Types} from 'contracts/libraries/constants/Types.sol'; /** * @title ILensGovernable * @author Lens Protocol * * @notice This is the interface for the Lens Protocol main governance functions. */ interface ILensGovernable { /** * @notice Sets the privileged governance role. * @custom:permissions Governance. * * @param newGovernance The new governance address to set. */ function setGovernance(address newGovernance) external; /** * @notice Sets the emergency admin, which is a permissioned role able to set the protocol state. * @custom:permissions Governance. * * @param newEmergencyAdmin The new emergency admin address to set. */ function setEmergencyAdmin(address newEmergencyAdmin) external; /** * @notice Sets the protocol state to either a global pause, a publishing pause or an unpaused state. * @custom:permissions Governance or Emergency Admin. Emergency Admin can only restrict more. * * @param newState The state to set. It can be one of the following: * - Unpaused: The protocol is fully operational. * - PublishingPaused: The protocol is paused for publishing, but it is still operational for others operations. * - Paused: The protocol is paused for all operations. */ function setState(Types.ProtocolState newState) external; /** * @notice Adds or removes a profile creator from the whitelist. * @custom:permissions Governance. * * @param profileCreator The profile creator address to add or remove from the whitelist. * @param whitelist Whether or not the profile creator should be whitelisted. */ function whitelistProfileCreator(address profileCreator, bool whitelist) external; /** * @notice Sets the profile token URI contract. * @custom:permissions Governance. * * @param profileTokenURIContract The profile token URI contract to set. */ function setProfileTokenURIContract(address profileTokenURIContract) external; /** * @notice Sets the follow token URI contract. * @custom:permissions Governance. * * @param followTokenURIContract The follow token URI contract to set. */ function setFollowTokenURIContract(address followTokenURIContract) external; /** * @notice Sets the treasury address. * @custom:permissions Governance * * @param newTreasury The new treasury address to set. */ function setTreasury(address newTreasury) external; /** * @notice Sets the treasury fee. * @custom:permissions Governance * * @param newTreasuryFee The new treasury fee to set. */ function setTreasuryFee(uint16 newTreasuryFee) external; /** * @notice Returns the currently configured governance address. * * @return address The address of the currently configured governance. */ function getGovernance() external view returns (address); /** * @notice Gets the state currently set in the protocol. It could be a global pause, a publishing pause or an * unpaused state. * @custom:permissions Anyone. * * @return Types.ProtocolState The state currently set in the protocol. */ function getState() external view returns (Types.ProtocolState); /** * @notice Returns whether or not a profile creator is whitelisted. * * @param profileCreator The address of the profile creator to check. * * @return bool True if the profile creator is whitelisted, false otherwise. */ function isProfileCreatorWhitelisted(address profileCreator) external view returns (bool); /** * @notice Returns the treasury address. * * @return address The treasury address. */ function getTreasury() external view returns (address); /** * @notice Returns the treasury fee. * * @return uint16 The treasury fee. */ function getTreasuryFee() external view returns (uint16); /** * @notice Returns the treasury address and treasury fee in a single call. * * @return tuple First, the treasury address, second, the treasury fee. */ function getTreasuryData() external view returns (address, uint16); /** * @notice Gets the profile token URI contract. * * @return address The profile token URI contract. */ function getProfileTokenURIContract() external view returns (address); /** * @notice Gets the follow token URI contract. * * @return address The follow token URI contract. */ function getFollowTokenURIContract() external view returns (address); }
// SPDX-License-Identifier: MIT pragma solidity >=0.6.0; import {IERC721} from '@openzeppelin/contracts/token/ERC721/IERC721.sol'; /** * @title ILensHandles * @author Lens Protocol * * @notice This is the interface for the LensHandles contract that is responsible for minting and burning handle NFTs. * A handle is composed of a local name and a namespace, separated by a dot. * Example: `satoshi.lens` is a handle composed of the local name `satoshi` and the namespace `lens`. */ interface ILensHandles is IERC721 { /** * @notice Mints a handle NFT in the given namespace. * @custom:permissions Only LensHandles contract's owner or LensHub. * * @param to The address to mint the handle to. * @param localName The local name of the handle (the part before ".lens"). * * @return uint256 The ID of the handle NFT minted. */ function mintHandle(address to, string calldata localName) external returns (uint256); /** * @notice Burns a handle NFT. * @custom:permissions Owner of Handle NFT. * * @param tokenId The ID of the handle NFT to burn. */ function burn(uint256 tokenId) external; /** * @notice Gets the namespace of the contract. It's 'lens' for the LensHandles contract. * * @return string The namespace of the contract. */ function getNamespace() external pure returns (string memory); /** * @notice Gets the hash of the namespace of the contract. It's keccak256('lens') for the LensHandles contract. * * @return bytes32 The hash of the namespace of the contract. */ function getNamespaceHash() external pure returns (bytes32); /** * @notice Returns whether `tokenId` exists. * * Tokens start existing when they are minted (`_mint`), * and stop existing when they are burned (`_burn`). * * @return bool Whether the token exists. */ function exists(uint256 tokenId) external view returns (bool); /** * @notice Returns the amount of tokens in circulation. * * @return uint256 The current total supply of tokens. */ function totalSupply() external view returns (uint256); /** * @notice Returns the HandleTokenURI contract address. * * @return address The HandleTokenURI contract address. */ function getHandleTokenURIContract() external view returns (address); /** * @notice Sets the HandleTokenURI contract address. * @custom:permissions Only LensHandles contract's owner * * @param handleTokenURIContract The HandleTokenURI contract address to set. */ function setHandleTokenURIContract(address handleTokenURIContract) external; /** * @notice DANGER: Triggers disabling the profile protection mechanism for the msg.sender, which will allow * transfers or approvals over profiles held by it. * Disabling the mechanism will have a timelock before it becomes effective, allowing the owner to re-enable * the protection back in case of being under attack. * The protection layer only applies to EOA wallets. */ function DANGER__disableTokenGuardian() external; /** * @notice Enables back the profile protection mechanism for the msg.sender, preventing profile transfers or * approvals (except when revoking them). * The protection layer only applies to EOA wallets. */ function enableTokenGuardian() external; /** * @notice Returns the timestamp at which the Token Guardian will become effectively disabled. * * @param wallet The address to check the timestamp for. * * @return uint256 The timestamp at which the Token Guardian will become effectively disabled. * Max 256-bit unsigned integer value if enabled. */ function getTokenGuardianDisablingTimestamp(address wallet) external view returns (uint256); }
// SPDX-License-Identifier: MIT pragma solidity >=0.6.0; import {ILensProtocol} from 'contracts/interfaces/ILensProtocol.sol'; import {ILensGovernable} from 'contracts/interfaces/ILensGovernable.sol'; import {ILensHubEventHooks} from 'contracts/interfaces/ILensHubEventHooks.sol'; import {ILensImplGetters} from 'contracts/interfaces/ILensImplGetters.sol'; import {ILensProfiles} from 'contracts/interfaces/ILensProfiles.sol'; import {ILensVersion} from 'contracts/interfaces/ILensVersion.sol'; interface ILensHub is ILensProfiles, ILensProtocol, ILensGovernable, ILensHubEventHooks, ILensImplGetters, ILensVersion {}
// SPDX-License-Identifier: MIT pragma solidity >=0.6.0; /** * @title ILensHubEventHooks * @author Lens Protocol * * @notice This is the interface for the LensHub contract's event hooks. As we want most of the core events to be * emitted by the LensHub contract, event hooks are needed for core events generated by pheripheral contracts. */ interface ILensHubEventHooks { /** * @dev Helper function to emit an `Unfollowed` event from the hub, to be consumed by indexers to track unfollows. * @custom:permissions FollowNFT of the Profile unfollowed. * * @param unfollowerProfileId The ID of the profile that executed the unfollow. * @param idOfProfileUnfollowed The ID of the profile that was unfollowed. * @param transactionExecutor The address of the account executing the unfollow operation. */ function emitUnfollowedEvent( uint256 unfollowerProfileId, uint256 idOfProfileUnfollowed, address transactionExecutor ) external; }
// SPDX-License-Identifier: MIT pragma solidity >=0.6.0; /** * @title ILensImplGetters * @author Lens Protocol * * @notice This is the interface for the LensHub contract's implementation getters. These implementations will be used * for deploying each respective contract for each profile. */ interface ILensImplGetters { /** * @notice Returns the Follow NFT implementation address that is used for all deployed Follow NFTs. * * @return address The Follow NFT implementation address. */ function getFollowNFTImpl() external view returns (address); /** * @notice Returns the Collect NFT implementation address that is used for each new deployed Collect NFT. * @custom:pending-deprecation * * @return address The Collect NFT implementation address. */ function getLegacyCollectNFTImpl() external view returns (address); /** * @notice Returns the address of the registry that stores all modules that are used by the Lens Protocol. * * @return address The address of the Module Registry contract. */ function getModuleRegistry() external view returns (address); }
// SPDX-License-Identifier: MIT pragma solidity >=0.6.0; import {ILensERC721} from 'contracts/interfaces/ILensERC721.sol'; interface ILensProfiles is ILensERC721 { /** * @notice DANGER: Triggers disabling the profile protection mechanism for the msg.sender, which will allow * transfers or approvals over profiles held by it. * Disabling the mechanism will have a timelock before it becomes effective, allowing the owner to re-enable * the protection back in case of being under attack. * The protection layer only applies to EOA wallets. */ function DANGER__disableTokenGuardian() external; /** * @notice Enables back the profile protection mechanism for the msg.sender, preventing profile transfers or * approvals (except when revoking them). * The protection layer only applies to EOA wallets. */ function enableTokenGuardian() external; /** * @notice Returns the timestamp at which the Token Guardian will become effectively disabled. * * @param wallet The address to check the timestamp for. * * @return uint256 The timestamp at which the Token Guardian will become effectively disabled. Zero if enabled. */ function getTokenGuardianDisablingTimestamp(address wallet) external view returns (uint256); }
// SPDX-License-Identifier: MIT pragma solidity >=0.6.0; import {Types} from 'contracts/libraries/constants/Types.sol'; /** * @title ILensProtocol * @author Lens Protocol * * @notice This is the interface for Lens Protocol's core functions. It contains all the entry points for performing * social operations. */ interface ILensProtocol { /** * @notice Creates a profile with the specified parameters, minting a Profile NFT to the given recipient. * @custom:permissions Any whitelisted profile creator. * * @param createProfileParams A CreateProfileParams struct containing the needed params. */ function createProfile(Types.CreateProfileParams calldata createProfileParams) external returns (uint256); /** * @notice Sets the metadata URI for the given profile. * @custom:permissions Profile Owner or Delegated Executor. * * @param profileId The token ID of the profile to set the metadata URI for. * @param metadataURI The metadata URI to set for the given profile. */ function setProfileMetadataURI(uint256 profileId, string calldata metadataURI) external; /** * @custom:meta-tx setProfileMetadataURI. */ function setProfileMetadataURIWithSig( uint256 profileId, string calldata metadataURI, Types.EIP712Signature calldata signature ) external; /** * @notice Sets the follow module for the given profile. * @custom:permissions Profile Owner or Delegated Executor. * * @param profileId The token ID of the profile to set the follow module for. * @param followModule The follow module to set for the given profile, must be whitelisted. * @param followModuleInitData The data to be passed to the follow module for initialization. */ function setFollowModule(uint256 profileId, address followModule, bytes calldata followModuleInitData) external; /** * @custom:meta-tx setFollowModule. */ function setFollowModuleWithSig( uint256 profileId, address followModule, bytes calldata followModuleInitData, Types.EIP712Signature calldata signature ) external; /** * @notice Changes the delegated executors configuration for the given profile. It allows setting the approvals for * delegated executors in the specified configuration, as well as switching to it. * @custom:permissions Profile Owner. * * @param delegatorProfileId The ID of the profile to which the delegated executor is being changed for. * @param delegatedExecutors The array of delegated executors to set the approval for. * @param approvals The array of booleans indicating the corresponding executor's new approval status. * @param configNumber The number of the configuration where the executor approval state is being set. * @param switchToGivenConfig A boolean indicating if the configuration must be switched to the one with the given * number. */ function changeDelegatedExecutorsConfig( uint256 delegatorProfileId, address[] calldata delegatedExecutors, bool[] calldata approvals, uint64 configNumber, bool switchToGivenConfig ) external; /** * @notice Changes the delegated executors configuration for the given profile under the current configuration. * @custom:permissions Profile Owner. * * @param delegatorProfileId The ID of the profile to which the delegated executor is being changed for. * @param delegatedExecutors The array of delegated executors to set the approval for. * @param approvals The array of booleans indicating the corresponding executor's new approval status. */ function changeDelegatedExecutorsConfig( uint256 delegatorProfileId, address[] calldata delegatedExecutors, bool[] calldata approvals ) external; /** * @custom:meta-tx changeDelegatedExecutorsConfig. */ function changeDelegatedExecutorsConfigWithSig( uint256 delegatorProfileId, address[] calldata delegatedExecutors, bool[] calldata approvals, uint64 configNumber, bool switchToGivenConfig, Types.EIP712Signature calldata signature ) external; /** * @notice Publishes a post. * Post is the most basic publication type, and can be used to publish any kind of content. * Posts can have these types of modules initialized: * - Action modules: any number of publication actions (e.g. collect, tip, etc.) * - Reference module: a module handling the rules when referencing this post (e.g. token-gated comments) * @custom:permissions Profile Owner or Delegated Executor. * * @param postParams A PostParams struct containing the needed parameters. * * @return uint256 An integer representing the post's publication ID. */ function post(Types.PostParams calldata postParams) external returns (uint256); /** * @custom:meta-tx post. */ function postWithSig( Types.PostParams calldata postParams, Types.EIP712Signature calldata signature ) external returns (uint256); /** * @notice Publishes a comment on the given publication. * Comment is a type of reference publication that points to another publication. * Comments can have these types of modules initialized: * - Action modules: any number of publication actions (e.g. collect, tip, etc.) * - Reference module: a module handling the rules when referencing this comment (e.g. token-gated mirrors) * Comments can have referrers (e.g. publications or profiles that helped to discover the pointed publication). * @custom:permissions Profile Owner or Delegated Executor. * * @param commentParams A CommentParams struct containing the needed parameters. * * @return uint256 An integer representing the comment's publication ID. */ function comment(Types.CommentParams calldata commentParams) external returns (uint256); /** * @custom:meta-tx comment. */ function commentWithSig( Types.CommentParams calldata commentParams, Types.EIP712Signature calldata signature ) external returns (uint256); /** * @notice Publishes a mirror of the given publication. * Mirror is a type of reference publication that points to another publication but doesn't have content. * Mirrors don't have any modules initialized. * Mirrors can have referrers (e.g. publications or profiles that allowed to discover the pointed publication). * You cannot mirror a mirror, comment on a mirror, or quote a mirror. * @custom:permissions Profile Owner or Delegated Executor. * * @param mirrorParams A MirrorParams struct containing the necessary parameters. * * @return uint256 An integer representing the mirror's publication ID. */ function mirror(Types.MirrorParams calldata mirrorParams) external returns (uint256); /** * @custom:meta-tx mirror. */ function mirrorWithSig( Types.MirrorParams calldata mirrorParams, Types.EIP712Signature calldata signature ) external returns (uint256); /** * @notice Publishes a quote of the given publication. * Quote is a type of reference publication similar to mirror, but it has content and modules. * Quotes can have these types of modules initialized: * - Action modules: any number of publication actions (e.g. collect, tip, etc.) * - Reference module: a module handling the rules when referencing this quote (e.g. token-gated comments on quote) * Quotes can have referrers (e.g. publications or profiles that allowed to discover the pointed publication). * Unlike mirrors, you can mirror a quote, comment on a quote, or quote a quote. * @custom:permissions Profile Owner or Delegated Executor. * * @param quoteParams A QuoteParams struct containing the needed parameters. * * @return uint256 An integer representing the quote's publication ID. */ function quote(Types.QuoteParams calldata quoteParams) external returns (uint256); /** * @custom:meta-tx quote. */ function quoteWithSig( Types.QuoteParams calldata quoteParams, Types.EIP712Signature calldata signature ) external returns (uint256); /** * @notice Follows given profiles, executing each profile's follow module logic (if any). * @custom:permissions Profile Owner or Delegated Executor. * * @dev Both the `idsOfProfilesToFollow`, `followTokenIds`, and `datas` arrays must be of the same length, * regardless if the profiles do not have a follow module set. * * @param followerProfileId The ID of the profile the follows are being executed for. * @param idsOfProfilesToFollow The array of IDs of profiles to follow. * @param followTokenIds The array of follow token IDs to use for each follow (0 if you don't own a follow token). * @param datas The arbitrary data array to pass to the follow module for each profile if needed. * * @return uint256[] An array of follow token IDs representing the follow tokens created for each follow. */ function follow( uint256 followerProfileId, uint256[] calldata idsOfProfilesToFollow, uint256[] calldata followTokenIds, bytes[] calldata datas ) external returns (uint256[] memory); /** * @custom:meta-tx follow. */ function followWithSig( uint256 followerProfileId, uint256[] calldata idsOfProfilesToFollow, uint256[] calldata followTokenIds, bytes[] calldata datas, Types.EIP712Signature calldata signature ) external returns (uint256[] memory); /** * @notice Unfollows given profiles. * @custom:permissions Profile Owner or Delegated Executor. * * @param unfollowerProfileId The ID of the profile the unfollows are being executed for. * @param idsOfProfilesToUnfollow The array of IDs of profiles to unfollow. */ function unfollow(uint256 unfollowerProfileId, uint256[] calldata idsOfProfilesToUnfollow) external; /** * @custom:meta-tx unfollow. */ function unfollowWithSig( uint256 unfollowerProfileId, uint256[] calldata idsOfProfilesToUnfollow, Types.EIP712Signature calldata signature ) external; /** * @notice Sets the block status for the given profiles. Changing a profile's block status to `true` (i.e. blocked), * when will also force them to unfollow. * Blocked profiles cannot perform any actions with the profile that blocked them: they cannot comment or mirror * their publications, they cannot follow them, they cannot collect, tip them, etc. * @custom:permissions Profile Owner or Delegated Executor. * * @dev Both the `idsOfProfilesToSetBlockStatus` and `blockStatus` arrays must be of the same length. * * @param byProfileId The ID of the profile that is blocking/unblocking somebody. * @param idsOfProfilesToSetBlockStatus The array of IDs of profiles to set block status. * @param blockStatus The array of block statuses to use for each (true is blocked). */ function setBlockStatus( uint256 byProfileId, uint256[] calldata idsOfProfilesToSetBlockStatus, bool[] calldata blockStatus ) external; /** * @custom:meta-tx setBlockStatus. */ function setBlockStatusWithSig( uint256 byProfileId, uint256[] calldata idsOfProfilesToSetBlockStatus, bool[] calldata blockStatus, Types.EIP712Signature calldata signature ) external; /** * @notice Collects a given publication via signature with the specified parameters. * Collect can have referrers (e.g. publications or profiles that allowed to discover the pointed publication). * @custom:permissions Collector Profile Owner or its Delegated Executor. * @custom:pending-deprecation Collect modules were replaced by PublicationAction Collect modules in V2. This method * is left here for backwards compatibility with posts made in V1 that had Collect modules. * * @param collectParams A CollectParams struct containing the parameters. * * @return uint256 An integer representing the minted token ID. */ function collectLegacy(Types.LegacyCollectParams calldata collectParams) external returns (uint256); /** * @custom:meta-tx collect. * @custom:pending-deprecation */ function collectLegacyWithSig( Types.LegacyCollectParams calldata collectParams, Types.EIP712Signature calldata signature ) external returns (uint256); /** * @notice Acts on a given publication with the specified parameters. * You can act on a publication except a mirror (if it has at least one action module initialized). * Actions can have referrers (e.g. publications or profiles that allowed to discover the pointed publication). * @custom:permissions Actor Profile Owner or its Delegated Executor. * * @param publicationActionParams A PublicationActionParams struct containing the parameters. * * @return bytes Arbitrary data the action module returns. */ function act(Types.PublicationActionParams calldata publicationActionParams) external returns (bytes memory); /** * @custom:meta-tx act. */ function actWithSig( Types.PublicationActionParams calldata publicationActionParams, Types.EIP712Signature calldata signature ) external returns (bytes memory); /** * @dev This function is used to invalidate signatures by incrementing the nonce of the signer. * @param increment The amount to increment the nonce by (max 255). */ function incrementNonce(uint8 increment) external; ///////////////////////////////// /// VIEW FUNCTIONS /// ///////////////////////////////// /** * @notice Returns whether or not `followerProfileId` is following `followedProfileId`. * * @param followerProfileId The ID of the profile whose following state should be queried. * @param followedProfileId The ID of the profile whose followed state should be queried. * * @return bool True if `followerProfileId` is following `followedProfileId`, false otherwise. */ function isFollowing(uint256 followerProfileId, uint256 followedProfileId) external view returns (bool); /** * @notice Returns whether the given address is approved as delegated executor, in the configuration with the given * number, to act on behalf of the given profile. * * @param delegatorProfileId The ID of the profile to check the delegated executor approval for. * @param delegatedExecutor The address to query the delegated executor approval for. * @param configNumber The number of the configuration where the executor approval state is being queried. * * @return bool True if the address is approved as a delegated executor to act on behalf of the profile in the * given configuration, false otherwise. */ function isDelegatedExecutorApproved( uint256 delegatorProfileId, address delegatedExecutor, uint64 configNumber ) external view returns (bool); /** * @notice Returns whether the given address is approved as delegated executor, in the current configuration, to act * on behalf of the given profile. * * @param delegatorProfileId The ID of the profile to check the delegated executor approval for. * @param delegatedExecutor The address to query the delegated executor approval for. * * @return bool True if the address is approved as a delegated executor to act on behalf of the profile in the * current configuration, false otherwise. */ function isDelegatedExecutorApproved( uint256 delegatorProfileId, address delegatedExecutor ) external view returns (bool); /** * @notice Returns the current delegated executor config number for the given profile. * * @param delegatorProfileId The ID of the profile from which the delegated executors config number is being queried * * @return uint256 The current delegated executor configuration number. */ function getDelegatedExecutorsConfigNumber(uint256 delegatorProfileId) external view returns (uint64); /** * @notice Returns the previous used delegated executor config number for the given profile. * * @param delegatorProfileId The ID of the profile from which the delegated executors' previous configuration number * set is being queried. * * @return uint256 The delegated executor configuration number previously set. It will coincide with the current * configuration set if it was never switched from the default one. */ function getDelegatedExecutorsPrevConfigNumber(uint256 delegatorProfileId) external view returns (uint64); /** * @notice Returns the maximum delegated executor config number for the given profile. * This is the maximum config number that was ever used by this profile. * When creating a new clean configuration, you can only use a number that is maxConfigNumber + 1. * * @param delegatorProfileId The ID of the profile from which the delegated executors' maximum configuration number * set is being queried. * * @return uint256 The delegated executor maximum configuration number set. */ function getDelegatedExecutorsMaxConfigNumberSet(uint256 delegatorProfileId) external view returns (uint64); /** * @notice Returns whether `profileId` is blocked by `byProfileId`. * See setBlockStatus() for more information on how blocking works on the platform. * * @param profileId The ID of the profile whose blocked status should be queried. * @param byProfileId The ID of the profile whose blocker status should be queried. * * @return bool True if `profileId` is blocked by `byProfileId`, false otherwise. */ function isBlocked(uint256 profileId, uint256 byProfileId) external view returns (bool); /** * @notice Returns the URI associated with a given publication. * This is used to store the publication's metadata, e.g.: content, images, etc. * * @param profileId The token ID of the profile that published the publication to query. * @param pubId The publication ID of the publication to query. * * @return string The URI associated with a given publication. */ function getContentURI(uint256 profileId, uint256 pubId) external view returns (string memory); /** * @notice Returns the full profile struct associated with a given profile token ID. * * @param profileId The token ID of the profile to query. * * @return Profile The profile struct of the given profile. */ function getProfile(uint256 profileId) external view returns (Types.Profile memory); /** * @notice Returns the full publication struct for a given publication. * * @param profileId The token ID of the profile that published the publication to query. * @param pubId The publication ID of the publication to query. * * @return Publication The publication struct associated with the queried publication. */ function getPublication(uint256 profileId, uint256 pubId) external view returns (Types.PublicationMemory memory); /** * @notice Returns the type of a given publication. * The type can be one of the following (see PublicationType enum): * - Nonexistent * - Post * - Comment * - Mirror * - Quote * * @param profileId The token ID of the profile that published the publication to query. * @param pubId The publication ID of the publication to query. * * @return PublicationType The publication type of the queried publication. */ function getPublicationType(uint256 profileId, uint256 pubId) external view returns (Types.PublicationType); /** * @notice Returns wether a given Action Module is enabled for a given publication. * * @param profileId The token ID of the profile that published the publication to query. * @param pubId The publication ID of the publication to query. * @param module The address of the Action Module to query. * * @return bool True if the Action Module is enabled for the queried publication, false if not. */ function isActionModuleEnabledInPublication( uint256 profileId, uint256 pubId, address module ) external view returns (bool); }
// SPDX-License-Identifier: MIT pragma solidity >=0.6.0; /** * @title ILensVersion * @author Lens Protocol * * @notice This is the interface for the LensHub Version getters and emitter. * It allows to emit a LensHub version during an upgrade, and also to get the current version. */ interface ILensVersion { /** * @notice Returns the LensHub current Version. * * @return version The LensHub current Version. */ function getVersion() external view returns (string memory); /** * @notice Returns the LensHub current Git Commit. * * @return gitCommit The LensHub current Git Commit. */ function getGitCommit() external view returns (bytes20); /** * @notice Emits the LensHub current Version. Used in upgradeAndCall(). */ function emitVersion() external; }
// SPDX-License-Identifier: MIT pragma solidity >=0.6.0; library Errors { error CannotInitImplementation(); error Initialized(); error SignatureExpired(); error SignatureInvalid(); error InvalidOwner(); error NotOwnerOrApproved(); error NotHub(); error TokenDoesNotExist(); error NotGovernance(); error NotGovernanceOrEmergencyAdmin(); error EmergencyAdminCanOnlyPauseFurther(); error NotProfileOwner(); error PublicationDoesNotExist(); error CallerNotFollowNFT(); error CallerNotCollectNFT(); // Legacy error ArrayMismatch(); error NotWhitelisted(); error NotRegistered(); error InvalidParameter(); error ExecutorInvalid(); error Blocked(); error SelfBlock(); error NotFollowing(); error SelfFollow(); error InvalidReferrer(); error InvalidPointedPub(); error NonERC721ReceiverImplementer(); error AlreadyEnabled(); // Module Errors error InitParamsInvalid(); error ActionNotAllowed(); error CollectNotAllowed(); // Used in LegacyCollectLib (pending deprecation) // MultiState Errors error Paused(); error PublishingPaused(); // Profile Guardian Errors error GuardianEnabled(); error NotEOA(); error DisablingAlreadyTriggered(); // Migration Errors error NotMigrationAdmin(); }
// SPDX-License-Identifier: MIT pragma solidity >=0.6.0; /** * @title Types * @author Lens Protocol * * @notice A standard library of data types used throughout the Lens Protocol. */ library Types { /** * @notice ERC721Timestamped storage. Contains the owner address and the mint timestamp for every NFT. * * Note: Instead of the owner address in the _tokenOwners private mapping, we now store it in the * _tokenData mapping, alongside the mint timestamp. * * @param owner The token owner. * @param mintTimestamp The mint timestamp. */ struct TokenData { address owner; uint96 mintTimestamp; } /** * @notice A struct containing token follow-related data. * * @param followerProfileId The ID of the profile using the token to follow. * @param originalFollowTimestamp The timestamp of the first follow performed with the token. * @param followTimestamp The timestamp of the current follow, if a profile is using the token to follow. * @param profileIdAllowedToRecover The ID of the profile allowed to recover the follow ID, if any. */ struct FollowData { uint160 followerProfileId; uint48 originalFollowTimestamp; uint48 followTimestamp; uint256 profileIdAllowedToRecover; } /** * @notice An enum containing the different states the protocol can be in, limiting certain actions. * * @param Unpaused The fully unpaused state. * @param PublishingPaused The state where only publication creation functions are paused. * @param Paused The fully paused state. */ enum ProtocolState { Unpaused, PublishingPaused, Paused } /** * @notice An enum specifically used in a helper function to easily retrieve the publication type for integrations. * * @param Nonexistent An indicator showing the queried publication does not exist. * @param Post A standard post, having an URI, action modules and no pointer to another publication. * @param Comment A comment, having an URI, action modules and a pointer to another publication. * @param Mirror A mirror, having a pointer to another publication, but no URI or action modules. * @param Quote A quote, having an URI, action modules, and a pointer to another publication. */ enum PublicationType { Nonexistent, Post, Comment, Mirror, Quote } /** * @notice A struct containing the necessary information to reconstruct an EIP-712 typed data signature. * * @param signer The address of the signer. Specially needed as a parameter to support EIP-1271. * @param v The signature's recovery parameter. * @param r The signature's r parameter. * @param s The signature's s parameter. * @param deadline The signature's deadline. */ struct EIP712Signature { address signer; uint8 v; bytes32 r; bytes32 s; uint256 deadline; } /** * @notice A struct containing profile data. * * @param pubCount The number of publications made to this profile. * @param followModule The address of the current follow module in use by this profile, can be address(0) in none. * @param followNFT The address of the followNFT associated with this profile. It can be address(0) if the * profile has not been followed yet, as the collection is lazy-deployed upon the first follow. * @param __DEPRECATED__handle DEPRECATED in V2: handle slot, was replaced with LensHandles. * @param __DEPRECATED__imageURI DEPRECATED in V2: The URI to be used for the profile image. * @param __DEPRECATED__followNFTURI DEPRECATED in V2: The URI used for the follow NFT image. * @param metadataURI MetadataURI is used to store the profile's metadata, for example: displayed name, description, * interests, etc. */ struct Profile { uint256 pubCount; // offset 0 address followModule; // offset 1 address followNFT; // offset 2 string __DEPRECATED__handle; // offset 3 string __DEPRECATED__imageURI; // offset 4 string __DEPRECATED__followNFTURI; // Deprecated in V2 as we have a common tokenURI for all Follows, offset 5 string metadataURI; // offset 6 } /** * @notice A struct containing publication data. * * @param pointedProfileId The profile token ID to point the publication to. * @param pointedPubId The publication ID to point the publication to. * These are used to implement the "reference" feature of the platform and is used in: * - Mirrors * - Comments * - Quotes * There are (0,0) if the publication is not pointing to any other publication (i.e. the publication is a Post). * @param contentURI The URI to set for the content of publication (can be ipfs, arweave, http, etc). * @param referenceModule Reference module associated with this profile, if any. * @param __DEPRECATED__collectModule Collect module associated with this publication, if any. Deprecated in V2. * @param __DEPRECATED__collectNFT Collect NFT associated with this publication, if any. Deprecated in V2. * @param pubType The type of publication, can be Nonexistent, Post, Comment, Mirror or Quote. * @param rootProfileId The profile ID of the root post (to determine if comments/quotes and mirrors come from it). * Posts, V1 publications and publications rooted in V1 publications don't have it set. * @param rootPubId The publication ID of the root post (to determine if comments/quotes and mirrors come from it). * Posts, V1 publications and publications rooted in V1 publications don't have it set. * @param actionModuleEnabled The action modules enabled in a given publication. */ struct Publication { uint256 pointedProfileId; uint256 pointedPubId; string contentURI; address referenceModule; address __DEPRECATED__collectModule; // Deprecated in V2 address __DEPRECATED__collectNFT; // Deprecated in V2 // Added in Lens V2, so these will be zero for old publications: PublicationType pubType; uint256 rootProfileId; uint256 rootPubId; mapping(address => bool) actionModuleEnabled; } struct PublicationMemory { uint256 pointedProfileId; uint256 pointedPubId; string contentURI; address referenceModule; address __DEPRECATED__collectModule; // Deprecated in V2 address __DEPRECATED__collectNFT; // Deprecated in V2 // Added in Lens V2, so these will be zero for old publications: PublicationType pubType; uint256 rootProfileId; uint256 rootPubId; // bytes32 __ACTION_MODULE_ENABLED_MAPPING; // Mappings are not supported in memory. } /** * @notice A struct containing the parameters required for the `createProfile()` function. * * @param to The address receiving the profile. * @param followModule The follow module to use, can be the zero address. * @param followModuleInitData The follow module initialization data, if any. */ struct CreateProfileParams { address to; address followModule; bytes followModuleInitData; } /** * @notice A struct containing the parameters required for the `post()` function. * * @param profileId The token ID of the profile to publish to. * @param contentURI The URI to set for this new publication. * @param actionModules The action modules to set for this new publication. * @param actionModulesInitDatas The data to pass to the action modules' initialization. * @param referenceModule The reference module to set for the given publication, must be whitelisted. * @param referenceModuleInitData The data to be passed to the reference module for initialization. */ struct PostParams { uint256 profileId; string contentURI; address[] actionModules; bytes[] actionModulesInitDatas; address referenceModule; bytes referenceModuleInitData; } /** * @notice A struct containing the parameters required for the `comment()` function. * * @param profileId The token ID of the profile to publish to. * @param contentURI The URI to set for this new publication. * @param pointedProfileId The profile token ID to point the comment to. * @param pointedPubId The publication ID to point the comment to. * @param referrerProfileId The profile token ID of the publication that referred to the publication being commented on/quoted. * @param referrerPubId The ID of the publication that referred to the publication being commented on/quoted. * @param referenceModuleData The data passed to the reference module. * @param actionModules The action modules to set for this new publication. * @param actionModulesInitDatas The data to pass to the action modules' initialization. * @param referenceModule The reference module to set for the given publication, must be whitelisted. * @param referenceModuleInitData The data to be passed to the reference module for initialization. */ struct CommentParams { uint256 profileId; string contentURI; uint256 pointedProfileId; uint256 pointedPubId; uint256[] referrerProfileIds; uint256[] referrerPubIds; bytes referenceModuleData; address[] actionModules; bytes[] actionModulesInitDatas; address referenceModule; bytes referenceModuleInitData; } /** * @notice A struct containing the parameters required for the `quote()` function. * * @param profileId The token ID of the profile to publish to. * @param contentURI The URI to set for this new publication. * @param pointedProfileId The profile token ID of the publication author that is quoted. * @param pointedPubId The publication ID that is quoted. * @param referrerProfileId The profile token ID of the publication that referred to the publication being commented on/quoted. * @param referrerPubId The ID of the publication that referred to the publication being commented on/quoted. * @param referenceModuleData The data passed to the reference module. * @param actionModules The action modules to set for this new publication. * @param actionModulesInitDatas The data to pass to the action modules' initialization. * @param referenceModule The reference module to set for the given publication, must be whitelisted. * @param referenceModuleInitData The data to be passed to the reference module for initialization. */ struct QuoteParams { uint256 profileId; string contentURI; uint256 pointedProfileId; uint256 pointedPubId; uint256[] referrerProfileIds; uint256[] referrerPubIds; bytes referenceModuleData; address[] actionModules; bytes[] actionModulesInitDatas; address referenceModule; bytes referenceModuleInitData; } /** * @notice A struct containing the parameters required for the `comment()` or `quote()` internal functions. * * @param profileId The token ID of the profile to publish to. * @param contentURI The URI to set for this new publication. * @param pointedProfileId The profile token ID of the publication author that is commented on/quoted. * @param pointedPubId The publication ID that is commented on/quoted. * @param referrerProfileId The profile token ID of the publication that referred to the publication being commented on/quoted. * @param referrerPubId The ID of the publication that referred to the publication being commented on/quoted. * @param referenceModuleData The data passed to the reference module. * @param actionModules The action modules to set for this new publication. * @param actionModulesInitDatas The data to pass to the action modules' initialization. * @param referenceModule The reference module to set for the given publication, must be whitelisted. * @param referenceModuleInitData The data to be passed to the reference module for initialization. */ struct ReferencePubParams { uint256 profileId; string contentURI; uint256 pointedProfileId; uint256 pointedPubId; uint256[] referrerProfileIds; uint256[] referrerPubIds; bytes referenceModuleData; address[] actionModules; bytes[] actionModulesInitDatas; address referenceModule; bytes referenceModuleInitData; } /** * @notice A struct containing the parameters required for the `mirror()` function. * * @param profileId The token ID of the profile to publish to. * @param metadataURI the URI containing metadata attributes to attach to this mirror publication. * @param pointedProfileId The profile token ID to point the mirror to. * @param pointedPubId The publication ID to point the mirror to. * @param referenceModuleData The data passed to the reference module. */ struct MirrorParams { uint256 profileId; string metadataURI; uint256 pointedProfileId; uint256 pointedPubId; uint256[] referrerProfileIds; uint256[] referrerPubIds; bytes referenceModuleData; } /** * Deprecated in V2: Will be removed after some time after upgrading to V2. * @notice A struct containing the parameters required for the legacy `collect()` function. * @dev The referrer can only be a mirror of the publication being collected. * * @param publicationCollectedProfileId The token ID of the profile that published the publication to collect. * @param publicationCollectedId The publication to collect's publication ID. * @param collectorProfileId The collector profile. * @param referrerProfileId The ID of a profile that authored a mirror that helped discovering the collected pub. * @param referrerPubId The ID of the mirror that helped discovering the collected pub. * @param collectModuleData The arbitrary data to pass to the collectModule if needed. */ struct LegacyCollectParams { uint256 publicationCollectedProfileId; uint256 publicationCollectedId; uint256 collectorProfileId; uint256 referrerProfileId; uint256 referrerPubId; bytes collectModuleData; } /** * @notice A struct containing the parameters required for the `action()` function. * * @param publicationActedProfileId The token ID of the profile that published the publication to action. * @param publicationActedId The publication to action's publication ID. * @param actorProfileId The actor profile. * @param referrerProfileId * @param referrerPubId * @param actionModuleAddress * @param actionModuleData The arbitrary data to pass to the actionModule if needed. */ struct PublicationActionParams { uint256 publicationActedProfileId; uint256 publicationActedId; uint256 actorProfileId; uint256[] referrerProfileIds; uint256[] referrerPubIds; address actionModuleAddress; bytes actionModuleData; } struct ProcessActionParams { uint256 publicationActedProfileId; uint256 publicationActedId; uint256 actorProfileId; address actorProfileOwner; address transactionExecutor; uint256[] referrerProfileIds; uint256[] referrerPubIds; Types.PublicationType[] referrerPubTypes; bytes actionModuleData; } struct ProcessCommentParams { uint256 profileId; uint256 pubId; address transactionExecutor; uint256 pointedProfileId; uint256 pointedPubId; uint256[] referrerProfileIds; uint256[] referrerPubIds; Types.PublicationType[] referrerPubTypes; bytes data; } struct ProcessQuoteParams { uint256 profileId; uint256 pubId; address transactionExecutor; uint256 pointedProfileId; uint256 pointedPubId; uint256[] referrerProfileIds; uint256[] referrerPubIds; Types.PublicationType[] referrerPubTypes; bytes data; } struct ProcessMirrorParams { uint256 profileId; uint256 pubId; address transactionExecutor; uint256 pointedProfileId; uint256 pointedPubId; uint256[] referrerProfileIds; uint256[] referrerPubIds; Types.PublicationType[] referrerPubTypes; bytes data; } /** * @notice A struct containing a profile's delegated executors configuration. * * @param isApproved Tells when an address is approved as delegated executor in the given configuration number. * @param configNumber Current configuration number in use. * @param prevConfigNumber Previous configuration number set, before switching to the current one. * @param maxConfigNumberSet Maximum configuration number ever used. */ struct DelegatedExecutorsConfig { mapping(uint256 => mapping(address => bool)) isApproved; // isApproved[configNumber][delegatedExecutor] uint64 configNumber; uint64 prevConfigNumber; uint64 maxConfigNumberSet; } struct TreasuryData { address treasury; uint16 treasuryFeeBPS; } struct MigrationParams { address lensHandlesAddress; address tokenHandleRegistryAddress; address legacyFeeFollowModule; address legacyProfileFollowModule; address newFeeFollowModule; } }
// SPDX-License-Identifier: MIT pragma solidity ^0.8.15; contract ImmutableOwnable { address public immutable OWNER; address public immutable LENS_HUB; error OnlyOwner(); error OnlyOwnerOrHub(); modifier onlyOwner() { if (msg.sender != OWNER) { revert OnlyOwner(); } _; } modifier onlyOwnerOrHub() { if (msg.sender != OWNER && msg.sender != LENS_HUB) { revert OnlyOwnerOrHub(); } _; } constructor(address owner, address lensHub) { OWNER = owner; LENS_HUB = lensHub; } }
// SPDX-License-Identifier: MIT pragma solidity >=0.6.0; library RegistryErrors { error NotHandleNorTokenOwner(); error OnlyLensHub(); error NotLinked(); error DoesNotExist(); error DoesNotHavePermissions(); error HandleAndTokenNotInSameWallet(); error SignatureInvalid(); } library HandlesErrors { error HandleLengthInvalid(); error HandleContainsInvalidCharacters(); error HandleFirstCharInvalid(); error NotOwnerNorWhitelisted(); error NotOwner(); error NotHub(); error DoesNotExist(); error NotEOA(); error DisablingAlreadyTriggered(); error GuardianEnabled(); error AlreadyEnabled(); }
// SPDX-License-Identifier: MIT pragma solidity >=0.6.0; import {RegistryTypes} from 'contracts/namespaces/constants/Types.sol'; library HandlesEvents { event HandleMinted(string handle, string namespace, uint256 handleId, address to, uint256 timestamp); /** * @dev Emitted when an address' Token Guardian state change is triggered. * * @param wallet The address whose Token Guardian state change is being triggered. * @param enabled True if the Token Guardian is being enabled, false if it is being disabled. * @param tokenGuardianDisablingTimestamp The UNIX timestamp when disabling the Token Guardian will take effect, * if disabling it. Zero if the protection is being enabled. * @param timestamp The UNIX timestamp of the change being triggered. */ event TokenGuardianStateChanged( address indexed wallet, bool indexed enabled, uint256 tokenGuardianDisablingTimestamp, uint256 timestamp ); /** * @dev Emitted when a collection's token URI is updated. * @param fromTokenId The ID of the smallest token that requires its token URI to be refreshed. * @param toTokenId The ID of the biggest token that requires its token URI to be refreshed. Max uint256 to refresh * all of them. */ event BatchMetadataUpdate(uint256 fromTokenId, uint256 toTokenId); } library RegistryEvents { event HandleLinked( RegistryTypes.Handle handle, RegistryTypes.Token token, address transactionExecutor, uint256 timestamp ); /** * WARNING: If a linked handle or token is burnt, this event will not be emitted. * Indexers should also take into account token burns through ERC-721 Transfer events to track all unlink actions. * The `resolveHandle` and `resolveToken` functions will properly reflect the unlink in any case. */ event HandleUnlinked( RegistryTypes.Handle handle, RegistryTypes.Token token, address transactionExecutor, uint256 timestamp ); /** * @dev Emitted when a signer's nonce is used and, as a consequence, the next available nonce is updated. * * @param signer The signer whose next available nonce was updated. * @param nonce The next available nonce that can be used to execute a meta-tx successfully. * @param timestamp The UNIX timestamp of the nonce being used. */ event NonceUpdated(address indexed signer, uint256 nonce, uint256 timestamp); }
// SPDX-License-Identifier: MIT pragma solidity >=0.6.0; /** * @title Namespaces Types * @author Lens Protocol */ library RegistryTypes { struct Token { uint256 id; // SLOT 0 address collection; // SLOT 1 - end // uint96 _gap; // SLOT 1 - start } struct Handle { uint256 id; // SLOT 0 address collection; // SLOT 1 - end // uint96 _gap; // SLOT 1 - start } }
// SPDX-License-Identifier: MIT // OpenZeppelin Contracts (last updated v4.6.0) (interfaces/IERC2981.sol) pragma solidity ^0.8.0; import "../utils/introspection/IERC165.sol"; /** * @dev Interface for the NFT Royalty Standard. * * A standardized way to retrieve royalty payment information for non-fungible tokens (NFTs) to enable universal * support for royalty payments across all NFT marketplaces and ecosystem participants. * * _Available since v4.5._ */ interface IERC2981 is IERC165 { /** * @dev Returns how much royalty is owed and to whom, based on a sale price that may be denominated in any unit of * exchange. The royalty amount is denominated and should be paid in that same unit of exchange. */ function royaltyInfo(uint256 tokenId, uint256 salePrice) external view returns (address receiver, uint256 royaltyAmount); }
// SPDX-License-Identifier: MIT // OpenZeppelin Contracts (last updated v4.8.0) (token/ERC721/ERC721.sol) pragma solidity ^0.8.0; import "./IERC721.sol"; import "./IERC721Receiver.sol"; import "./extensions/IERC721Metadata.sol"; import "../../utils/Address.sol"; import "../../utils/Context.sol"; import "../../utils/Strings.sol"; import "../../utils/introspection/ERC165.sol"; /** * @dev Implementation of https://eips.ethereum.org/EIPS/eip-721[ERC721] Non-Fungible Token Standard, including * the Metadata extension, but not including the Enumerable extension, which is available separately as * {ERC721Enumerable}. */ contract ERC721 is Context, ERC165, IERC721, IERC721Metadata { using Address for address; using Strings for uint256; // Token name string private _name; // Token symbol string private _symbol; // Mapping from token ID to owner address mapping(uint256 => address) private _owners; // Mapping owner address to token count mapping(address => uint256) private _balances; // Mapping from token ID to approved address mapping(uint256 => address) private _tokenApprovals; // Mapping from owner to operator approvals mapping(address => mapping(address => bool)) private _operatorApprovals; /** * @dev Initializes the contract by setting a `name` and a `symbol` to the token collection. */ constructor(string memory name_, string memory symbol_) { _name = name_; _symbol = symbol_; } /** * @dev See {IERC165-supportsInterface}. */ function supportsInterface(bytes4 interfaceId) public view virtual override(ERC165, IERC165) returns (bool) { return interfaceId == type(IERC721).interfaceId || interfaceId == type(IERC721Metadata).interfaceId || super.supportsInterface(interfaceId); } /** * @dev See {IERC721-balanceOf}. */ function balanceOf(address owner) public view virtual override returns (uint256) { require(owner != address(0), "ERC721: address zero is not a valid owner"); return _balances[owner]; } /** * @dev See {IERC721-ownerOf}. */ function ownerOf(uint256 tokenId) public view virtual override returns (address) { address owner = _ownerOf(tokenId); require(owner != address(0), "ERC721: invalid token ID"); return owner; } /** * @dev See {IERC721Metadata-name}. */ function name() public view virtual override returns (string memory) { return _name; } /** * @dev See {IERC721Metadata-symbol}. */ function symbol() public view virtual override returns (string memory) { return _symbol; } /** * @dev See {IERC721Metadata-tokenURI}. */ function tokenURI(uint256 tokenId) public view virtual override returns (string memory) { _requireMinted(tokenId); string memory baseURI = _baseURI(); return bytes(baseURI).length > 0 ? string(abi.encodePacked(baseURI, tokenId.toString())) : ""; } /** * @dev Base URI for computing {tokenURI}. If set, the resulting URI for each * token will be the concatenation of the `baseURI` and the `tokenId`. Empty * by default, can be overridden in child contracts. */ function _baseURI() internal view virtual returns (string memory) { return ""; } /** * @dev See {IERC721-approve}. */ function approve(address to, uint256 tokenId) public virtual override { address owner = ERC721.ownerOf(tokenId); require(to != owner, "ERC721: approval to current owner"); require( _msgSender() == owner || isApprovedForAll(owner, _msgSender()), "ERC721: approve caller is not token owner or approved for all" ); _approve(to, tokenId); } /** * @dev See {IERC721-getApproved}. */ function getApproved(uint256 tokenId) public view virtual override returns (address) { _requireMinted(tokenId); return _tokenApprovals[tokenId]; } /** * @dev See {IERC721-setApprovalForAll}. */ function setApprovalForAll(address operator, bool approved) public virtual override { _setApprovalForAll(_msgSender(), operator, approved); } /** * @dev See {IERC721-isApprovedForAll}. */ function isApprovedForAll(address owner, address operator) public view virtual override returns (bool) { return _operatorApprovals[owner][operator]; } /** * @dev See {IERC721-transferFrom}. */ function transferFrom( address from, address to, uint256 tokenId ) public virtual override { //solhint-disable-next-line max-line-length require(_isApprovedOrOwner(_msgSender(), tokenId), "ERC721: caller is not token owner or approved"); _transfer(from, to, tokenId); } /** * @dev See {IERC721-safeTransferFrom}. */ function safeTransferFrom( address from, address to, uint256 tokenId ) public virtual override { safeTransferFrom(from, to, tokenId, ""); } /** * @dev See {IERC721-safeTransferFrom}. */ function safeTransferFrom( address from, address to, uint256 tokenId, bytes memory data ) public virtual override { require(_isApprovedOrOwner(_msgSender(), tokenId), "ERC721: caller is not token owner or approved"); _safeTransfer(from, to, tokenId, data); } /** * @dev Safely transfers `tokenId` token from `from` to `to`, checking first that contract recipients * are aware of the ERC721 protocol to prevent tokens from being forever locked. * * `data` is additional data, it has no specified format and it is sent in call to `to`. * * This internal function is equivalent to {safeTransferFrom}, and can be used to e.g. * implement alternative mechanisms to perform token transfer, such as signature-based. * * Requirements: * * - `from` cannot be the zero address. * - `to` cannot be the zero address. * - `tokenId` token must exist and be owned by `from`. * - If `to` refers to a smart contract, it must implement {IERC721Receiver-onERC721Received}, which is called upon a safe transfer. * * Emits a {Transfer} event. */ function _safeTransfer( address from, address to, uint256 tokenId, bytes memory data ) internal virtual { _transfer(from, to, tokenId); require(_checkOnERC721Received(from, to, tokenId, data), "ERC721: transfer to non ERC721Receiver implementer"); } /** * @dev Returns the owner of the `tokenId`. Does NOT revert if token doesn't exist */ function _ownerOf(uint256 tokenId) internal view virtual returns (address) { return _owners[tokenId]; } /** * @dev Returns whether `tokenId` exists. * * Tokens can be managed by their owner or approved accounts via {approve} or {setApprovalForAll}. * * Tokens start existing when they are minted (`_mint`), * and stop existing when they are burned (`_burn`). */ function _exists(uint256 tokenId) internal view virtual returns (bool) { return _ownerOf(tokenId) != address(0); } /** * @dev Returns whether `spender` is allowed to manage `tokenId`. * * Requirements: * * - `tokenId` must exist. */ function _isApprovedOrOwner(address spender, uint256 tokenId) internal view virtual returns (bool) { address owner = ERC721.ownerOf(tokenId); return (spender == owner || isApprovedForAll(owner, spender) || getApproved(tokenId) == spender); } /** * @dev Safely mints `tokenId` and transfers it to `to`. * * Requirements: * * - `tokenId` must not exist. * - If `to` refers to a smart contract, it must implement {IERC721Receiver-onERC721Received}, which is called upon a safe transfer. * * Emits a {Transfer} event. */ function _safeMint(address to, uint256 tokenId) internal virtual { _safeMint(to, tokenId, ""); } /** * @dev Same as {xref-ERC721-_safeMint-address-uint256-}[`_safeMint`], with an additional `data` parameter which is * forwarded in {IERC721Receiver-onERC721Received} to contract recipients. */ function _safeMint( address to, uint256 tokenId, bytes memory data ) internal virtual { _mint(to, tokenId); require( _checkOnERC721Received(address(0), to, tokenId, data), "ERC721: transfer to non ERC721Receiver implementer" ); } /** * @dev Mints `tokenId` and transfers it to `to`. * * WARNING: Usage of this method is discouraged, use {_safeMint} whenever possible * * Requirements: * * - `tokenId` must not exist. * - `to` cannot be the zero address. * * Emits a {Transfer} event. */ function _mint(address to, uint256 tokenId) internal virtual { require(to != address(0), "ERC721: mint to the zero address"); require(!_exists(tokenId), "ERC721: token already minted"); _beforeTokenTransfer(address(0), to, tokenId, 1); // Check that tokenId was not minted by `_beforeTokenTransfer` hook require(!_exists(tokenId), "ERC721: token already minted"); unchecked { // Will not overflow unless all 2**256 token ids are minted to the same owner. // Given that tokens are minted one by one, it is impossible in practice that // this ever happens. Might change if we allow batch minting. // The ERC fails to describe this case. _balances[to] += 1; } _owners[tokenId] = to; emit Transfer(address(0), to, tokenId); _afterTokenTransfer(address(0), to, tokenId, 1); } /** * @dev Destroys `tokenId`. * The approval is cleared when the token is burned. * This is an internal function that does not check if the sender is authorized to operate on the token. * * Requirements: * * - `tokenId` must exist. * * Emits a {Transfer} event. */ function _burn(uint256 tokenId) internal virtual { address owner = ERC721.ownerOf(tokenId); _beforeTokenTransfer(owner, address(0), tokenId, 1); // Update ownership in case tokenId was transferred by `_beforeTokenTransfer` hook owner = ERC721.ownerOf(tokenId); // Clear approvals delete _tokenApprovals[tokenId]; unchecked { // Cannot overflow, as that would require more tokens to be burned/transferred // out than the owner initially received through minting and transferring in. _balances[owner] -= 1; } delete _owners[tokenId]; emit Transfer(owner, address(0), tokenId); _afterTokenTransfer(owner, address(0), tokenId, 1); } /** * @dev Transfers `tokenId` from `from` to `to`. * As opposed to {transferFrom}, this imposes no restrictions on msg.sender. * * Requirements: * * - `to` cannot be the zero address. * - `tokenId` token must be owned by `from`. * * Emits a {Transfer} event. */ function _transfer( address from, address to, uint256 tokenId ) internal virtual { require(ERC721.ownerOf(tokenId) == from, "ERC721: transfer from incorrect owner"); require(to != address(0), "ERC721: transfer to the zero address"); _beforeTokenTransfer(from, to, tokenId, 1); // Check that tokenId was not transferred by `_beforeTokenTransfer` hook require(ERC721.ownerOf(tokenId) == from, "ERC721: transfer from incorrect owner"); // Clear approvals from the previous owner delete _tokenApprovals[tokenId]; unchecked { // `_balances[from]` cannot overflow for the same reason as described in `_burn`: // `from`'s balance is the number of token held, which is at least one before the current // transfer. // `_balances[to]` could overflow in the conditions described in `_mint`. That would require // all 2**256 token ids to be minted, which in practice is impossible. _balances[from] -= 1; _balances[to] += 1; } _owners[tokenId] = to; emit Transfer(from, to, tokenId); _afterTokenTransfer(from, to, tokenId, 1); } /** * @dev Approve `to` to operate on `tokenId` * * Emits an {Approval} event. */ function _approve(address to, uint256 tokenId) internal virtual { _tokenApprovals[tokenId] = to; emit Approval(ERC721.ownerOf(tokenId), to, tokenId); } /** * @dev Approve `operator` to operate on all of `owner` tokens * * Emits an {ApprovalForAll} event. */ function _setApprovalForAll( address owner, address operator, bool approved ) internal virtual { require(owner != operator, "ERC721: approve to caller"); _operatorApprovals[owner][operator] = approved; emit ApprovalForAll(owner, operator, approved); } /** * @dev Reverts if the `tokenId` has not been minted yet. */ function _requireMinted(uint256 tokenId) internal view virtual { require(_exists(tokenId), "ERC721: invalid token ID"); } /** * @dev Internal function to invoke {IERC721Receiver-onERC721Received} on a target address. * The call is not executed if the target address is not a contract. * * @param from address representing the previous owner of the given token ID * @param to target address that will receive the tokens * @param tokenId uint256 ID of the token to be transferred * @param data bytes optional data to send along with the call * @return bool whether the call correctly returned the expected magic value */ function _checkOnERC721Received( address from, address to, uint256 tokenId, bytes memory data ) private returns (bool) { if (to.isContract()) { try IERC721Receiver(to).onERC721Received(_msgSender(), from, tokenId, data) returns (bytes4 retval) { return retval == IERC721Receiver.onERC721Received.selector; } catch (bytes memory reason) { if (reason.length == 0) { revert("ERC721: transfer to non ERC721Receiver implementer"); } else { /// @solidity memory-safe-assembly assembly { revert(add(32, reason), mload(reason)) } } } } else { return true; } } /** * @dev Hook that is called before any token transfer. This includes minting and burning. If {ERC721Consecutive} is * used, the hook may be called as part of a consecutive (batch) mint, as indicated by `batchSize` greater than 1. * * Calling conditions: * * - When `from` and `to` are both non-zero, ``from``'s tokens will be transferred to `to`. * - When `from` is zero, the tokens will be minted for `to`. * - When `to` is zero, ``from``'s tokens will be burned. * - `from` and `to` are never both zero. * - `batchSize` is non-zero. * * To learn more about hooks, head to xref:ROOT:extending-contracts.adoc#using-hooks[Using Hooks]. */ function _beforeTokenTransfer( address from, address to, uint256, /* firstTokenId */ uint256 batchSize ) internal virtual { 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 {} }
// 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 // OpenZeppelin Contracts (last updated v4.6.0) (token/ERC721/IERC721Receiver.sol) pragma solidity ^0.8.0; /** * @title ERC721 token receiver interface * @dev Interface for any contract that wants to support safeTransfers * from ERC721 asset contracts. */ interface IERC721Receiver { /** * @dev Whenever an {IERC721} `tokenId` token is transferred to this contract via {IERC721-safeTransferFrom} * by `operator` from `from`, this function is called. * * It must return its Solidity selector to confirm the token transfer. * If any other value is returned or the interface is not implemented by the recipient, the transfer will be reverted. * * The selector can be obtained in Solidity with `IERC721Receiver.onERC721Received.selector`. */ function onERC721Received( address operator, address from, uint256 tokenId, bytes calldata data ) external returns (bytes4); }
// SPDX-License-Identifier: MIT // OpenZeppelin Contracts v4.4.1 (token/ERC721/extensions/IERC721Metadata.sol) pragma solidity ^0.8.0; import "../IERC721.sol"; /** * @title ERC-721 Non-Fungible Token Standard, optional metadata extension * @dev See https://eips.ethereum.org/EIPS/eip-721 */ interface IERC721Metadata is IERC721 { /** * @dev Returns the token collection name. */ function name() external view returns (string memory); /** * @dev Returns the token collection symbol. */ function symbol() external view returns (string memory); /** * @dev Returns the Uniform Resource Identifier (URI) for `tokenId` token. */ function tokenURI(uint256 tokenId) external view returns (string memory); }
// SPDX-License-Identifier: MIT // OpenZeppelin Contracts (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: 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 (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: MIT // OpenZeppelin Contracts v4.4.1 (utils/introspection/ERC165.sol) pragma solidity ^0.8.0; import "./IERC165.sol"; /** * @dev Implementation of the {IERC165} interface. * * Contracts that want to implement ERC165 should inherit from this contract and override {supportsInterface} to check * for the additional interface id that will be supported. For example: * * ```solidity * function supportsInterface(bytes4 interfaceId) public view virtual override returns (bool) { * return interfaceId == type(MyInterface).interfaceId || super.supportsInterface(interfaceId); * } * ``` * * Alternatively, {ERC165Storage} provides an easier to use but more expensive implementation. */ abstract contract ERC165 is IERC165 { /** * @dev See {IERC165-supportsInterface}. */ function supportsInterface(bytes4 interfaceId) public view virtual override returns (bool) { return interfaceId == type(IERC165).interfaceId; } }
// SPDX-License-Identifier: MIT // OpenZeppelin Contracts 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) (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); } } }
{ "remappings": [ "@ensdomains/=node_modules/@ensdomains/", "@openzeppelin/=lib/openzeppelin-contracts/", "@seadrop/=lib/seadrop/src/", "ERC721A-Upgradeable/=lib/seadrop/lib/ERC721A-Upgradeable/contracts/", "ERC721A/=lib/seadrop/lib/ERC721A/contracts/", "create2-helpers/=lib/seadrop/lib/create2-helpers/", "create2-scripts/=lib/seadrop/lib/create2-helpers/script/", "ds-test/=lib/forge-std/lib/ds-test/src/", "erc4626-tests/=lib/seadrop/lib/operator-filter-registry/lib/openzeppelin-contracts/lib/erc4626-tests/", "eth-gas-reporter/=node_modules/eth-gas-reporter/", "forge-std/=lib/forge-std/src/", "hardhat/=node_modules/hardhat/", "murky/=lib/seadrop/lib/murky/src/", "openzeppelin-contracts-upgradeable/=lib/seadrop/lib/openzeppelin-contracts-upgradeable/contracts/", "openzeppelin-contracts/=lib/seadrop/lib/openzeppelin-contracts/contracts/", "operator-filter-registry/=lib/seadrop/lib/operator-filter-registry/src/", "seadrop/=lib/seadrop/", "solady/=lib/solady/src/", "solmate/=lib/seadrop/lib/solmate/src/", "utility-contracts/=lib/seadrop/lib/utility-contracts/src/" ], "optimizer": { "enabled": true, "runs": 10 }, "metadata": { "useLiteralContent": false, "bytecodeHash": "ipfs", "appendCBOR": true }, "outputSelection": { "*": { "*": [ "evm.bytecode", "evm.deployedBytecode", "devdoc", "userdoc", "metadata", "abi" ] } }, "evmVersion": "paris", "viaIR": true, "libraries": { "contracts/libraries/ActionLib.sol": { "ActionLib": "0x7990dac84e3241fe314b980bba1466ac08715c4f" }, "contracts/libraries/FollowLib.sol": { "FollowLib": "0xe280cb21fb36b6b2d584428b809a6b822a5c2260" }, "contracts/libraries/GovernanceLib.sol": { "GovernanceLib": "0x8a83227dbf5c80b1f693de63babe168c59fefd6b" }, "contracts/libraries/LegacyCollectLib.sol": { "LegacyCollectLib": "0x189f3fecc93d4b563d4061a3ffa5fffd0d0f53a0" }, "contracts/libraries/MetaTxLib.sol": { "MetaTxLib": "0xf191c489e4ba0f448ea08a5fd27e9c928643f5c7" }, "contracts/libraries/MigrationLib.sol": { "MigrationLib": "0x0deced9ac3833b687d69d4eac6655f0f1279acee" }, "contracts/libraries/ProfileLib.sol": { "ProfileLib": "0x3fce2475a92c185f9634f5638f6b33306d77bb10" }, "contracts/libraries/PublicationLib.sol": { "PublicationLib": "0x90654f24a2c164a4da8f763ac8bc032d3d083a1b" }, "contracts/libraries/ValidationLib.sol": { "ValidationLib": "0x9cafd24d2851d9eb56e5a8fd394ab2ac0ef99849" } } }
Contract Security Audit
- No Contract Security Audit Submitted- Submit Audit Here
[{"inputs":[{"internalType":"address","name":"owner","type":"address"},{"internalType":"address","name":"lensHub","type":"address"},{"internalType":"uint256","name":"tokenGuardianCooldown","type":"uint256"}],"stateMutability":"nonpayable","type":"constructor"},{"inputs":[],"name":"AlreadyEnabled","type":"error"},{"inputs":[],"name":"DisablingAlreadyTriggered","type":"error"},{"inputs":[],"name":"DoesNotExist","type":"error"},{"inputs":[],"name":"GuardianEnabled","type":"error"},{"inputs":[],"name":"HandleContainsInvalidCharacters","type":"error"},{"inputs":[],"name":"HandleFirstCharInvalid","type":"error"},{"inputs":[],"name":"HandleLengthInvalid","type":"error"},{"inputs":[],"name":"InvalidParameter","type":"error"},{"inputs":[],"name":"NotEOA","type":"error"},{"inputs":[],"name":"NotHub","type":"error"},{"inputs":[],"name":"NotOwner","type":"error"},{"inputs":[],"name":"NotOwnerNorWhitelisted","type":"error"},{"inputs":[],"name":"OnlyOwner","type":"error"},{"inputs":[],"name":"OnlyOwnerOrHub","type":"error"},{"anonymous":false,"inputs":[{"indexed":true,"internalType":"address","name":"owner","type":"address"},{"indexed":true,"internalType":"address","name":"approved","type":"address"},{"indexed":true,"internalType":"uint256","name":"tokenId","type":"uint256"}],"name":"Approval","type":"event"},{"anonymous":false,"inputs":[{"indexed":true,"internalType":"address","name":"owner","type":"address"},{"indexed":true,"internalType":"address","name":"operator","type":"address"},{"indexed":false,"internalType":"bool","name":"approved","type":"bool"}],"name":"ApprovalForAll","type":"event"},{"anonymous":false,"inputs":[{"indexed":false,"internalType":"uint256","name":"fromTokenId","type":"uint256"},{"indexed":false,"internalType":"uint256","name":"toTokenId","type":"uint256"}],"name":"BatchMetadataUpdate","type":"event"},{"anonymous":false,"inputs":[{"indexed":false,"internalType":"string","name":"handle","type":"string"},{"indexed":false,"internalType":"string","name":"namespace","type":"string"},{"indexed":false,"internalType":"uint256","name":"handleId","type":"uint256"},{"indexed":false,"internalType":"address","name":"to","type":"address"},{"indexed":false,"internalType":"uint256","name":"timestamp","type":"uint256"}],"name":"HandleMinted","type":"event"},{"anonymous":false,"inputs":[{"indexed":true,"internalType":"address","name":"wallet","type":"address"},{"indexed":true,"internalType":"bool","name":"enabled","type":"bool"},{"indexed":false,"internalType":"uint256","name":"tokenGuardianDisablingTimestamp","type":"uint256"},{"indexed":false,"internalType":"uint256","name":"timestamp","type":"uint256"}],"name":"TokenGuardianStateChanged","type":"event"},{"anonymous":false,"inputs":[{"indexed":true,"internalType":"address","name":"from","type":"address"},{"indexed":true,"internalType":"address","name":"to","type":"address"},{"indexed":true,"internalType":"uint256","name":"tokenId","type":"uint256"}],"name":"Transfer","type":"event"},{"inputs":[],"name":"DANGER__disableTokenGuardian","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[],"name":"LENS_HUB","outputs":[{"internalType":"address","name":"","type":"address"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"NAMESPACE","outputs":[{"internalType":"string","name":"","type":"string"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"NAMESPACE_HASH","outputs":[{"internalType":"bytes32","name":"","type":"bytes32"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"OWNER","outputs":[{"internalType":"address","name":"","type":"address"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"TOKEN_GUARDIAN_COOLDOWN","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":"nonpayable","type":"function"},{"inputs":[{"internalType":"address","name":"owner","type":"address"}],"name":"balanceOf","outputs":[{"internalType":"uint256","name":"","type":"uint256"}],"stateMutability":"view","type":"function"},{"inputs":[{"internalType":"uint256","name":"tokenId","type":"uint256"}],"name":"burn","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[],"name":"enableTokenGuardian","outputs":[],"stateMutability":"nonpayable","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":"getHandle","outputs":[{"internalType":"string","name":"","type":"string"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"getHandleTokenURIContract","outputs":[{"internalType":"address","name":"","type":"address"}],"stateMutability":"view","type":"function"},{"inputs":[{"internalType":"uint256","name":"tokenId","type":"uint256"}],"name":"getLocalName","outputs":[{"internalType":"string","name":"","type":"string"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"getNamespace","outputs":[{"internalType":"string","name":"","type":"string"}],"stateMutability":"pure","type":"function"},{"inputs":[],"name":"getNamespaceHash","outputs":[{"internalType":"bytes32","name":"","type":"bytes32"}],"stateMutability":"pure","type":"function"},{"inputs":[{"internalType":"address","name":"wallet","type":"address"}],"name":"getTokenGuardianDisablingTimestamp","outputs":[{"internalType":"uint256","name":"","type":"uint256"}],"stateMutability":"view","type":"function"},{"inputs":[{"internalType":"string","name":"localName","type":"string"}],"name":"getTokenId","outputs":[{"internalType":"uint256","name":"","type":"uint256"}],"stateMutability":"pure","type":"function"},{"inputs":[{"internalType":"address","name":"owner","type":"address"},{"internalType":"address","name":"operator","type":"address"}],"name":"isApprovedForAll","outputs":[{"internalType":"bool","name":"","type":"bool"}],"stateMutability":"view","type":"function"},{"inputs":[{"internalType":"address","name":"to","type":"address"},{"internalType":"string","name":"localName","type":"string"}],"name":"migrateHandle","outputs":[{"internalType":"uint256","name":"","type":"uint256"}],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"address","name":"to","type":"address"},{"internalType":"string","name":"localName","type":"string"}],"name":"mintHandle","outputs":[{"internalType":"uint256","name":"","type":"uint256"}],"stateMutability":"nonpayable","type":"function"},{"inputs":[],"name":"name","outputs":[{"internalType":"string","name":"","type":"string"}],"stateMutability":"pure","type":"function"},{"inputs":[{"internalType":"uint256","name":"tokenId","type":"uint256"}],"name":"ownerOf","outputs":[{"internalType":"address","name":"","type":"address"}],"stateMutability":"view","type":"function"},{"inputs":[{"internalType":"uint256","name":"tokenId","type":"uint256"},{"internalType":"uint256","name":"salePrice","type":"uint256"}],"name":"royaltyInfo","outputs":[{"internalType":"address","name":"","type":"address"},{"internalType":"uint256","name":"","type":"uint256"}],"stateMutability":"view","type":"function"},{"inputs":[{"internalType":"address","name":"from","type":"address"},{"internalType":"address","name":"to","type":"address"},{"internalType":"uint256","name":"tokenId","type":"uint256"}],"name":"safeTransferFrom","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"address","name":"from","type":"address"},{"internalType":"address","name":"to","type":"address"},{"internalType":"uint256","name":"tokenId","type":"uint256"},{"internalType":"bytes","name":"data","type":"bytes"}],"name":"safeTransferFrom","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"address","name":"operator","type":"address"},{"internalType":"bool","name":"approved","type":"bool"}],"name":"setApprovalForAll","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"address","name":"handleTokenURIContract","type":"address"}],"name":"setHandleTokenURIContract","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"uint256","name":"royaltiesInBasisPoints","type":"uint256"}],"name":"setRoyalty","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":"pure","type":"function"},{"inputs":[{"internalType":"uint256","name":"tokenId","type":"uint256"}],"name":"tokenURI","outputs":[{"internalType":"string","name":"","type":"string"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"totalSupply","outputs":[{"internalType":"uint256","name":"","type":"uint256"}],"stateMutability":"view","type":"function"},{"inputs":[{"internalType":"address","name":"from","type":"address"},{"internalType":"address","name":"to","type":"address"},{"internalType":"uint256","name":"tokenId","type":"uint256"}],"name":"transferFrom","outputs":[],"stateMutability":"nonpayable","type":"function"}]
Contract Creation Code
61010034620003c857601f90601f19906001600160401b036200231c3881900385810185168401919083831185841017620003cd57808592606094604052833981010312620003c857620000538262000403565b9160209260406200006685840162000403565b9201519462000074620003e3565b9060009788835262000085620003e3565b8981528351878111620002d1578a54946001958681811c91168015620003bd575b8b821014620003a95790818584931162000353575b508a908d868411600114620002f15792620002e5575b5050600019600383901b1c191690851b178a555b805192878411620002d15784548581811c91168015620002c6575b8a821014620002b25790818486959493116200025b575b5089928411600114620001fa57508a92620001ee575b5050600019600383901b1c191690821b1790555b60805260a05260405190604082019082821090821117620001da57636c656e7360e01b939450604052600481520152600460c05260e052604051611f0390816200041982396080518181816101fd01528181610c2301528181610f59015261100a015260a051818181610341015281816107c6015281816108d10152610cd8015260c05181505060e0518181816106560152610dfc0152f35b634e487b7160e01b85526041600452602485fd5b0151905038806200012d565b858c52898c20869590939291168c5b8b8282106200024457505084116200022a575b505050811b01905562000141565b015160001960f88460031b161c191690553880806200021c565b838501518655889790950194938401930162000209565b9091929350858c52898c208480870160051c8201928c8810620002a8575b9187968992969594930160051c01915b8281106200029957505062000117565b8e815587965088910162000289565b9250819262000279565b634e487b7160e01b8c52602260045260248cfd5b90607f169062000100565b634e487b7160e01b8b52604160045260248bfd5b015190503880620000d1565b9190878995168380528d80852094905b8282106200033b575050841162000321575b505050811b018a55620000e5565b015160001960f88460031b161c1916905538808062000313565b8385015186558b979095019493840193018e62000301565b9091508c80528a8d208580850160051c8201928d86106200039f575b859493910160051c9091019088908f5b8382106200039057505050620000bb565b81558594508991018f6200037f565b925081926200036f565b634e487b7160e01b8d52602260045260248dfd5b90607f1690620000a6565b600080fd5b634e487b7160e01b600052604160045260246000fd5b60405190602082016001600160401b03811183821017620003cd57604052565b51906001600160a01b0382168203620003c85756fe608060408181526004918236101561001657600080fd5b600092833560e01c91826301ffc9a71461124157508163051fb2181461063957816306fdde03146111f5578163081812fc146111d5578163095ea7b314611039578163117803e314610ff557816318160ddd14610fd65781631d648cdb14610f335781631e7663bc14610ee15781631e9df67314610e655781632248f76d14610dba57816323b872dd14610d9057816327ac4b7014610a4d5781632a55205a14610ca557816335eb3cb914610c7c5781634209a2e114610c0b57816342842e0e14610bbc57816342966c6814610a6b57816344ba1fca14610a4d5781634985e50414610a195781634f558e79146109f05781635993bc26146108bc5781636352211e1461088b57816370a08231146107f55781637bb9c89b146107b157816395d89b411461076f578163a22cb46514610679578163a88fae831461063e578163b16f1eef14610639578163b88d4fde146105d2578163c87b56dd14610496578163e985e9c514610448578163ec81d194146103c0578163f08e8f5e146101e0575063f3bc61f1146101a657600080fd5b346101dc5760203660031901126101dc5760209181906001600160a01b036101cc6113e3565b1681526006845220549051908152f35b5080fd5b8284346103bd576101f03661147b565b94909260018060a01b03807f0000000000000000000000000000000000000000000000000000000000000000163314159081610322575b506103135761023736878661140f565b80519182158015610309575b6102f9578151156102e6576020820151605f60f81b916001600160f81b031991821683146102d6575b848110610288576020896102818c8b8b611642565b9051908152f35b61029d8261029683876118b4565b51166118db565b15806102c0575b6102b05760010161026c565b8851630bb7f19b60e21b81528690fd5b5082826102cd83876118b4565b511614156102a4565b8851632f2c22a760e11b81528690fd5b634e487b7160e01b815260328452602490fd5b8651633eb64ab360e01b81528490fd5b50601a8311610243565b508351635092902f60e01b8152fd5b8651635782ee9160e11b815233858201529150602090829060249082907f0000000000000000000000000000000000000000000000000000000000000000165afa9081156103b3578291610379575b501587610227565b90506020813d82116103ab575b816103936020938361130f565b810103126101dc575180151581036101dc5787610371565b3d9150610386565b86513d84823e3d90fd5b80fd5b839150346101dc57602091826003193601126103bd57506103e461044491356115e1565b9261043560226103f261134d565b8351968161040989935180928a808701910161139b565b820160bd60f61b88820152610426825180938a878501910161139b565b0103600281018752018561130f565b519282849384528301906113be565b0390f35b5050346101dc57806003193601126101dc5760ff816020936104686113e3565b6104706113f9565b6001600160a01b0391821683526005875283832091168252855220549151911615158152f35b919050346105c3576020918360031984813601126101dc578261050e93356104c56104c082611af3565b611965565b60018060a01b03600a5416918185526009885261051d878620946104e761134d565b89519889978896879663a11f868360e01b8852870152606060248701526064860190611512565b918483030160448501526113be565b03915afa9384156105c7578094610544575b505061044490519282849384528301906113be565b909193503d8082843e610557818461130f565b82019183818403126101dc578051906001600160401b0382116105c3570182601f820112156101dc5780519161058c83611332565b936105998751958661130f565b8385528584840101116103bd575082916105bb9185806104449601910161139b565b92903861052f565b8280fd5b8251903d90823e3d90fd5b8390346101dc5760803660031901126101dc576105ed6113e3565b6105f56113f9565b906064356001600160401b038111610635573660238201121561063557610632938160246106289336930135910161140f565b9160443591611a58565b80f35b8480fd5b61136d565b5050346101dc57816003193601126101dc57602090517f00000000000000000000000000000000000000000000000000000000000000008152f35b919050346105c357806003193601126105c3576106946113e3565b90602435918215159283810361076b578061075c575b61074c576001600160a01b03169233841461070e5750338452600560205280842083855260205280842060ff1981541660ff8416179055519081527f17307eab39ab6107e8899845ad3d59bd9653f200f220920489ca2b5937696c3160203392a380f35b6020606492519162461bcd60e51b8352820152601960248201527822a9219b99189d1030b8383937bb32903a379031b0b63632b960391b6044820152fd5b8151638043dfaf60e01b81528490fd5b5061076633611928565b6106aa565b8580fd5b5050346101dc57816003193601126101dc57805161044491610790826112de565b6002825261098960f31b6020830152519182916020835260208301906113be565b5050346101dc57816003193601126101dc57517f00000000000000000000000000000000000000000000000000000000000000006001600160a01b03168152602090f35b839150346101dc5760203660031901126101dc576001600160a01b036108196113e3565b169081156108365760208480858581526003845220549051908152f35b608490602085519162461bcd60e51b8352820152602960248201527f4552433732313a2061646472657373207a65726f206973206e6f7420612076616044820152683634b21037bbb732b960b91b6064820152fd5b8284346103bd5760203660031901126103bd57506108ab602092356119ac565b90516001600160a01b039091168152f35b8284346103bd576108cc3661147b565b9490927f00000000000000000000000000000000000000000000000000000000000000006001600160a01b031633036109e15761090a36878661140f565b90815191821580156109d7575b6102f9578051156109c4576020810151602d60f81b926001600160f81b03199182168481149081156109b6575b506102d6575b84811061095f576020896102818c8b8b611642565b61096d8261029683866118b4565b15806109a0575b80610986575b6102b05760010161094a565b50605f60f81b8261099783866118b4565b5116141561097a565b5083826109ad83866118b4565b51161415610974565b605f60f81b1490508b610944565b634e487b7160e01b825260328452602482fd5b50601a8311610917565b5083516313bd2e8360e31b8152fd5b8284346103bd5760203660031901126103bd5750610a1060209235611af3565b90519015158152f35b8284346103bd5760203660031901126103bd5750610a3a61044492356115e1565b90519182916020835260208301906113be565b5050346101dc57816003193601126101dc5761044490610a3a61134d565b8383346101dc57602090816003193601126105c35783356001600160a01b0380610a94836119ac565b163303610bac57600854908115610b9957600019918201600855610ab7836119ac565b81811615159081610b89575b50610b79579085968692610ad6856119ac565b85855291875285842080546001600160a01b031990811690915591168084526003875285842080549093019092558383526002865284832080549091169055600080516020611e8e8339815191528280a460098252822090610b3882546114d8565b9081610b4357505050f35b8390601f8311600114610b57575050505580f35b8382528120929091610b7490601f0160051c8401600185016115a7565b555580f35b8351638043dfaf60e01b81528790fd5b610b939150611928565b88610ac3565b634e487b7160e01b865260118752602486fd5b82516330cd747160e01b81528690fd5b8383346101dc57610bcc36611446565b83519390929060208501906001600160401b03821186831017610bf85761063296975052858452611a58565b634e487b7160e01b875260418852602487fd5b9050346105c35760203660031901126105c3578035917f00000000000000000000000000000000000000000000000000000000000000006001600160a01b03163303610c6f576127108311610c6257505060075580f35b51630309cb8760e51b8152fd5b51635fc483c560e01b8152fd5b5050346101dc57816003193601126101dc57600a5490516001600160a01b039091168152602090f35b8284346103bd57816003193601126103bd578151631d8cf42560e11b815290602435906001600160a01b039060208487817f000000000000000000000000000000000000000000000000000000000000000086165afa938415610d84578194610d44575b5060075492838102938185041490151715610d31575083519216825261271090046020820152f35b634e487b7160e01b815260118652602490fd5b9093506020813d8211610d7c575b81610d5f6020938361130f565b81010312610d7857518181168103610d78579286610d09565b8380fd5b3d9150610d52565b508451903d90823e3d90fd5b83346103bd57610632610da236611446565b91610db5610db08433611b10565b6119f6565b611c23565b9050346105c357826003193601126105c357333b610e5757338352600660205281832054600101610e4957508190600080516020611eae833981519152610e377f0000000000000000000000000000000000000000000000000000000000000000610e2581426115be565b338652600660205284862055426115be565b9180519283524260208401523392a380f35b905163a78da0a160e01b8152fd5b9051635d04968b60e11b8152fd5b919050346105c357826003193601126105c357333b610ed457338352600660205260001991828285205414610ec6575090600080516020611eae8339815191526001923385526006602052828186205580519283524260208401523392a380f35b9051637952fbad60e11b8152fd5b51635d04968b60e11b8152fd5b8284346103bd5760203660031901126103bd578235906001600160401b0382116103bd57366023830112156103bd5750602092816024610f269336930135910161140f565b8281519101209051908152f35b8383346101dc5760203660031901126101dc57610f4e6113e3565b6001600160a01b03907f000000000000000000000000000000000000000000000000000000000000000082163303610fc6577f6bd5c950a8d8df17f772f5af37cb3655737899cbf903264b9795592da439661c9394501660018060a01b0319600a541617600a5580518381526000196020820152a180f35b8251635fc483c560e01b81528590fd5b5050346101dc57816003193601126101dc576020906008549051908152f35b5050346101dc57816003193601126101dc57517f00000000000000000000000000000000000000000000000000000000000000006001600160a01b03168152602090f35b9050346105c357816003193601126105c3576110536113e3565b602435926001600160a01b0391821692831515806111be575b6111b0578261107a866119ac565b1680851461116357803314908115611144575b50156110dc57848652602052842080546001600160a01b031916831790556110b4836119ac565b167f8c5be1e5ebec7d5bd14f71427d1e84f3dd0314c0f7b2291e5b200ac8c7c3b9258480a480f35b6020608492519162461bcd60e51b8352820152603d60248201527f4552433732313a20617070726f76652063616c6c6572206973206e6f7420746f60448201527f6b656e206f776e6572206f7220617070726f76656420666f7220616c6c0000006064820152fd5b90508652600560205281862033875260205260ff82872054163861108d565b506020608492519162461bcd60e51b8352820152602160248201527f4552433732313a20617070726f76616c20746f2063757272656e74206f776e656044820152603960f91b6064820152fd5b9051638043dfaf60e01b8152fd5b506111d06111cb866119ac565b611928565b61106c565b8284346103bd5760203660031901126103bd57506108ab602092356119cf565b5050346101dc57816003193601126101dc57805161044491611216826112de565b600c82526b4c656e732048616e646c657360a01b6020830152519182916020835260208301906113be565b8491346105c35760203660031901126105c3573563ffffffff60e01b81168091036105c357602092506380ac58cd60e01b81149081156112cd575b81156112bc575b8115611291575b5015158152f35b63152a902d60e11b8114915081156112ab575b508361128a565b6301ffc9a760e01b149050836112a4565b6301ffc9a760e01b81149150611283565b635b5e139f60e01b8114915061127c565b604081019081106001600160401b038211176112f957604052565b634e487b7160e01b600052604160045260246000fd5b601f909101601f19168101906001600160401b038211908210176112f957604052565b6001600160401b0381116112f957601f01601f191660200190565b6040519061135a826112de565b60048252636c656e7360e01b6020830152565b3461139657600036600319011261139657602061138861134d565b818151910120604051908152f35b600080fd5b60005b8381106113ae5750506000910152565b818101518382015260200161139e565b906020916113d78151809281855285808601910161139b565b601f01601f1916010190565b600435906001600160a01b038216820361139657565b602435906001600160a01b038216820361139657565b92919261141b82611332565b91611429604051938461130f565b829481845281830111611396578281602093846000960137010152565b6060906003190112611396576001600160a01b0390600435828116810361139657916024359081168103611396579060443590565b6040600319820112611396576004356001600160a01b038116810361139657916001600160401b03916024359083821161139657806023830112156113965781600401359384116113965760248483010111611396576024019190565b90600182811c92168015611508575b60208310146114f257565b634e487b7160e01b600052602260045260246000fd5b91607f16916114e7565b805460009392611521826114d8565b9182825260209360019182811690816000146115885750600114611547575b5050505050565b90939495506000929192528360002092846000945b83861061157457505050500101903880808080611540565b80548587018301529401938590820161155c565b60ff19168685015250505090151560051b010191503880808080611540565b8181106115b2575050565b600081556001016115a7565b919082018092116115cb57565b634e487b7160e01b600052601160045260246000fd5b806000526009602052611601611608604060002060405192838092611512565b038261130f565b511561163057600052600960205261160161162d604060002060405192838092611512565b90565b60405163b0ce759160e01b8152600490fd5b90929161165036828661140f565b9384516020809601209260085490600019908183146115cb5760019283016008556001600160a01b03169182156118715761169361168d87611af3565b15611b7e565b61169f61168d87611af3565b600083815260038952604080822080548401905587825260028a52812080546001600160a01b0319168517905591868484600080516020611e8e8339815191528180a46009895260408320916001600160401b03871161185d5761170383546114d8565b601f8111611824575b5083601f88116001146117ad579260c0928880600080516020611e6e8339815191529b9c9d94889761178a99936117a2575b501b918a60031b1c19161790555b8661175561134d565b9360405198899860a08a528160a08b0152858a0137838289010152601f801991011686019082878303019087015201906113be565b9085604084015260608301524260808301520390a190565b8b013592503861173e565b8385528a85209192601f198916865b81811061180f57509261178a96959260c095928b600080516020611e6e8339815191529d9e9f96106117f7575b50505088811b01905561174c565b60f88c60031b161c19908a01351690553880806117e9565b89840135855593850193928d01928d016117bc565b61184d908486528b8620601f8a0160051c8101918d8b10611853575b601f0160051c01906115a7565b3861170c565b9091508190611840565b634e487b7160e01b84526041600452602484fd5b6064886040519062461bcd60e51b825280600483015260248201527f4552433732313a206d696e7420746f20746865207a65726f20616464726573736044820152fd5b9081518110156118c5570160200190565b634e487b7160e01b600052603260045260246000fd5b60ff60f81b16600360fc1b8110159081611919575b81156118fa575090565b606160f81b81101591508161190d575090565b603d60f91b1015905090565b603960f81b81111591506118f0565b803b159081611935575090565b6001600160a01b031660009081526006602052604090205460001981149150811561195e575090565b9050421090565b1561196c57565b60405162461bcd60e51b8152602060048201526018602482015277115490cdcc8c4e881a5b9d985b1a59081d1bdad95b88125160421b6044820152606490fd5b6000908152600260205260409020546001600160a01b031661162d811515611965565b6119db6104c082611af3565b6000908152600460205260409020546001600160a01b031690565b156119fd57565b60405162461bcd60e51b815260206004820152602d60248201527f4552433732313a2063616c6c6572206973206e6f7420746f6b656e206f776e6560448201526c1c881bdc88185c1c1c9bdd9959609a1b6064820152608490fd5b90611a7c939291611a6c610db08433611b10565b611a77838383611c23565b611d4e565b15611a8357565b60405162461bcd60e51b815280611a9c60048201611aa0565b0390fd5b60809060208152603260208201527f4552433732313a207472616e7366657220746f206e6f6e20455243373231526560408201527131b2b4bb32b91034b6b83632b6b2b73a32b960711b60608201520190565b6000908152600260205260409020546001600160a01b0316151590565b906001600160a01b038080611b24846119ac565b16931691838314938415611b57575b508315611b41575b50505090565b611b4d919293506119cf565b1614388080611b3b565b909350600052600560205260406000208260005260205260ff604060002054169238611b33565b15611b8557565b60405162461bcd60e51b815260206004820152601c60248201527b115490cdcc8c4e881d1bdad95b88185b1c9958591e481b5a5b9d195960221b6044820152606490fd5b15611bd057565b60405162461bcd60e51b815260206004820152602560248201527f4552433732313a207472616e736665722066726f6d20696e636f72726563742060448201526437bbb732b960d91b6064820152608490fd5b90611c49611c30846119ac565b6001600160a01b03848116939092839283168514611bc9565b16928315611cfd578215159081611ced575b50611cdb5781611c7591611c6e866119ac565b1614611bc9565b600080516020611e8e833981519152600084815260046020526040812060018060a01b03199081815416905583825260036020526040822060001981540190558482526040822060018154019055858252600260205284604083209182541617905580a4565b604051638043dfaf60e01b8152600490fd5b611cf79150611928565b38611c5b565b60405162461bcd60e51b8152602060048201526024808201527f4552433732313a207472616e7366657220746f20746865207a65726f206164646044820152637265737360e01b6064820152608490fd5b9293919290803b15611e6357611da29460018060a01b039460405192839187630a85bd0160e11b9687855233600486015216602484015260448301526080606483015281806020998a9560848301906113be565b03916000988991165af1849181611e23575b50611e12575050503d600014611e0a573d611dce81611332565b90611ddc604051928361130f565b81528091833d92013e5b80519182611e075760405162461bcd60e51b815280611a9c60048201611aa0565b01fd5b506060611de6565b6001600160e01b0319161492509050565b9091508581813d8311611e5c575b611e3b818361130f565b8101031261063557516001600160e01b031981168103610635579038611db4565b503d611e31565b505091505060019056fe30a132e912787e50de6193fe56a96ea6188c0bbf676679d630a25d3293c3e19addf252ad1be2c89b69c2b068fc378daa952ba7f163c4a11628f55a4df523b3ef035adf3bbe16b317cf4a3e05c966ea6571d1af00147c5f121bd1514b1e322a06a2646970667358221220f2b4b567da666e1fed106f0c35b5752d7a2d362c13bf32a03c8734bf5579be2564736f6c63430008150033000000000000000000000000f94b90bbeee30996019babd12cecddccf68331de000000000000000000000000db46d1dc155634fbc732f92e853b10b288ad5a1d0000000000000000000000000000000000000000000000000000000000015180
Deployed Bytecode
0x608060408181526004918236101561001657600080fd5b600092833560e01c91826301ffc9a71461124157508163051fb2181461063957816306fdde03146111f5578163081812fc146111d5578163095ea7b314611039578163117803e314610ff557816318160ddd14610fd65781631d648cdb14610f335781631e7663bc14610ee15781631e9df67314610e655781632248f76d14610dba57816323b872dd14610d9057816327ac4b7014610a4d5781632a55205a14610ca557816335eb3cb914610c7c5781634209a2e114610c0b57816342842e0e14610bbc57816342966c6814610a6b57816344ba1fca14610a4d5781634985e50414610a195781634f558e79146109f05781635993bc26146108bc5781636352211e1461088b57816370a08231146107f55781637bb9c89b146107b157816395d89b411461076f578163a22cb46514610679578163a88fae831461063e578163b16f1eef14610639578163b88d4fde146105d2578163c87b56dd14610496578163e985e9c514610448578163ec81d194146103c0578163f08e8f5e146101e0575063f3bc61f1146101a657600080fd5b346101dc5760203660031901126101dc5760209181906001600160a01b036101cc6113e3565b1681526006845220549051908152f35b5080fd5b8284346103bd576101f03661147b565b94909260018060a01b03807f000000000000000000000000f94b90bbeee30996019babd12cecddccf68331de163314159081610322575b506103135761023736878661140f565b80519182158015610309575b6102f9578151156102e6576020820151605f60f81b916001600160f81b031991821683146102d6575b848110610288576020896102818c8b8b611642565b9051908152f35b61029d8261029683876118b4565b51166118db565b15806102c0575b6102b05760010161026c565b8851630bb7f19b60e21b81528690fd5b5082826102cd83876118b4565b511614156102a4565b8851632f2c22a760e11b81528690fd5b634e487b7160e01b815260328452602490fd5b8651633eb64ab360e01b81528490fd5b50601a8311610243565b508351635092902f60e01b8152fd5b8651635782ee9160e11b815233858201529150602090829060249082907f000000000000000000000000db46d1dc155634fbc732f92e853b10b288ad5a1d165afa9081156103b3578291610379575b501587610227565b90506020813d82116103ab575b816103936020938361130f565b810103126101dc575180151581036101dc5787610371565b3d9150610386565b86513d84823e3d90fd5b80fd5b839150346101dc57602091826003193601126103bd57506103e461044491356115e1565b9261043560226103f261134d565b8351968161040989935180928a808701910161139b565b820160bd60f61b88820152610426825180938a878501910161139b565b0103600281018752018561130f565b519282849384528301906113be565b0390f35b5050346101dc57806003193601126101dc5760ff816020936104686113e3565b6104706113f9565b6001600160a01b0391821683526005875283832091168252855220549151911615158152f35b919050346105c3576020918360031984813601126101dc578261050e93356104c56104c082611af3565b611965565b60018060a01b03600a5416918185526009885261051d878620946104e761134d565b89519889978896879663a11f868360e01b8852870152606060248701526064860190611512565b918483030160448501526113be565b03915afa9384156105c7578094610544575b505061044490519282849384528301906113be565b909193503d8082843e610557818461130f565b82019183818403126101dc578051906001600160401b0382116105c3570182601f820112156101dc5780519161058c83611332565b936105998751958661130f565b8385528584840101116103bd575082916105bb9185806104449601910161139b565b92903861052f565b8280fd5b8251903d90823e3d90fd5b8390346101dc5760803660031901126101dc576105ed6113e3565b6105f56113f9565b906064356001600160401b038111610635573660238201121561063557610632938160246106289336930135910161140f565b9160443591611a58565b80f35b8480fd5b61136d565b5050346101dc57816003193601126101dc57602090517f00000000000000000000000000000000000000000000000000000000000151808152f35b919050346105c357806003193601126105c3576106946113e3565b90602435918215159283810361076b578061075c575b61074c576001600160a01b03169233841461070e5750338452600560205280842083855260205280842060ff1981541660ff8416179055519081527f17307eab39ab6107e8899845ad3d59bd9653f200f220920489ca2b5937696c3160203392a380f35b6020606492519162461bcd60e51b8352820152601960248201527822a9219b99189d1030b8383937bb32903a379031b0b63632b960391b6044820152fd5b8151638043dfaf60e01b81528490fd5b5061076633611928565b6106aa565b8580fd5b5050346101dc57816003193601126101dc57805161044491610790826112de565b6002825261098960f31b6020830152519182916020835260208301906113be565b5050346101dc57816003193601126101dc57517f000000000000000000000000db46d1dc155634fbc732f92e853b10b288ad5a1d6001600160a01b03168152602090f35b839150346101dc5760203660031901126101dc576001600160a01b036108196113e3565b169081156108365760208480858581526003845220549051908152f35b608490602085519162461bcd60e51b8352820152602960248201527f4552433732313a2061646472657373207a65726f206973206e6f7420612076616044820152683634b21037bbb732b960b91b6064820152fd5b8284346103bd5760203660031901126103bd57506108ab602092356119ac565b90516001600160a01b039091168152f35b8284346103bd576108cc3661147b565b9490927f000000000000000000000000db46d1dc155634fbc732f92e853b10b288ad5a1d6001600160a01b031633036109e15761090a36878661140f565b90815191821580156109d7575b6102f9578051156109c4576020810151602d60f81b926001600160f81b03199182168481149081156109b6575b506102d6575b84811061095f576020896102818c8b8b611642565b61096d8261029683866118b4565b15806109a0575b80610986575b6102b05760010161094a565b50605f60f81b8261099783866118b4565b5116141561097a565b5083826109ad83866118b4565b51161415610974565b605f60f81b1490508b610944565b634e487b7160e01b825260328452602482fd5b50601a8311610917565b5083516313bd2e8360e31b8152fd5b8284346103bd5760203660031901126103bd5750610a1060209235611af3565b90519015158152f35b8284346103bd5760203660031901126103bd5750610a3a61044492356115e1565b90519182916020835260208301906113be565b5050346101dc57816003193601126101dc5761044490610a3a61134d565b8383346101dc57602090816003193601126105c35783356001600160a01b0380610a94836119ac565b163303610bac57600854908115610b9957600019918201600855610ab7836119ac565b81811615159081610b89575b50610b79579085968692610ad6856119ac565b85855291875285842080546001600160a01b031990811690915591168084526003875285842080549093019092558383526002865284832080549091169055600080516020611e8e8339815191528280a460098252822090610b3882546114d8565b9081610b4357505050f35b8390601f8311600114610b57575050505580f35b8382528120929091610b7490601f0160051c8401600185016115a7565b555580f35b8351638043dfaf60e01b81528790fd5b610b939150611928565b88610ac3565b634e487b7160e01b865260118752602486fd5b82516330cd747160e01b81528690fd5b8383346101dc57610bcc36611446565b83519390929060208501906001600160401b03821186831017610bf85761063296975052858452611a58565b634e487b7160e01b875260418852602487fd5b9050346105c35760203660031901126105c3578035917f000000000000000000000000f94b90bbeee30996019babd12cecddccf68331de6001600160a01b03163303610c6f576127108311610c6257505060075580f35b51630309cb8760e51b8152fd5b51635fc483c560e01b8152fd5b5050346101dc57816003193601126101dc57600a5490516001600160a01b039091168152602090f35b8284346103bd57816003193601126103bd578151631d8cf42560e11b815290602435906001600160a01b039060208487817f000000000000000000000000db46d1dc155634fbc732f92e853b10b288ad5a1d86165afa938415610d84578194610d44575b5060075492838102938185041490151715610d31575083519216825261271090046020820152f35b634e487b7160e01b815260118652602490fd5b9093506020813d8211610d7c575b81610d5f6020938361130f565b81010312610d7857518181168103610d78579286610d09565b8380fd5b3d9150610d52565b508451903d90823e3d90fd5b83346103bd57610632610da236611446565b91610db5610db08433611b10565b6119f6565b611c23565b9050346105c357826003193601126105c357333b610e5757338352600660205281832054600101610e4957508190600080516020611eae833981519152610e377f0000000000000000000000000000000000000000000000000000000000015180610e2581426115be565b338652600660205284862055426115be565b9180519283524260208401523392a380f35b905163a78da0a160e01b8152fd5b9051635d04968b60e11b8152fd5b919050346105c357826003193601126105c357333b610ed457338352600660205260001991828285205414610ec6575090600080516020611eae8339815191526001923385526006602052828186205580519283524260208401523392a380f35b9051637952fbad60e11b8152fd5b51635d04968b60e11b8152fd5b8284346103bd5760203660031901126103bd578235906001600160401b0382116103bd57366023830112156103bd5750602092816024610f269336930135910161140f565b8281519101209051908152f35b8383346101dc5760203660031901126101dc57610f4e6113e3565b6001600160a01b03907f000000000000000000000000f94b90bbeee30996019babd12cecddccf68331de82163303610fc6577f6bd5c950a8d8df17f772f5af37cb3655737899cbf903264b9795592da439661c9394501660018060a01b0319600a541617600a5580518381526000196020820152a180f35b8251635fc483c560e01b81528590fd5b5050346101dc57816003193601126101dc576020906008549051908152f35b5050346101dc57816003193601126101dc57517f000000000000000000000000f94b90bbeee30996019babd12cecddccf68331de6001600160a01b03168152602090f35b9050346105c357816003193601126105c3576110536113e3565b602435926001600160a01b0391821692831515806111be575b6111b0578261107a866119ac565b1680851461116357803314908115611144575b50156110dc57848652602052842080546001600160a01b031916831790556110b4836119ac565b167f8c5be1e5ebec7d5bd14f71427d1e84f3dd0314c0f7b2291e5b200ac8c7c3b9258480a480f35b6020608492519162461bcd60e51b8352820152603d60248201527f4552433732313a20617070726f76652063616c6c6572206973206e6f7420746f60448201527f6b656e206f776e6572206f7220617070726f76656420666f7220616c6c0000006064820152fd5b90508652600560205281862033875260205260ff82872054163861108d565b506020608492519162461bcd60e51b8352820152602160248201527f4552433732313a20617070726f76616c20746f2063757272656e74206f776e656044820152603960f91b6064820152fd5b9051638043dfaf60e01b8152fd5b506111d06111cb866119ac565b611928565b61106c565b8284346103bd5760203660031901126103bd57506108ab602092356119cf565b5050346101dc57816003193601126101dc57805161044491611216826112de565b600c82526b4c656e732048616e646c657360a01b6020830152519182916020835260208301906113be565b8491346105c35760203660031901126105c3573563ffffffff60e01b81168091036105c357602092506380ac58cd60e01b81149081156112cd575b81156112bc575b8115611291575b5015158152f35b63152a902d60e11b8114915081156112ab575b508361128a565b6301ffc9a760e01b149050836112a4565b6301ffc9a760e01b81149150611283565b635b5e139f60e01b8114915061127c565b604081019081106001600160401b038211176112f957604052565b634e487b7160e01b600052604160045260246000fd5b601f909101601f19168101906001600160401b038211908210176112f957604052565b6001600160401b0381116112f957601f01601f191660200190565b6040519061135a826112de565b60048252636c656e7360e01b6020830152565b3461139657600036600319011261139657602061138861134d565b818151910120604051908152f35b600080fd5b60005b8381106113ae5750506000910152565b818101518382015260200161139e565b906020916113d78151809281855285808601910161139b565b601f01601f1916010190565b600435906001600160a01b038216820361139657565b602435906001600160a01b038216820361139657565b92919261141b82611332565b91611429604051938461130f565b829481845281830111611396578281602093846000960137010152565b6060906003190112611396576001600160a01b0390600435828116810361139657916024359081168103611396579060443590565b6040600319820112611396576004356001600160a01b038116810361139657916001600160401b03916024359083821161139657806023830112156113965781600401359384116113965760248483010111611396576024019190565b90600182811c92168015611508575b60208310146114f257565b634e487b7160e01b600052602260045260246000fd5b91607f16916114e7565b805460009392611521826114d8565b9182825260209360019182811690816000146115885750600114611547575b5050505050565b90939495506000929192528360002092846000945b83861061157457505050500101903880808080611540565b80548587018301529401938590820161155c565b60ff19168685015250505090151560051b010191503880808080611540565b8181106115b2575050565b600081556001016115a7565b919082018092116115cb57565b634e487b7160e01b600052601160045260246000fd5b806000526009602052611601611608604060002060405192838092611512565b038261130f565b511561163057600052600960205261160161162d604060002060405192838092611512565b90565b60405163b0ce759160e01b8152600490fd5b90929161165036828661140f565b9384516020809601209260085490600019908183146115cb5760019283016008556001600160a01b03169182156118715761169361168d87611af3565b15611b7e565b61169f61168d87611af3565b600083815260038952604080822080548401905587825260028a52812080546001600160a01b0319168517905591868484600080516020611e8e8339815191528180a46009895260408320916001600160401b03871161185d5761170383546114d8565b601f8111611824575b5083601f88116001146117ad579260c0928880600080516020611e6e8339815191529b9c9d94889761178a99936117a2575b501b918a60031b1c19161790555b8661175561134d565b9360405198899860a08a528160a08b0152858a0137838289010152601f801991011686019082878303019087015201906113be565b9085604084015260608301524260808301520390a190565b8b013592503861173e565b8385528a85209192601f198916865b81811061180f57509261178a96959260c095928b600080516020611e6e8339815191529d9e9f96106117f7575b50505088811b01905561174c565b60f88c60031b161c19908a01351690553880806117e9565b89840135855593850193928d01928d016117bc565b61184d908486528b8620601f8a0160051c8101918d8b10611853575b601f0160051c01906115a7565b3861170c565b9091508190611840565b634e487b7160e01b84526041600452602484fd5b6064886040519062461bcd60e51b825280600483015260248201527f4552433732313a206d696e7420746f20746865207a65726f20616464726573736044820152fd5b9081518110156118c5570160200190565b634e487b7160e01b600052603260045260246000fd5b60ff60f81b16600360fc1b8110159081611919575b81156118fa575090565b606160f81b81101591508161190d575090565b603d60f91b1015905090565b603960f81b81111591506118f0565b803b159081611935575090565b6001600160a01b031660009081526006602052604090205460001981149150811561195e575090565b9050421090565b1561196c57565b60405162461bcd60e51b8152602060048201526018602482015277115490cdcc8c4e881a5b9d985b1a59081d1bdad95b88125160421b6044820152606490fd5b6000908152600260205260409020546001600160a01b031661162d811515611965565b6119db6104c082611af3565b6000908152600460205260409020546001600160a01b031690565b156119fd57565b60405162461bcd60e51b815260206004820152602d60248201527f4552433732313a2063616c6c6572206973206e6f7420746f6b656e206f776e6560448201526c1c881bdc88185c1c1c9bdd9959609a1b6064820152608490fd5b90611a7c939291611a6c610db08433611b10565b611a77838383611c23565b611d4e565b15611a8357565b60405162461bcd60e51b815280611a9c60048201611aa0565b0390fd5b60809060208152603260208201527f4552433732313a207472616e7366657220746f206e6f6e20455243373231526560408201527131b2b4bb32b91034b6b83632b6b2b73a32b960711b60608201520190565b6000908152600260205260409020546001600160a01b0316151590565b906001600160a01b038080611b24846119ac565b16931691838314938415611b57575b508315611b41575b50505090565b611b4d919293506119cf565b1614388080611b3b565b909350600052600560205260406000208260005260205260ff604060002054169238611b33565b15611b8557565b60405162461bcd60e51b815260206004820152601c60248201527b115490cdcc8c4e881d1bdad95b88185b1c9958591e481b5a5b9d195960221b6044820152606490fd5b15611bd057565b60405162461bcd60e51b815260206004820152602560248201527f4552433732313a207472616e736665722066726f6d20696e636f72726563742060448201526437bbb732b960d91b6064820152608490fd5b90611c49611c30846119ac565b6001600160a01b03848116939092839283168514611bc9565b16928315611cfd578215159081611ced575b50611cdb5781611c7591611c6e866119ac565b1614611bc9565b600080516020611e8e833981519152600084815260046020526040812060018060a01b03199081815416905583825260036020526040822060001981540190558482526040822060018154019055858252600260205284604083209182541617905580a4565b604051638043dfaf60e01b8152600490fd5b611cf79150611928565b38611c5b565b60405162461bcd60e51b8152602060048201526024808201527f4552433732313a207472616e7366657220746f20746865207a65726f206164646044820152637265737360e01b6064820152608490fd5b9293919290803b15611e6357611da29460018060a01b039460405192839187630a85bd0160e11b9687855233600486015216602484015260448301526080606483015281806020998a9560848301906113be565b03916000988991165af1849181611e23575b50611e12575050503d600014611e0a573d611dce81611332565b90611ddc604051928361130f565b81528091833d92013e5b80519182611e075760405162461bcd60e51b815280611a9c60048201611aa0565b01fd5b506060611de6565b6001600160e01b0319161492509050565b9091508581813d8311611e5c575b611e3b818361130f565b8101031261063557516001600160e01b031981168103610635579038611db4565b503d611e31565b505091505060019056fe30a132e912787e50de6193fe56a96ea6188c0bbf676679d630a25d3293c3e19addf252ad1be2c89b69c2b068fc378daa952ba7f163c4a11628f55a4df523b3ef035adf3bbe16b317cf4a3e05c966ea6571d1af00147c5f121bd1514b1e322a06a2646970667358221220f2b4b567da666e1fed106f0c35b5752d7a2d362c13bf32a03c8734bf5579be2564736f6c63430008150033
Constructor Arguments (ABI-Encoded and is the last bytes of the Contract Creation Code above)
000000000000000000000000f94b90bbeee30996019babd12cecddccf68331de000000000000000000000000db46d1dc155634fbc732f92e853b10b288ad5a1d0000000000000000000000000000000000000000000000000000000000015180
-----Decoded View---------------
Arg [0] : owner (address): 0xf94b90BbEee30996019bABD12cEcdDCcf68331DE
Arg [1] : lensHub (address): 0xDb46d1Dc155634FbC732f92E853b10B288AD5a1d
Arg [2] : tokenGuardianCooldown (uint256): 86400
-----Encoded View---------------
3 Constructor Arguments found :
Arg [0] : 000000000000000000000000f94b90bbeee30996019babd12cecddccf68331de
Arg [1] : 000000000000000000000000db46d1dc155634fbc732f92e853b10b288ad5a1d
Arg [2] : 0000000000000000000000000000000000000000000000000000000000015180
Loading...
Loading
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.