ERC-8004 Trustless Agent (AGENT)
Source Code
Overview
TokenID
283
Total Transfers
-
Market
Onchain Market Cap
-
Circulating Supply Market Cap
-
Other Info
Token Contract
Loading...
Loading
Loading...
Loading
Loading...
Loading
Contract Name:
IdentityRegistry
Compiler Version
v0.8.19+commit.7dd6d404
Optimization Enabled:
Yes with 200 runs
Other Settings:
paris EvmVersion
Contract Source Code (Solidity Standard Json-Input format)
// SPDX-License-Identifier: CC0-1.0
pragma solidity 0.8.19;
import "@openzeppelin/contracts/token/ERC721/extensions/ERC721URIStorage.sol";
import "@openzeppelin/contracts/utils/Counters.sol";
import "@openzeppelin/contracts/security/ReentrancyGuard.sol";
import "./interfaces/IIdentityRegistry.sol";
/**
* @title IdentityRegistry
* @dev ERC-8004 v1.0 Identity Registry - Reference Implementation
* @notice ERC-721 based agent registry with metadata storage
*
* This contract implements the Identity Registry as specified in ERC-8004 v1.0.
* Each agent is represented as an ERC-721 NFT, making agents immediately browsable
* and transferable with NFT-compliant applications.
*
* Key Features:
* - ERC-721 compliance with URIStorage extension
* - Flexible registration with optional metadata
* - On-chain key-value metadata storage
* - Transferable agent ownership
*
* @author ChaosChain Labs
*/
contract IdentityRegistry is ERC721URIStorage, ReentrancyGuard, IIdentityRegistry {
using Counters for Counters.Counter;
// ============ State Variables ============
/// @dev Counter for agent IDs (tokenIds)
Counters.Counter private _agentIdCounter;
/// @dev Mapping from agentId to metadata key to metadata value
mapping(uint256 => mapping(string => bytes)) private _metadata;
// ============ Constructor ============
/**
* @dev Initializes the ERC-721 contract with name and symbol
*/
constructor() ERC721("ERC-8004 Trustless Agent", "AGENT") {
// Agent IDs start from 1 (0 is reserved for non-existent agents)
_agentIdCounter.increment();
}
// ============ Registration Functions ============
/**
* @notice Register a new agent with tokenURI and metadata
* @param tokenURI_ The URI pointing to the agent's registration JSON file
* @param metadata Array of metadata entries to set for the agent
* @return agentId The newly assigned agent ID
*/
function register(
string calldata tokenURI_,
MetadataEntry[] calldata metadata
) external nonReentrant returns (uint256 agentId) {
agentId = _mintAgent(msg.sender, tokenURI_);
// Set metadata if provided
if (metadata.length > 0) {
_setMetadataBatch(agentId, metadata);
}
}
/**
* @notice Register a new agent with tokenURI only
* @param tokenURI_ The URI pointing to the agent's registration JSON file
* @return agentId The newly assigned agent ID
*/
function register(string calldata tokenURI_) external nonReentrant returns (uint256 agentId) {
agentId = _mintAgent(msg.sender, tokenURI_);
}
/**
* @notice Register a new agent without tokenURI (can be set later)
* @dev The tokenURI can be set later using _setTokenURI() by the owner
* @return agentId The newly assigned agent ID
*/
function register() external nonReentrant returns (uint256 agentId) {
agentId = _mintAgent(msg.sender, "");
}
// ============ Metadata Functions ============
/**
* @notice Set metadata for an agent
* @dev Only the owner or approved operator can set metadata
* @param agentId The agent ID
* @param key The metadata key
* @param value The metadata value as bytes
*/
function setMetadata(
uint256 agentId,
string calldata key,
bytes calldata value
) external {
require(_isApprovedOrOwner(msg.sender, agentId), "Not authorized");
require(bytes(key).length > 0, "Empty key");
_metadata[agentId][key] = value;
emit MetadataSet(agentId, key, key, value);
}
/**
* @notice Get metadata for an agent
* @param agentId The agent ID
* @param key The metadata key
* @return value The metadata value as bytes
*/
function getMetadata(
uint256 agentId,
string calldata key
) external view returns (bytes memory value) {
require(_exists(agentId), "Agent does not exist");
return _metadata[agentId][key];
}
// ============ View Functions ============
/**
* @notice Get the total number of registered agents
* @return count The total number of agents
*/
function totalAgents() external view returns (uint256 count) {
return _agentIdCounter.current() - 1;
}
/**
* @notice Check if an agent exists
* @param agentId The agent ID to check
* @return exists True if the agent exists
*/
function agentExists(uint256 agentId) external view returns (bool exists) {
return _exists(agentId);
}
// ============ Internal Functions ============
/**
* @dev Mints a new agent NFT
* @param to The address to mint the agent to
* @param tokenURI_ The token URI
* @return agentId The newly minted agent ID
*/
function _mintAgent(
address to,
string memory tokenURI_
) internal returns (uint256 agentId) {
agentId = _agentIdCounter.current();
_agentIdCounter.increment();
_safeMint(to, agentId);
if (bytes(tokenURI_).length > 0) {
_setTokenURI(agentId, tokenURI_);
}
emit Registered(agentId, tokenURI_, to);
}
/**
* @dev Sets multiple metadata entries in batch
* @param agentId The agent ID
* @param metadata Array of metadata entries
*/
function _setMetadataBatch(
uint256 agentId,
MetadataEntry[] calldata metadata
) internal {
for (uint256 i = 0; i < metadata.length; i++) {
require(bytes(metadata[i].key).length > 0, "Empty key");
_metadata[agentId][metadata[i].key] = metadata[i].value;
emit MetadataSet(
agentId,
metadata[i].key,
metadata[i].key,
metadata[i].value
);
}
}
}// SPDX-License-Identifier: MIT
// OpenZeppelin Contracts (last updated v4.7.0) (token/ERC721/extensions/ERC721URIStorage.sol)
pragma solidity ^0.8.0;
import "../ERC721.sol";
/**
* @dev ERC721 token with storage based token URI management.
*/
abstract contract ERC721URIStorage is ERC721 {
using Strings for uint256;
// Optional mapping for token URIs
mapping(uint256 => string) private _tokenURIs;
/**
* @dev See {IERC721Metadata-tokenURI}.
*/
function tokenURI(uint256 tokenId) public view virtual override returns (string memory) {
_requireMinted(tokenId);
string memory _tokenURI = _tokenURIs[tokenId];
string memory base = _baseURI();
// If there is no base URI, return the token URI.
if (bytes(base).length == 0) {
return _tokenURI;
}
// If both are set, concatenate the baseURI and tokenURI (via abi.encodePacked).
if (bytes(_tokenURI).length > 0) {
return string(abi.encodePacked(base, _tokenURI));
}
return super.tokenURI(tokenId);
}
/**
* @dev Sets `_tokenURI` as the tokenURI of `tokenId`.
*
* Requirements:
*
* - `tokenId` must exist.
*/
function _setTokenURI(uint256 tokenId, string memory _tokenURI) internal virtual {
require(_exists(tokenId), "ERC721URIStorage: URI set of nonexistent token");
_tokenURIs[tokenId] = _tokenURI;
}
/**
* @dev See {ERC721-_burn}. This override additionally checks to see if a
* token-specific URI was set for the token, and if so, it deletes the token URI from
* the storage mapping.
*/
function _burn(uint256 tokenId) internal virtual override {
super._burn(tokenId);
if (bytes(_tokenURIs[tokenId]).length != 0) {
delete _tokenURIs[tokenId];
}
}
}// SPDX-License-Identifier: MIT
// OpenZeppelin Contracts v4.4.1 (utils/Counters.sol)
pragma solidity ^0.8.0;
/**
* @title Counters
* @author Matt Condon (@shrugs)
* @dev Provides counters that can only be incremented, decremented or reset. This can be used e.g. to track the number
* of elements in a mapping, issuing ERC721 ids, or counting request ids.
*
* Include with `using Counters for Counters.Counter;`
*/
library Counters {
struct Counter {
// This variable should never be directly accessed by users of the library: interactions must be restricted to
// the library's function. As of Solidity v0.5.2, this cannot be enforced, though there is a proposal to add
// this feature: see https://github.com/ethereum/solidity/issues/4637
uint256 _value; // default: 0
}
function current(Counter storage counter) internal view returns (uint256) {
return counter._value;
}
function increment(Counter storage counter) internal {
unchecked {
counter._value += 1;
}
}
function decrement(Counter storage counter) internal {
uint256 value = counter._value;
require(value > 0, "Counter: decrement overflow");
unchecked {
counter._value = value - 1;
}
}
function reset(Counter storage counter) internal {
counter._value = 0;
}
}// SPDX-License-Identifier: MIT
// OpenZeppelin Contracts (last updated v4.8.0) (security/ReentrancyGuard.sol)
pragma solidity ^0.8.0;
/**
* @dev Contract module that helps prevent reentrant calls to a function.
*
* Inheriting from `ReentrancyGuard` will make the {nonReentrant} modifier
* available, which can be applied to functions to make sure there are no nested
* (reentrant) calls to them.
*
* Note that because there is a single `nonReentrant` guard, functions marked as
* `nonReentrant` may not call one another. This can be worked around by making
* those functions `private`, and then adding `external` `nonReentrant` entry
* points to them.
*
* TIP: If you would like to learn more about reentrancy and alternative ways
* to protect against it, check out our blog post
* https://blog.openzeppelin.com/reentrancy-after-istanbul/[Reentrancy After Istanbul].
*/
abstract contract ReentrancyGuard {
// Booleans are more expensive than uint256 or any type that takes up a full
// word because each write operation emits an extra SLOAD to first read the
// slot's contents, replace the bits taken up by the boolean, and then write
// back. This is the compiler's defense against contract upgrades and
// pointer aliasing, and it cannot be disabled.
// The values being non-zero value makes deployment a bit more expensive,
// but in exchange the refund on every call to nonReentrant will be lower in
// amount. Since refunds are capped to a percentage of the total
// transaction's gas, it is best to keep them low in cases like this one, to
// increase the likelihood of the full refund coming into effect.
uint256 private constant _NOT_ENTERED = 1;
uint256 private constant _ENTERED = 2;
uint256 private _status;
constructor() {
_status = _NOT_ENTERED;
}
/**
* @dev Prevents a contract from calling itself, directly or indirectly.
* Calling a `nonReentrant` function from another `nonReentrant`
* function is not supported. It is possible to prevent this from happening
* by making the `nonReentrant` function external, and making it call a
* `private` function that does the actual work.
*/
modifier nonReentrant() {
_nonReentrantBefore();
_;
_nonReentrantAfter();
}
function _nonReentrantBefore() private {
// On the first call to nonReentrant, _status will be _NOT_ENTERED
require(_status != _ENTERED, "ReentrancyGuard: reentrant call");
// Any calls to nonReentrant after this point will fail
_status = _ENTERED;
}
function _nonReentrantAfter() private {
// By storing the original value once again, a refund is triggered (see
// https://eips.ethereum.org/EIPS/eip-2200)
_status = _NOT_ENTERED;
}
}// SPDX-License-Identifier: CC0-1.0
pragma solidity 0.8.19;
import "@openzeppelin/contracts/token/ERC721/IERC721.sol";
import "@openzeppelin/contracts/token/ERC721/extensions/IERC721Metadata.sol";
/**
* @title IIdentityRegistry
* @dev Interface for ERC-8004 v1.0 Identity Registry
* @notice ERC-721 based agent registry with metadata storage
*
* This interface extends ERC-721 to provide agent registration functionality
* with on-chain metadata storage. Each agent is represented as an NFT, making
* agents immediately browsable and transferable with NFT-compliant applications.
*
* @author ChaosChain Labs
*/
interface IIdentityRegistry is IERC721, IERC721Metadata {
// ============ Structs ============
/**
* @dev Metadata entry structure for batch metadata setting
* @param key The metadata key
* @param value The metadata value as bytes
*/
struct MetadataEntry {
string key;
bytes value;
}
// ============ Events ============
/**
* @dev Emitted when a new agent is registered
* @param agentId The newly assigned agent ID (tokenId)
* @param tokenURI The URI pointing to the agent's registration file
* @param owner The address that owns the agent NFT
*/
event Registered(uint256 indexed agentId, string tokenURI, address indexed owner);
/**
* @dev Emitted when metadata is set for an agent
* @param agentId The agent ID
* @param indexedKey Indexed version of the key for filtering
* @param key The metadata key
* @param value The metadata value
*/
event MetadataSet(
uint256 indexed agentId,
string indexed indexedKey,
string key,
bytes value
);
// ============ Registration Functions ============
/**
* @notice Register a new agent with tokenURI and metadata
* @param tokenURI_ The URI pointing to the agent's registration JSON file
* @param metadata Array of metadata entries to set for the agent
* @return agentId The newly assigned agent ID
*/
function register(
string calldata tokenURI_,
MetadataEntry[] calldata metadata
) external returns (uint256 agentId);
/**
* @notice Register a new agent with tokenURI only
* @param tokenURI_ The URI pointing to the agent's registration JSON file
* @return agentId The newly assigned agent ID
*/
function register(string calldata tokenURI_) external returns (uint256 agentId);
/**
* @notice Register a new agent without tokenURI (can be set later)
* @dev The tokenURI can be set later using _setTokenURI() by the owner
* @return agentId The newly assigned agent ID
*/
function register() external returns (uint256 agentId);
// ============ Metadata Functions ============
/**
* @notice Set metadata for an agent
* @dev Only the owner or approved operator can set metadata
* @param agentId The agent ID
* @param key The metadata key
* @param value The metadata value as bytes
*/
function setMetadata(
uint256 agentId,
string calldata key,
bytes calldata value
) external;
/**
* @notice Get metadata for an agent
* @param agentId The agent ID
* @param key The metadata key
* @return value The metadata value as bytes
*/
function getMetadata(
uint256 agentId,
string calldata key
) external view returns (bytes memory value);
// ============ View Functions ============
/**
* @notice Get the total number of registered agents
* @return count The total number of agents
*/
function totalAgents() external view returns (uint256 count);
/**
* @notice Check if an agent exists
* @param agentId The agent ID to check
* @return exists True if the agent exists
*/
function agentExists(uint256 agentId) external view returns (bool exists);
}// 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 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.6.0) (token/ERC721/IERC721Receiver.sol)
pragma solidity ^0.8.0;
/**
* @title ERC721 token receiver interface
* @dev Interface for any contract that wants to support safeTransfers
* from ERC721 asset contracts.
*/
interface IERC721Receiver {
/**
* @dev Whenever an {IERC721} `tokenId` token is transferred to this contract via {IERC721-safeTransferFrom}
* by `operator` from `from`, this function is called.
*
* It must return its Solidity selector to confirm the token transfer.
* If any other value is returned or the interface is not implemented by the recipient, the transfer will be reverted.
*
* The selector can be obtained in Solidity with `IERC721Receiver.onERC721Received.selector`.
*/
function onERC721Received(
address operator,
address from,
uint256 tokenId,
bytes calldata data
) external returns (bytes4);
}// SPDX-License-Identifier: MIT
// OpenZeppelin Contracts (last updated v4.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": [
"@openzeppelin/=lib/reference/lib/openzeppelin-contracts/",
"ds-test/=lib/reference/lib/forge-std/lib/ds-test/src/",
"erc4626-tests/=lib/openzeppelin-contracts/lib/erc4626-tests/",
"forge-std/=lib/forge-std/src/",
"halmos-cheatcodes/=lib/openzeppelin-contracts/lib/halmos-cheatcodes/src/",
"openzeppelin-contracts/=lib/openzeppelin-contracts/",
"reference/=lib/reference/"
],
"optimizer": {
"enabled": true,
"runs": 200
},
"metadata": {
"useLiteralContent": false,
"bytecodeHash": "ipfs",
"appendCBOR": true
},
"outputSelection": {
"*": {
"*": [
"evm.bytecode",
"evm.deployedBytecode",
"devdoc",
"userdoc",
"metadata",
"abi"
]
}
},
"evmVersion": "paris",
"viaIR": true
}Contract ABI
API[{"inputs":[],"stateMutability":"nonpayable","type":"constructor"},{"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":true,"internalType":"uint256","name":"agentId","type":"uint256"},{"indexed":true,"internalType":"string","name":"indexedKey","type":"string"},{"indexed":false,"internalType":"string","name":"key","type":"string"},{"indexed":false,"internalType":"bytes","name":"value","type":"bytes"}],"name":"MetadataSet","type":"event"},{"anonymous":false,"inputs":[{"indexed":true,"internalType":"uint256","name":"agentId","type":"uint256"},{"indexed":false,"internalType":"string","name":"tokenURI","type":"string"},{"indexed":true,"internalType":"address","name":"owner","type":"address"}],"name":"Registered","type":"event"},{"anonymous":false,"inputs":[{"indexed":true,"internalType":"address","name":"from","type":"address"},{"indexed":true,"internalType":"address","name":"to","type":"address"},{"indexed":true,"internalType":"uint256","name":"tokenId","type":"uint256"}],"name":"Transfer","type":"event"},{"inputs":[{"internalType":"uint256","name":"agentId","type":"uint256"}],"name":"agentExists","outputs":[{"internalType":"bool","name":"exists","type":"bool"}],"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":"getApproved","outputs":[{"internalType":"address","name":"","type":"address"}],"stateMutability":"view","type":"function"},{"inputs":[{"internalType":"uint256","name":"agentId","type":"uint256"},{"internalType":"string","name":"key","type":"string"}],"name":"getMetadata","outputs":[{"internalType":"bytes","name":"value","type":"bytes"}],"stateMutability":"view","type":"function"},{"inputs":[{"internalType":"address","name":"owner","type":"address"},{"internalType":"address","name":"operator","type":"address"}],"name":"isApprovedForAll","outputs":[{"internalType":"bool","name":"","type":"bool"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"name","outputs":[{"internalType":"string","name":"","type":"string"}],"stateMutability":"view","type":"function"},{"inputs":[{"internalType":"uint256","name":"tokenId","type":"uint256"}],"name":"ownerOf","outputs":[{"internalType":"address","name":"","type":"address"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"register","outputs":[{"internalType":"uint256","name":"agentId","type":"uint256"}],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"string","name":"tokenURI_","type":"string"},{"components":[{"internalType":"string","name":"key","type":"string"},{"internalType":"bytes","name":"value","type":"bytes"}],"internalType":"struct IIdentityRegistry.MetadataEntry[]","name":"metadata","type":"tuple[]"}],"name":"register","outputs":[{"internalType":"uint256","name":"agentId","type":"uint256"}],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"string","name":"tokenURI_","type":"string"}],"name":"register","outputs":[{"internalType":"uint256","name":"agentId","type":"uint256"}],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"address","name":"from","type":"address"},{"internalType":"address","name":"to","type":"address"},{"internalType":"uint256","name":"tokenId","type":"uint256"}],"name":"safeTransferFrom","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"address","name":"from","type":"address"},{"internalType":"address","name":"to","type":"address"},{"internalType":"uint256","name":"tokenId","type":"uint256"},{"internalType":"bytes","name":"data","type":"bytes"}],"name":"safeTransferFrom","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"address","name":"operator","type":"address"},{"internalType":"bool","name":"approved","type":"bool"}],"name":"setApprovalForAll","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"uint256","name":"agentId","type":"uint256"},{"internalType":"string","name":"key","type":"string"},{"internalType":"bytes","name":"value","type":"bytes"}],"name":"setMetadata","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"bytes4","name":"interfaceId","type":"bytes4"}],"name":"supportsInterface","outputs":[{"internalType":"bool","name":"","type":"bool"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"symbol","outputs":[{"internalType":"string","name":"","type":"string"}],"stateMutability":"view","type":"function"},{"inputs":[{"internalType":"uint256","name":"tokenId","type":"uint256"}],"name":"tokenURI","outputs":[{"internalType":"string","name":"","type":"string"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"totalAgents","outputs":[{"internalType":"uint256","name":"count","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
6080346200032d576001600160401b03906040908082018381118282101762000317578252601881526020927f4552432d383030342054727573746c657373204167656e740000000000000000848301528251838101818110838211176200031757845260058152641051d1539560da1b85820152825190828211620003175760008054926001958685811c951680156200030c575b89861014620002f8578190601f95868111620002a5575b5089908683116001146200024157849262000235575b5050600019600383901b1c191690861b1781555b8151938411620002215784548581811c9116801562000216575b888210146200020257838111620001ba575b5086928411600114620001545783949596509262000148575b5050600019600383901b1c191690821b1781555b806007556008540160085551611ae49081620003338239f35b0151905038806200011b565b9190601f1984169685845280842093905b888210620001a2575050838596971062000188575b505050811b0181556200012f565b015160001960f88460031b161c191690553880806200017a565b80878596829496860151815501950193019062000165565b8582528782208480870160051c8201928a8810620001f8575b0160051c019086905b828110620001ec57505062000102565b838155018690620001dc565b92508192620001d3565b634e487b7160e01b82526022600452602482fd5b90607f1690620000f0565b634e487b7160e01b81526041600452602490fd5b015190503880620000c2565b8480528a85208994509190601f198416865b8d8282106200028e575050841162000274575b505050811b018155620000d6565b015160001960f88460031b161c1916905538808062000266565b8385015186558c9790950194938401930162000253565b9091508380528984208680850160051c8201928c8610620002ee575b918a91869594930160051c01915b828110620002df575050620000ac565b8681558594508a9101620002cf565b92508192620002c1565b634e487b7160e01b83526022600452602483fd5b94607f169462000095565b634e487b7160e01b600052604160045260246000fd5b600080fdfe608060408181526004918236101561001657600080fd5b600090813560e01c90816301ffc9a714610da15750806306fdde0314610cf9578063081812fc14610cda578063095ea7b314610b6c5780631aa3a00814610b3857806323b872dd14610b1357806342842e0e14610adf578063466648da1461090a5780636352211e146108da57806370a08231146108455780638ea42286146105b757806395d89b41146104e6578063a22cb46514610416578063b88d4fde14610388578063c505371214610349578063c87b56dd146102c6578063cb4799f2146101ed578063de99f157146101af578063e985e9c51461015d5763f2c298be1461010057600080fd5b3461015a57602036600319011261015a5782359067ffffffffffffffff821161015a575061014861013960209461014e93369101610eb3565b610141611566565b3691610f51565b336116a9565b90600160075551908152f35b80fd5b5090346101ab57806003193601126101ab5760ff8160209361017d610e4d565b610185610e68565b6001600160a01b0391821683526005875283832091168252855220549151911615158152f35b5080fd5b503461015a57602036600319011261015a57506101e460209235600052600260205260018060a01b0360406000205416151590565b90519015158152f35b5082903461015a578260031936011261015a5781359060243567ffffffffffffffff81116101ab576102229036908501610eb3565b60008481526002602052604090205491949093916001600160a01b03161561028c5761028861026f876102766102648989848a8a8152600960205220916115f4565b825193848092611034565b0383610f13565b51918291602083526020830190610e0d565b0390f35b606490602087519162461bcd60e51b835282015260146024820152731059d95b9d08191bd95cc81b9bdd08195e1a5cdd60621b6044820152fd5b50913461034557602036600319011261034557356000818152600260205260409020546102889361032093929091610308906001600160a01b03161515610f88565b81526006602052610327828220835194858092611034565b0384610f13565b815161033281610ee1565b5251918291602083526020830190610e0d565b8280fd5b5090346101ab57816003193601126101ab57600854600019810192908311610375576020838351908152f35b634e487b7160e01b815260118452602490fd5b5082346101ab5760803660031901126101ab576103a3610e4d565b906103ac610e68565b916044356064359367ffffffffffffffff85116104125736602386011215610412576103e761040a9486602461040f98369301359101610f51565b926103fa6103f584336111e1565b611108565b6104058383836112a9565b6114db565b6111bd565b80f35b8580fd5b50919034610345578060031936011261034557610431610e4d565b90602435918215158093036104e2576001600160a01b0316923384146104a05750338452600560205280842083855260205280842060ff1981541660ff8416179055519081527f17307eab39ab6107e8899845ad3d59bd9653f200f220920489ca2b5937696c3160203392a380f35b6020606492519162461bcd60e51b8352820152601960248201527f4552433732313a20617070726f766520746f2063616c6c6572000000000000006044820152fd5b8480fd5b5090346101ab57816003193601126101ab5780519082600180549161050a83610ffa565b8086529282811690811561058f5750600114610533575b50505061027682610288940383610f13565b94508085527fb10e2d527612073b26eecdfd717e6a320cf44b4afac2b0732d9fcbe2b7fa0cf65b828610610577575050506102768260206102889582010194610521565b8054602087870181019190915290950194810161055a565b61028897508693506020925061027694915060ff191682840152151560051b82010194610521565b5091903461034557806003193601126103455767ffffffffffffffff82358181116104e2576105e99036908501610eb3565b94909360249586359584871161084157366023880112156108415786830135918583116104e257888801978936918560051b0101116104e2576106329161014891610141611566565b9581610648575b60208787600160075551908152f35b835b8281106106575750610639565b61067761066e610668838686611a23565b80611a5b565b905015156115bc565b610682818484611a23565b61069160209182810190611a5b565b8a8852600983526106b28a89206106ac610668878a8a611a23565b906115f4565b9189821161082f5785838389938f958f97906106d16106d79254610ffa565b8561160d565b8c908d601f84116001146107a2579261077194928192600080516020611a8f833981519152999a9b9592610797575b50508160011b916000199060031b1c19161790555b8b61075361072d6106688b8888611a23565b91909361074a8c610742610668828c8c611a23565b9a9099611a23565b90810190611a5b565b939092828b5193849384378201908152039020975194859485611682565b0390a360001981146107855760010161064a565b634e487b7160e01b8552601184528885fd5b013590503880610706565b91601f1984168584528a8420935b81811061080457509161077195939185600080516020611a8f8339815191529a9b9c9694106107ea575b505050600190811b01905561071b565b0135600019600384901b60f8161c191690553880806107da565b9599509397509550935087600181928787013581550195019201938f9591938f97938b958d976107b0565b634e487b7160e01b8952604188528c89fd5b8380fd5b5082346101ab5760203660031901126101ab576001600160a01b03610868610e4d565b169081156108855760208480858581526003845220549051908152f35b608490602085519162461bcd60e51b8352820152602960248201527f4552433732313a2061646472657373207a65726f206973206e6f7420612076616044820152683634b21037bbb732b960b91b6064820152fd5b503461015a57602036600319011261015a57506108f960209235610fd4565b90516001600160a01b039091168152f35b5091346103455760603660031901126103455780359067ffffffffffffffff90602435828111610412576109419036908301610eb3565b929091604435828111610adb5761095b9036908301610eb3565b92909161096887336111e1565b15610aa7576109788615156115bc565b8689526020906009825261098f898b2088886115f4565b928511610a9457506109ab846109a58454610ffa565b8461160d565b8890601f8511600114610a195750918391600080516020611a8f833981519152969594610a08948b91610a0e575b508360011b906000198560031b1c19161790555b875185858237808681018b8152039020975194859485611682565b0390a380f35b9050820135386109d9565b90601f198516838b52828b20928b905b828210610a7c57505091859391600080516020611a8f833981519152989796610a08969410610a62575b5050600183811b0190556109ed565b830135600019600386901b60f8161c191690553880610a53565b80600185968294968a01358155019501930190610a29565b634e487b7160e01b8a5260419052602489fd5b606490602089519162461bcd60e51b8352820152600e60248201526d139bdd08185d5d1a1bdc9a5e995960921b6044820152fd5b8780fd5b5090346101ab5761040a61040f91610af636610e7e565b91925192610b0384610ee1565b8684526103fa6103f584336111e1565b503461015a5761040f610b2536610e7e565b91610b336103f584336111e1565b6112a9565b5090346101ab57816003193601126101ab5761014e602092610b58611566565b825190610b6482610ee1565b8152336116a9565b509134610345578160031936011261034557610b86610e4d565b6024359290916001600160a01b0391908280610ba187610fd4565b16941693808514610c8d57803314908115610c6e575b5015610c0657848652602052842080546001600160a01b03191683179055610bde83610fd4565b167f8c5be1e5ebec7d5bd14f71427d1e84f3dd0314c0f7b2291e5b200ac8c7c3b9258480a480f35b6020608492519162461bcd60e51b8352820152603d60248201527f4552433732313a20617070726f76652063616c6c6572206973206e6f7420746f60448201527f6b656e206f776e6572206f7220617070726f76656420666f7220616c6c0000006064820152fd5b90508652600560205281862033875260205260ff828720541638610bb7565b506020608492519162461bcd60e51b8352820152602160248201527f4552433732313a20617070726f76616c20746f2063757272656e74206f776e656044820152603960f91b6064820152fd5b503461015a57602036600319011261015a57506108f9602092356110ca565b5090346101ab57816003193601126101ab57805190828054610d1a81610ffa565b8085529160019180831690811561058f5750600114610d455750505061027682610288940383610f13565b80809650527f290decd9548b62a8d60345a988386fc84ba6bc95484008f6362f93160ef3e5635b828610610d89575050506102768260206102889582010194610521565b80546020878701810191909152909501948101610d6c565b90508334610345576020366003190112610345573563ffffffff60e01b811680910361034557602092506380ac58cd60e01b8114908115610dfc575b8115610deb575b5015158152f35b6301ffc9a760e01b14905083610de4565b635b5e139f60e01b81149150610ddd565b919082519283825260005b848110610e39575050826000602080949584010152601f8019910116010190565b602081830181015184830182015201610e18565b600435906001600160a01b0382168203610e6357565b600080fd5b602435906001600160a01b0382168203610e6357565b6060906003190112610e63576001600160a01b03906004358281168103610e6357916024359081168103610e63579060443590565b9181601f84011215610e635782359167ffffffffffffffff8311610e635760208381860195010111610e6357565b6020810190811067ffffffffffffffff821117610efd57604052565b634e487b7160e01b600052604160045260246000fd5b90601f8019910116810190811067ffffffffffffffff821117610efd57604052565b67ffffffffffffffff8111610efd57601f01601f191660200190565b929192610f5d82610f35565b91610f6b6040519384610f13565b829481845281830111610e63578281602093846000960137010152565b15610f8f57565b60405162461bcd60e51b815260206004820152601860248201527f4552433732313a20696e76616c696420746f6b656e20494400000000000000006044820152606490fd5b6000908152600260205260409020546001600160a01b0316610ff7811515610f88565b90565b90600182811c9216801561102a575b602083101461101457565b634e487b7160e01b600052602260045260246000fd5b91607f1691611009565b906000929180549161104583610ffa565b9182825260019384811690816000146110a75750600114611067575b50505050565b90919394506000526020928360002092846000945b838610611093575050505001019038808080611061565b80548587018301529401938590820161107c565b9294505050602093945060ff191683830152151560051b01019038808080611061565b6000818152600260205260409020546110ed906001600160a01b03161515610f88565b6000908152600460205260409020546001600160a01b031690565b1561110f57565b60405162461bcd60e51b815260206004820152602d60248201527f4552433732313a2063616c6c6572206973206e6f7420746f6b656e206f776e6560448201526c1c881bdc88185c1c1c9bdd9959609a1b6064820152608490fd5b60809060208152603260208201527f4552433732313a207472616e7366657220746f206e6f6e20455243373231526560408201527131b2b4bb32b91034b6b83632b6b2b73a32b960711b60608201520190565b156111c457565b60405162461bcd60e51b8152806111dd6004820161116a565b0390fd5b906001600160a01b0380806111f584610fd4565b16931691838314938415611228575b508315611212575b50505090565b61121e919293506110ca565b161438808061120c565b909350600052600560205260406000208260005260205260ff604060002054169238611204565b1561125657565b60405162461bcd60e51b815260206004820152602560248201527f4552433732313a207472616e736665722066726f6d20696e636f72726563742060448201526437bbb732b960d91b6064820152608490fd5b906112d1916112b784610fd4565b6001600160a01b039391841692849290918316841461124f565b1691821561136e57816112ee916112e786610fd4565b161461124f565b7fddf252ad1be2c89b69c2b068fc378daa952ba7f163c4a11628f55a4df523b3ef60008481526004602052604081206bffffffffffffffffffffffff60a01b9081815416905583825260036020526040822060001981540190558482526040822060018154019055858252600260205284604083209182541617905580a4565b60405162461bcd60e51b8152602060048201526024808201527f4552433732313a207472616e7366657220746f20746865207a65726f206164646044820152637265737360e01b6064820152608490fd5b9192600092909190803b156114d15761140d946040518092630a85bd0160e11b9485835233600484015287602484015260448301526080606483015281878160209a8b966084830190610e0d565b03926001600160a01b03165af1849181611491575b50611480575050503d600014611478573d61143c81610f35565b9061144a6040519283610f13565b81528091833d92013e5b805191826114755760405162461bcd60e51b8152806111dd6004820161116a565b01fd5b506060611454565b6001600160e01b0319161492509050565b9091508581813d83116114ca575b6114a98183610f13565b810103126104e257516001600160e01b0319811681036104e2579038611422565b503d61149f565b5050915050600190565b9293600093909291803b1561155b579484916115359660405180948193630a85bd0160e11b9788845233600485015260018060a01b0380921660248501526044840152608060648401528260209b8c976084830190610e0d565b0393165af18491816114915750611480575050503d600014611478573d61143c81610f35565b505050915050600190565b600260075414611577576002600755565b60405162461bcd60e51b815260206004820152601f60248201527f5265656e7472616e637947756172643a207265656e7472616e742063616c6c006044820152606490fd5b156115c357565b60405162461bcd60e51b8152602060048201526009602482015268456d707479206b657960b81b6044820152606490fd5b6020919283604051948593843782019081520301902090565b90601f811161161b57505050565b600091825260208220906020601f850160051c83019410611657575b601f0160051c01915b82811061164c57505050565b818155600101611640565b9092508290611637565b908060209392818452848401376000828201840152601f01601f1916010190565b929061169b90610ff79593604086526040860191611661565b926020818503910152611661565b9190916008549260019182850160085560408051936116c785610ee1565b60008086526001600160a01b038416959091908615611994576000898152600260205260409020546117919161040a9161170d906001600160a01b031615155b156119d7565b60008b815260026020526040902054611730906001600160a01b03161515611707565b8885528a60209760038952878720868154019055818752600289528787208b6bffffffffffffffffffffffff60a01b825416179055818b887fddf252ad1be2c89b69c2b068fc378daa952ba7f163c4a11628f55a4df523b3ef8180a46113bf565b84516117d5575b50505181815285927fca52e62c367d81bb2e328eb795f7c7ba24afb478408a26c0e201d155c449bc4a9282916117d091830190610e0d565b0390a3565b929096959493916117fb87600052600260205260018060a01b0360406000205416151590565b1561193a57868852600682528088209383519067ffffffffffffffff821161192657889961183783611831899a9b9c9954610ffa565b8a61160d565b8490601f841160011461189e5792807fca52e62c367d81bb2e328eb795f7c7ba24afb478408a26c0e201d155c449bc4a98999381936117d0979693611893575b501b916000199060031b1c19161790555b929450819350611798565b890151925038611877565b979290601f198216848a52868a20995b81811061190e57509882916117d0969594937fca52e62c367d81bb2e328eb795f7c7ba24afb478408a26c0e201d155c449bc4a9a9b106118f5575b5050811b019055611888565b88015160001960f88460031b161c1916905538806118e9565b828901518b55998401998d99509187019187016118ae565b634e487b7160e01b8a52604160045260248afd5b60849250519062461bcd60e51b82526004820152602e60248201527f45524337323155524953746f726167653a2055524920736574206f66206e6f6e60448201526d32bc34b9ba32b73a103a37b5b2b760911b6064820152fd5b6064845162461bcd60e51b815260206004820152602060248201527f4552433732313a206d696e7420746f20746865207a65726f20616464726573736044820152fd5b156119de57565b60405162461bcd60e51b815260206004820152601c60248201527f4552433732313a20746f6b656e20616c7265616479206d696e746564000000006044820152606490fd5b9190811015611a455760051b81013590603e1981360301821215610e63570190565b634e487b7160e01b600052603260045260246000fd5b903590601e1981360301821215610e63570180359067ffffffffffffffff8211610e6357602001918136038313610e635756fe2c149ed548c6d2993cd73efe187df6eccabe4538091b33adbd25fafdb8a1468ba264697066735822122035fdf0b66ced5f83cf91f19fdf045058ac0a6fefb279f3ea6c7bdfc2d79e0ed364736f6c63430008130033
Deployed Bytecode
0x608060408181526004918236101561001657600080fd5b600090813560e01c90816301ffc9a714610da15750806306fdde0314610cf9578063081812fc14610cda578063095ea7b314610b6c5780631aa3a00814610b3857806323b872dd14610b1357806342842e0e14610adf578063466648da1461090a5780636352211e146108da57806370a08231146108455780638ea42286146105b757806395d89b41146104e6578063a22cb46514610416578063b88d4fde14610388578063c505371214610349578063c87b56dd146102c6578063cb4799f2146101ed578063de99f157146101af578063e985e9c51461015d5763f2c298be1461010057600080fd5b3461015a57602036600319011261015a5782359067ffffffffffffffff821161015a575061014861013960209461014e93369101610eb3565b610141611566565b3691610f51565b336116a9565b90600160075551908152f35b80fd5b5090346101ab57806003193601126101ab5760ff8160209361017d610e4d565b610185610e68565b6001600160a01b0391821683526005875283832091168252855220549151911615158152f35b5080fd5b503461015a57602036600319011261015a57506101e460209235600052600260205260018060a01b0360406000205416151590565b90519015158152f35b5082903461015a578260031936011261015a5781359060243567ffffffffffffffff81116101ab576102229036908501610eb3565b60008481526002602052604090205491949093916001600160a01b03161561028c5761028861026f876102766102648989848a8a8152600960205220916115f4565b825193848092611034565b0383610f13565b51918291602083526020830190610e0d565b0390f35b606490602087519162461bcd60e51b835282015260146024820152731059d95b9d08191bd95cc81b9bdd08195e1a5cdd60621b6044820152fd5b50913461034557602036600319011261034557356000818152600260205260409020546102889361032093929091610308906001600160a01b03161515610f88565b81526006602052610327828220835194858092611034565b0384610f13565b815161033281610ee1565b5251918291602083526020830190610e0d565b8280fd5b5090346101ab57816003193601126101ab57600854600019810192908311610375576020838351908152f35b634e487b7160e01b815260118452602490fd5b5082346101ab5760803660031901126101ab576103a3610e4d565b906103ac610e68565b916044356064359367ffffffffffffffff85116104125736602386011215610412576103e761040a9486602461040f98369301359101610f51565b926103fa6103f584336111e1565b611108565b6104058383836112a9565b6114db565b6111bd565b80f35b8580fd5b50919034610345578060031936011261034557610431610e4d565b90602435918215158093036104e2576001600160a01b0316923384146104a05750338452600560205280842083855260205280842060ff1981541660ff8416179055519081527f17307eab39ab6107e8899845ad3d59bd9653f200f220920489ca2b5937696c3160203392a380f35b6020606492519162461bcd60e51b8352820152601960248201527f4552433732313a20617070726f766520746f2063616c6c6572000000000000006044820152fd5b8480fd5b5090346101ab57816003193601126101ab5780519082600180549161050a83610ffa565b8086529282811690811561058f5750600114610533575b50505061027682610288940383610f13565b94508085527fb10e2d527612073b26eecdfd717e6a320cf44b4afac2b0732d9fcbe2b7fa0cf65b828610610577575050506102768260206102889582010194610521565b8054602087870181019190915290950194810161055a565b61028897508693506020925061027694915060ff191682840152151560051b82010194610521565b5091903461034557806003193601126103455767ffffffffffffffff82358181116104e2576105e99036908501610eb3565b94909360249586359584871161084157366023880112156108415786830135918583116104e257888801978936918560051b0101116104e2576106329161014891610141611566565b9581610648575b60208787600160075551908152f35b835b8281106106575750610639565b61067761066e610668838686611a23565b80611a5b565b905015156115bc565b610682818484611a23565b61069160209182810190611a5b565b8a8852600983526106b28a89206106ac610668878a8a611a23565b906115f4565b9189821161082f5785838389938f958f97906106d16106d79254610ffa565b8561160d565b8c908d601f84116001146107a2579261077194928192600080516020611a8f833981519152999a9b9592610797575b50508160011b916000199060031b1c19161790555b8b61075361072d6106688b8888611a23565b91909361074a8c610742610668828c8c611a23565b9a9099611a23565b90810190611a5b565b939092828b5193849384378201908152039020975194859485611682565b0390a360001981146107855760010161064a565b634e487b7160e01b8552601184528885fd5b013590503880610706565b91601f1984168584528a8420935b81811061080457509161077195939185600080516020611a8f8339815191529a9b9c9694106107ea575b505050600190811b01905561071b565b0135600019600384901b60f8161c191690553880806107da565b9599509397509550935087600181928787013581550195019201938f9591938f97938b958d976107b0565b634e487b7160e01b8952604188528c89fd5b8380fd5b5082346101ab5760203660031901126101ab576001600160a01b03610868610e4d565b169081156108855760208480858581526003845220549051908152f35b608490602085519162461bcd60e51b8352820152602960248201527f4552433732313a2061646472657373207a65726f206973206e6f7420612076616044820152683634b21037bbb732b960b91b6064820152fd5b503461015a57602036600319011261015a57506108f960209235610fd4565b90516001600160a01b039091168152f35b5091346103455760603660031901126103455780359067ffffffffffffffff90602435828111610412576109419036908301610eb3565b929091604435828111610adb5761095b9036908301610eb3565b92909161096887336111e1565b15610aa7576109788615156115bc565b8689526020906009825261098f898b2088886115f4565b928511610a9457506109ab846109a58454610ffa565b8461160d565b8890601f8511600114610a195750918391600080516020611a8f833981519152969594610a08948b91610a0e575b508360011b906000198560031b1c19161790555b875185858237808681018b8152039020975194859485611682565b0390a380f35b9050820135386109d9565b90601f198516838b52828b20928b905b828210610a7c57505091859391600080516020611a8f833981519152989796610a08969410610a62575b5050600183811b0190556109ed565b830135600019600386901b60f8161c191690553880610a53565b80600185968294968a01358155019501930190610a29565b634e487b7160e01b8a5260419052602489fd5b606490602089519162461bcd60e51b8352820152600e60248201526d139bdd08185d5d1a1bdc9a5e995960921b6044820152fd5b8780fd5b5090346101ab5761040a61040f91610af636610e7e565b91925192610b0384610ee1565b8684526103fa6103f584336111e1565b503461015a5761040f610b2536610e7e565b91610b336103f584336111e1565b6112a9565b5090346101ab57816003193601126101ab5761014e602092610b58611566565b825190610b6482610ee1565b8152336116a9565b509134610345578160031936011261034557610b86610e4d565b6024359290916001600160a01b0391908280610ba187610fd4565b16941693808514610c8d57803314908115610c6e575b5015610c0657848652602052842080546001600160a01b03191683179055610bde83610fd4565b167f8c5be1e5ebec7d5bd14f71427d1e84f3dd0314c0f7b2291e5b200ac8c7c3b9258480a480f35b6020608492519162461bcd60e51b8352820152603d60248201527f4552433732313a20617070726f76652063616c6c6572206973206e6f7420746f60448201527f6b656e206f776e6572206f7220617070726f76656420666f7220616c6c0000006064820152fd5b90508652600560205281862033875260205260ff828720541638610bb7565b506020608492519162461bcd60e51b8352820152602160248201527f4552433732313a20617070726f76616c20746f2063757272656e74206f776e656044820152603960f91b6064820152fd5b503461015a57602036600319011261015a57506108f9602092356110ca565b5090346101ab57816003193601126101ab57805190828054610d1a81610ffa565b8085529160019180831690811561058f5750600114610d455750505061027682610288940383610f13565b80809650527f290decd9548b62a8d60345a988386fc84ba6bc95484008f6362f93160ef3e5635b828610610d89575050506102768260206102889582010194610521565b80546020878701810191909152909501948101610d6c565b90508334610345576020366003190112610345573563ffffffff60e01b811680910361034557602092506380ac58cd60e01b8114908115610dfc575b8115610deb575b5015158152f35b6301ffc9a760e01b14905083610de4565b635b5e139f60e01b81149150610ddd565b919082519283825260005b848110610e39575050826000602080949584010152601f8019910116010190565b602081830181015184830182015201610e18565b600435906001600160a01b0382168203610e6357565b600080fd5b602435906001600160a01b0382168203610e6357565b6060906003190112610e63576001600160a01b03906004358281168103610e6357916024359081168103610e63579060443590565b9181601f84011215610e635782359167ffffffffffffffff8311610e635760208381860195010111610e6357565b6020810190811067ffffffffffffffff821117610efd57604052565b634e487b7160e01b600052604160045260246000fd5b90601f8019910116810190811067ffffffffffffffff821117610efd57604052565b67ffffffffffffffff8111610efd57601f01601f191660200190565b929192610f5d82610f35565b91610f6b6040519384610f13565b829481845281830111610e63578281602093846000960137010152565b15610f8f57565b60405162461bcd60e51b815260206004820152601860248201527f4552433732313a20696e76616c696420746f6b656e20494400000000000000006044820152606490fd5b6000908152600260205260409020546001600160a01b0316610ff7811515610f88565b90565b90600182811c9216801561102a575b602083101461101457565b634e487b7160e01b600052602260045260246000fd5b91607f1691611009565b906000929180549161104583610ffa565b9182825260019384811690816000146110a75750600114611067575b50505050565b90919394506000526020928360002092846000945b838610611093575050505001019038808080611061565b80548587018301529401938590820161107c565b9294505050602093945060ff191683830152151560051b01019038808080611061565b6000818152600260205260409020546110ed906001600160a01b03161515610f88565b6000908152600460205260409020546001600160a01b031690565b1561110f57565b60405162461bcd60e51b815260206004820152602d60248201527f4552433732313a2063616c6c6572206973206e6f7420746f6b656e206f776e6560448201526c1c881bdc88185c1c1c9bdd9959609a1b6064820152608490fd5b60809060208152603260208201527f4552433732313a207472616e7366657220746f206e6f6e20455243373231526560408201527131b2b4bb32b91034b6b83632b6b2b73a32b960711b60608201520190565b156111c457565b60405162461bcd60e51b8152806111dd6004820161116a565b0390fd5b906001600160a01b0380806111f584610fd4565b16931691838314938415611228575b508315611212575b50505090565b61121e919293506110ca565b161438808061120c565b909350600052600560205260406000208260005260205260ff604060002054169238611204565b1561125657565b60405162461bcd60e51b815260206004820152602560248201527f4552433732313a207472616e736665722066726f6d20696e636f72726563742060448201526437bbb732b960d91b6064820152608490fd5b906112d1916112b784610fd4565b6001600160a01b039391841692849290918316841461124f565b1691821561136e57816112ee916112e786610fd4565b161461124f565b7fddf252ad1be2c89b69c2b068fc378daa952ba7f163c4a11628f55a4df523b3ef60008481526004602052604081206bffffffffffffffffffffffff60a01b9081815416905583825260036020526040822060001981540190558482526040822060018154019055858252600260205284604083209182541617905580a4565b60405162461bcd60e51b8152602060048201526024808201527f4552433732313a207472616e7366657220746f20746865207a65726f206164646044820152637265737360e01b6064820152608490fd5b9192600092909190803b156114d15761140d946040518092630a85bd0160e11b9485835233600484015287602484015260448301526080606483015281878160209a8b966084830190610e0d565b03926001600160a01b03165af1849181611491575b50611480575050503d600014611478573d61143c81610f35565b9061144a6040519283610f13565b81528091833d92013e5b805191826114755760405162461bcd60e51b8152806111dd6004820161116a565b01fd5b506060611454565b6001600160e01b0319161492509050565b9091508581813d83116114ca575b6114a98183610f13565b810103126104e257516001600160e01b0319811681036104e2579038611422565b503d61149f565b5050915050600190565b9293600093909291803b1561155b579484916115359660405180948193630a85bd0160e11b9788845233600485015260018060a01b0380921660248501526044840152608060648401528260209b8c976084830190610e0d565b0393165af18491816114915750611480575050503d600014611478573d61143c81610f35565b505050915050600190565b600260075414611577576002600755565b60405162461bcd60e51b815260206004820152601f60248201527f5265656e7472616e637947756172643a207265656e7472616e742063616c6c006044820152606490fd5b156115c357565b60405162461bcd60e51b8152602060048201526009602482015268456d707479206b657960b81b6044820152606490fd5b6020919283604051948593843782019081520301902090565b90601f811161161b57505050565b600091825260208220906020601f850160051c83019410611657575b601f0160051c01915b82811061164c57505050565b818155600101611640565b9092508290611637565b908060209392818452848401376000828201840152601f01601f1916010190565b929061169b90610ff79593604086526040860191611661565b926020818503910152611661565b9190916008549260019182850160085560408051936116c785610ee1565b60008086526001600160a01b038416959091908615611994576000898152600260205260409020546117919161040a9161170d906001600160a01b031615155b156119d7565b60008b815260026020526040902054611730906001600160a01b03161515611707565b8885528a60209760038952878720868154019055818752600289528787208b6bffffffffffffffffffffffff60a01b825416179055818b887fddf252ad1be2c89b69c2b068fc378daa952ba7f163c4a11628f55a4df523b3ef8180a46113bf565b84516117d5575b50505181815285927fca52e62c367d81bb2e328eb795f7c7ba24afb478408a26c0e201d155c449bc4a9282916117d091830190610e0d565b0390a3565b929096959493916117fb87600052600260205260018060a01b0360406000205416151590565b1561193a57868852600682528088209383519067ffffffffffffffff821161192657889961183783611831899a9b9c9954610ffa565b8a61160d565b8490601f841160011461189e5792807fca52e62c367d81bb2e328eb795f7c7ba24afb478408a26c0e201d155c449bc4a98999381936117d0979693611893575b501b916000199060031b1c19161790555b929450819350611798565b890151925038611877565b979290601f198216848a52868a20995b81811061190e57509882916117d0969594937fca52e62c367d81bb2e328eb795f7c7ba24afb478408a26c0e201d155c449bc4a9a9b106118f5575b5050811b019055611888565b88015160001960f88460031b161c1916905538806118e9565b828901518b55998401998d99509187019187016118ae565b634e487b7160e01b8a52604160045260248afd5b60849250519062461bcd60e51b82526004820152602e60248201527f45524337323155524953746f726167653a2055524920736574206f66206e6f6e60448201526d32bc34b9ba32b73a103a37b5b2b760911b6064820152fd5b6064845162461bcd60e51b815260206004820152602060248201527f4552433732313a206d696e7420746f20746865207a65726f20616464726573736044820152fd5b156119de57565b60405162461bcd60e51b815260206004820152601c60248201527f4552433732313a20746f6b656e20616c7265616479206d696e746564000000006044820152606490fd5b9190811015611a455760051b81013590603e1981360301821215610e63570190565b634e487b7160e01b600052603260045260246000fd5b903590601e1981360301821215610e63570180359067ffffffffffffffff8211610e6357602001918136038313610e635756fe2c149ed548c6d2993cd73efe187df6eccabe4538091b33adbd25fafdb8a1468ba264697066735822122035fdf0b66ced5f83cf91f19fdf045058ac0a6fefb279f3ea6c7bdfc2d79e0ed364736f6c63430008130033
[ Download: CSV Export ]
A token is a representation of an on-chain or off-chain asset. The token page shows information such as price, total supply, holders, transfers and social links. Learn more about this page in our Knowledge Base.