// SPDX-License-Identifier: MITpragmasolidity ^0.8.0;/**
* @dev Collection of functions related to the address type
*/libraryAddress{
/**
* @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
* ====
*/functionisContract(address account) internalviewreturns (bool) {
// This method relies on extcodesize, which returns 0 for contracts in// construction, since the code is only stored at the end of the// constructor execution.uint256 size;
assembly {
size :=extcodesize(account)
}
return size >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].
*/functionsendValue(addresspayable 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._
*/functionfunctionCall(address target, bytesmemory data) internalreturns (bytesmemory) {
return functionCall(target, data, "Address: low-level call failed");
}
/**
* @dev Same as {xref-Address-functionCall-address-bytes-}[`functionCall`], but with
* `errorMessage` as a fallback revert reason when `target` reverts.
*
* _Available since v3.1._
*/functionfunctionCall(address target,
bytesmemory data,
stringmemory errorMessage
) internalreturns (bytesmemory) {
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._
*/functionfunctionCallWithValue(address target,
bytesmemory data,
uint256 value
) internalreturns (bytesmemory) {
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._
*/functionfunctionCallWithValue(address target,
bytesmemory data,
uint256 value,
stringmemory errorMessage
) internalreturns (bytesmemory) {
require(address(this).balance>= value, "Address: insufficient balance for call");
require(isContract(target), "Address: call to non-contract");
(bool success, bytesmemory returndata) = target.call{value: value}(data);
return verifyCallResult(success, returndata, errorMessage);
}
/**
* @dev Same as {xref-Address-functionCall-address-bytes-}[`functionCall`],
* but performing a static call.
*
* _Available since v3.3._
*/functionfunctionStaticCall(address target, bytesmemory data) internalviewreturns (bytesmemory) {
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._
*/functionfunctionStaticCall(address target,
bytesmemory data,
stringmemory errorMessage
) internalviewreturns (bytesmemory) {
require(isContract(target), "Address: static call to non-contract");
(bool success, bytesmemory returndata) = target.staticcall(data);
return verifyCallResult(success, returndata, errorMessage);
}
/**
* @dev Same as {xref-Address-functionCall-address-bytes-}[`functionCall`],
* but performing a delegate call.
*
* _Available since v3.4._
*/functionfunctionDelegateCall(address target, bytesmemory data) internalreturns (bytesmemory) {
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._
*/functionfunctionDelegateCall(address target,
bytesmemory data,
stringmemory errorMessage
) internalreturns (bytesmemory) {
require(isContract(target), "Address: delegate call to non-contract");
(bool success, bytesmemory returndata) = target.delegatecall(data);
return verifyCallResult(success, returndata, errorMessage);
}
/**
* @dev Tool to verifies that a low level call was successful, and revert if it wasn't, either by bubbling the
* revert reason using the provided one.
*
* _Available since v4.3._
*/functionverifyCallResult(bool success,
bytesmemory returndata,
stringmemory errorMessage
) internalpurereturns (bytesmemory) {
if (success) {
return returndata;
} else {
// Look for revert reason and bubble it up if presentif (returndata.length>0) {
// The easiest way to bubble the revert reason is using memory via assemblyassembly {
let returndata_size :=mload(returndata)
revert(add(32, returndata), returndata_size)
}
} else {
revert(errorMessage);
}
}
}
}
Contract Source Code
File 2 of 14: Context.sol
// SPDX-License-Identifier: MITpragmasolidity ^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.
*/abstractcontractContext{
function_msgSender() internalviewvirtualreturns (address) {
returnmsg.sender;
}
function_msgData() internalviewvirtualreturns (bytescalldata) {
returnmsg.data;
}
}
Contract Source Code
File 3 of 14: ERC165.sol
// SPDX-License-Identifier: MITpragmasolidity ^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.
*/abstractcontractERC165isIERC165{
/**
* @dev See {IERC165-supportsInterface}.
*/functionsupportsInterface(bytes4 interfaceId) publicviewvirtualoverridereturns (bool) {
return interfaceId ==type(IERC165).interfaceId;
}
}
Contract Source Code
File 4 of 14: ERC721.sol
// SPDX-License-Identifier: MITpragmasolidity ^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}.
*/contractERC721isContext, ERC165, IERC721, IERC721Metadata{
usingAddressforaddress;
usingStringsforuint256;
// Token namestringprivate _name;
// Token symbolstringprivate _symbol;
// Mapping from token ID to owner addressmapping(uint256=>address) private _owners;
// Mapping owner address to token countmapping(address=>uint256) private _balances;
// Mapping from token ID to approved addressmapping(uint256=>address) private _tokenApprovals;
// Mapping from owner to operator approvalsmapping(address=>mapping(address=>bool)) private _operatorApprovals;
/**
* @dev Initializes the contract by setting a `name` and a `symbol` to the token collection.
*/constructor(stringmemory name_, stringmemory symbol_) {
_name = name_;
_symbol = symbol_;
}
/**
* @dev See {IERC165-supportsInterface}.
*/functionsupportsInterface(bytes4 interfaceId) publicviewvirtualoverride(ERC165, IERC165) returns (bool) {
return
interfaceId ==type(IERC721).interfaceId||
interfaceId ==type(IERC721Metadata).interfaceId||super.supportsInterface(interfaceId);
}
/**
* @dev See {IERC721-balanceOf}.
*/functionbalanceOf(address owner) publicviewvirtualoverridereturns (uint256) {
require(owner !=address(0), "ERC721: balance query for the zero address");
return _balances[owner];
}
/**
* @dev See {IERC721-ownerOf}.
*/functionownerOf(uint256 tokenId) publicviewvirtualoverridereturns (address) {
address owner = _owners[tokenId];
require(owner !=address(0), "ERC721: owner query for nonexistent token");
return owner;
}
/**
* @dev See {IERC721Metadata-name}.
*/functionname() publicviewvirtualoverridereturns (stringmemory) {
return _name;
}
/**
* @dev See {IERC721Metadata-symbol}.
*/functionsymbol() publicviewvirtualoverridereturns (stringmemory) {
return _symbol;
}
/**
* @dev See {IERC721Metadata-tokenURI}.
*/functiontokenURI(uint256 tokenId) publicviewvirtualoverridereturns (stringmemory) {
require(_exists(tokenId), "ERC721Metadata: URI query for nonexistent token");
stringmemory baseURI = _baseURI();
returnbytes(baseURI).length>0 ? string(abi.encodePacked(baseURI, tokenId.toString())) : "";
}
/**
* @dev Base URI for computing {tokenURI}. If set, the resulting URI for each
* token will be the concatenation of the `baseURI` and the `tokenId`. Empty
* by default, can be overriden in child contracts.
*/function_baseURI() internalviewvirtualreturns (stringmemory) {
return"";
}
/**
* @dev See {IERC721-approve}.
*/functionapprove(address to, uint256 tokenId) publicvirtualoverride{
address owner = ERC721.ownerOf(tokenId);
require(to != owner, "ERC721: approval to current owner");
require(
_msgSender() == owner || isApprovedForAll(owner, _msgSender()),
"ERC721: approve caller is not owner nor approved for all"
);
_approve(to, tokenId);
}
/**
* @dev See {IERC721-getApproved}.
*/functiongetApproved(uint256 tokenId) publicviewvirtualoverridereturns (address) {
require(_exists(tokenId), "ERC721: approved query for nonexistent token");
return _tokenApprovals[tokenId];
}
/**
* @dev See {IERC721-setApprovalForAll}.
*/functionsetApprovalForAll(address operator, bool approved) publicvirtualoverride{
require(operator != _msgSender(), "ERC721: approve to caller");
_operatorApprovals[_msgSender()][operator] = approved;
emit ApprovalForAll(_msgSender(), operator, approved);
}
/**
* @dev See {IERC721-isApprovedForAll}.
*/functionisApprovedForAll(address owner, address operator) publicviewvirtualoverridereturns (bool) {
return _operatorApprovals[owner][operator];
}
/**
* @dev See {IERC721-transferFrom}.
*/functiontransferFrom(addressfrom,
address to,
uint256 tokenId
) publicvirtualoverride{
//solhint-disable-next-line max-line-lengthrequire(_isApprovedOrOwner(_msgSender(), tokenId), "ERC721: transfer caller is not owner nor approved");
_transfer(from, to, tokenId);
}
/**
* @dev See {IERC721-safeTransferFrom}.
*/functionsafeTransferFrom(addressfrom,
address to,
uint256 tokenId
) publicvirtualoverride{
safeTransferFrom(from, to, tokenId, "");
}
/**
* @dev See {IERC721-safeTransferFrom}.
*/functionsafeTransferFrom(addressfrom,
address to,
uint256 tokenId,
bytesmemory _data
) publicvirtualoverride{
require(_isApprovedOrOwner(_msgSender(), tokenId), "ERC721: transfer caller is not owner nor 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(addressfrom,
address to,
uint256 tokenId,
bytesmemory _data
) internalvirtual{
_transfer(from, to, tokenId);
require(_checkOnERC721Received(from, to, tokenId, _data), "ERC721: transfer to non ERC721Receiver implementer");
}
/**
* @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) internalviewvirtualreturns (bool) {
return _owners[tokenId] !=address(0);
}
/**
* @dev Returns whether `spender` is allowed to manage `tokenId`.
*
* Requirements:
*
* - `tokenId` must exist.
*/function_isApprovedOrOwner(address spender, uint256 tokenId) internalviewvirtualreturns (bool) {
require(_exists(tokenId), "ERC721: operator query for nonexistent token");
address owner = ERC721.ownerOf(tokenId);
return (spender == owner || getApproved(tokenId) == spender || isApprovedForAll(owner, 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) internalvirtual{
_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,
bytesmemory _data
) internalvirtual{
_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) internalvirtual{
require(to !=address(0), "ERC721: mint to the zero address");
require(!_exists(tokenId), "ERC721: token already minted");
_beforeTokenTransfer(address(0), to, tokenId);
_balances[to] +=1;
_owners[tokenId] = to;
emit Transfer(address(0), to, tokenId);
}
/**
* @dev Destroys `tokenId`.
* The approval is cleared when the token is burned.
*
* Requirements:
*
* - `tokenId` must exist.
*
* Emits a {Transfer} event.
*/function_burn(uint256 tokenId) internalvirtual{
address owner = ERC721.ownerOf(tokenId);
_beforeTokenTransfer(owner, address(0), tokenId);
// Clear approvals
_approve(address(0), tokenId);
_balances[owner] -=1;
delete _owners[tokenId];
emit Transfer(owner, address(0), tokenId);
}
/**
* @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(addressfrom,
address to,
uint256 tokenId
) internalvirtual{
require(ERC721.ownerOf(tokenId) ==from, "ERC721: transfer of token that is not own");
require(to !=address(0), "ERC721: transfer to the zero address");
_beforeTokenTransfer(from, to, tokenId);
// Clear approvals from the previous owner
_approve(address(0), tokenId);
_balances[from] -=1;
_balances[to] +=1;
_owners[tokenId] = to;
emit Transfer(from, to, tokenId);
}
/**
* @dev Approve `to` to operate on `tokenId`
*
* Emits a {Approval} event.
*/function_approve(address to, uint256 tokenId) internalvirtual{
_tokenApprovals[tokenId] = to;
emit Approval(ERC721.ownerOf(tokenId), to, tokenId);
}
/**
* @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(addressfrom,
address to,
uint256 tokenId,
bytesmemory _data
) privatereturns (bool) {
if (to.isContract()) {
try IERC721Receiver(to).onERC721Received(_msgSender(), from, tokenId, _data) returns (bytes4 retval) {
return retval == IERC721Receiver.onERC721Received.selector;
} catch (bytesmemory reason) {
if (reason.length==0) {
revert("ERC721: transfer to non ERC721Receiver implementer");
} else {
assembly {
revert(add(32, reason), mload(reason))
}
}
}
} else {
returntrue;
}
}
/**
* @dev Hook that is called before any token transfer. This includes minting
* and burning.
*
* Calling conditions:
*
* - When `from` and `to` are both non-zero, ``from``'s `tokenId` will be
* transferred to `to`.
* - When `from` is zero, `tokenId` will be minted for `to`.
* - When `to` is zero, ``from``'s `tokenId` will be burned.
* - `from` and `to` are never both zero.
*
* To learn more about hooks, head to xref:ROOT:extending-contracts.adoc#using-hooks[Using Hooks].
*/function_beforeTokenTransfer(addressfrom,
address to,
uint256 tokenId
) internalvirtual{}
}
Contract Source Code
File 5 of 14: ERC721Burnable.sol
// SPDX-License-Identifier: MITpragmasolidity ^0.8.0;import"../ERC721.sol";
import"../../../utils/Context.sol";
/**
* @title ERC721 Burnable Token
* @dev ERC721 Token that can be irreversibly burned (destroyed).
*/abstractcontractERC721BurnableisContext, ERC721{
/**
* @dev Burns `tokenId`. See {ERC721-_burn}.
*
* Requirements:
*
* - The caller must own `tokenId` or be an approved operator.
*/functionburn(uint256 tokenId) publicvirtual{
//solhint-disable-next-line max-line-lengthrequire(_isApprovedOrOwner(_msgSender(), tokenId), "ERC721Burnable: caller is not owner nor approved");
_burn(tokenId);
}
}
Contract Source Code
File 6 of 14: HotSteppable.sol
// SPDX-License-Identifier: BUSL-1.1pragmasolidity 0.8.9;import"@openzeppelin/contracts/utils/Context.sol";
import"@openzeppelin/contracts/token/ERC721/IERC721.sol";
/**
* Contract module which allows children to implement a surge
* pricing mechanism that can be configured by an authorized account.
*
*/abstractcontractHotSteppableisContext{
// Use of constants as this will be part of the agreed offering// that I don't think you can change midway, so why not save the gas:uint256constant DEVIATION_PERCENTAGE =20; // 20%uint256constant BUCKET_LENGTH_IN_SECONDS =900; // 15 minutesuint256constant FORTY_EIGHT_HOURS_IN_SECONDS =172800; // 48 hoursboolprivate _surgeModeActive;
uint256public _basePrice;
uint256public _maxPrice;
uint256public _currentPrice;
uint256public _previousPrice;
uint256public _priceBufferInSeconds;
uint256public _currentTimeBucket;
uint256public _priceIncrement;
uint256public _zeroPointReference;
uint256public _endTimeStamp;
uint256public _countCurrentBucket;
uint256public _countPreviousBucket;
uint256public _pausedAt;
uint256public _totalSecondsPaused;
uint256public _maxBatchMint;
event_BasePriceSet(uint256 basePrice);
event_MaxPriceSet(uint256 maxPrice);
event_StartPreviousPriceSet(uint256 previousPrice);
event_StartPriceSet(uint256 currentPrice);
event_ZeroPointReferenceSet(uint256 startTimeStamp);
event_EndTimeStampSet(uint256 endTimeStamp);
event_PriceBufferSet(uint256 priceBufferInSeconds);
event_PriceIncrementSet(uint256 priceIncrement);
event_MaxBatchMintSet(uint256 maxBatchMint);
event_StartPreviousBucketSet(uint256 previousBucketStartValue);
event_steppableMinting(address recipient,
uint256 quantity,
uint256 mintCost,
uint256 mintTimeStamp
);
event_developerAllocationMinting(address recipient,
uint256 quantity,
uint256 remainingAllocation,
uint256 mintTimeStamp
);
event_SurgeOff(address account);
event_SurgeOn(address account);
constructor() {}
modifierwhenSurge() {
require(_surgeModeActive, "Surge: Surge mode is OFF");
_;
}
modifierwhenNotSurge() {
require(!_surgeModeActive, "Surge: Surge mode is ON");
_;
}
function_handleZeroPointReference() internalvirtual{
_pausedAt =block.timestamp;
}
function_updateZeroPoint() internalvirtual{
if (_pausedAt !=0) {
_totalSecondsPaused = (_totalSecondsPaused +
(block.timestamp- _pausedAt));
_setZeroPointReference(_zeroPointReference + _totalSecondsPaused);
} else {
if (_zeroPointReference ==0) {
_setZeroPointReference(block.timestamp);
_setEndTimeStamp(block.timestamp+ FORTY_EIGHT_HOURS_IN_SECONDS);
}
}
}
function_setBasePrice(uint256 _basePriceToSet)
internalvirtualreturns (bool)
{
_basePrice = _basePriceToSet;
emit _BasePriceSet(_basePriceToSet);
returntrue;
}
function_setMaxPrice(uint256 _maxPriceToSet)
internalvirtualreturns (bool)
{
_maxPrice = _maxPriceToSet;
emit _MaxPriceSet(_maxPriceToSet);
returntrue;
}
function_setZeroPointReference(uint256 _zeroPointReferenceToSet)
internalvirtualreturns (bool)
{
_zeroPointReference = _zeroPointReferenceToSet;
emit _ZeroPointReferenceSet(_zeroPointReference);
returntrue;
}
function_setEndTimeStamp(uint256 _endTimeStampToSet)
internalvirtualreturns (bool)
{
_endTimeStamp = _endTimeStampToSet;
emit _EndTimeStampSet(_endTimeStamp);
returntrue;
}
function_setStartPrice(uint256 _startPriceToSet)
internalvirtualreturns (bool)
{
_currentPrice = _startPriceToSet;
emit _StartPriceSet(_currentPrice);
returntrue;
}
function_setStartPreviousPrice(uint256 _startPreviousPriceToSet)
internalvirtualreturns (bool)
{
_previousPrice = _startPreviousPriceToSet;
emit _StartPreviousPriceSet(_previousPrice);
returntrue;
}
function_setPriceBufferInSeconds(uint256 _bufferInSecondsToSet)
internalvirtualreturns (bool)
{
_priceBufferInSeconds = _bufferInSecondsToSet;
emit _PriceBufferSet(_priceBufferInSeconds);
returntrue;
}
function_setPriceIncrement(uint256 _priceIncrementToSet)
internalvirtualreturns (bool)
{
_priceIncrement = _priceIncrementToSet;
emit _PriceIncrementSet(_priceIncrementToSet);
returntrue;
}
function_setMaxBatchMint(uint256 _maxBatchMintToSet)
internalvirtualreturns (bool)
{
_maxBatchMint = _maxBatchMintToSet;
emit _MaxBatchMintSet(_maxBatchMint);
returntrue;
}
function_setStartPreviousBucketCount(uint256 _startPreviousBucketCount)
internalvirtualreturns (bool)
{
_countPreviousBucket = _startPreviousBucketCount;
emit _StartPreviousBucketSet(_startPreviousBucketCount);
returntrue;
}
function_setSurgeModeOff() internalvirtualwhenSurge{
_surgeModeActive =false;
emit _SurgeOff(_msgSender());
}
function_setSurgeModeOn() internalvirtualwhenNotSurge{
_surgeModeActive =true;
emit _SurgeOn(_msgSender());
}
functionsurgeModeActive() externalviewvirtualreturns (bool) {
return _surgeModeActive;
}
function_updateBuckets(uint256 _bucketNumberToAdd,
uint256 _newPrice,
uint256 _oldPrice,
uint256 _quantity
) internalvirtual{
if (_surgeModeActive) {
// This is called on mint when we know that the bucket must advance
_currentTimeBucket = _currentTimeBucket + _bucketNumberToAdd;
// More than one bucket to add indicates the most recent previous bucket must have been a zeromint:if (_bucketNumberToAdd >1) {
_countPreviousBucket =0;
} else {
_countPreviousBucket = _countCurrentBucket;
}
_countCurrentBucket = _quantity;
_previousPrice = _oldPrice;
_currentPrice = _newPrice;
}
}
function_recordMinting(uint256 _quantity) internalvirtual{
if (_surgeModeActive) {
// This is called on mint when within a bucket. Just increment the current bucket counter
_countCurrentBucket += _quantity;
}
}
function_withinBuffer(uint256 _bucketNumberToAdd)
internalviewvirtualreturns (bool)
{
// Check if we are within the buffer period:uint256 bucketStart = _zeroPointReference +
((_currentTimeBucket + _bucketNumberToAdd) * BUCKET_LENGTH_IN_SECONDS);
return ((block.timestamp- bucketStart) <= _priceBufferInSeconds);
}
function_bullish() internalviewvirtualreturns (bool) {
return ((_countCurrentBucket *100) >=
(_countPreviousBucket * (100+ DEVIATION_PERCENTAGE)));
}
function_bearish() internalviewvirtualreturns (bool) {
return ((_countPreviousBucket *100) >=
(_countCurrentBucket * (100+ DEVIATION_PERCENTAGE)));
}
function_inCurrentBucket() internalviewvirtualreturns (bool) {
return (((block.timestamp- _zeroPointReference) /
BUCKET_LENGTH_IN_SECONDS) == _currentTimeBucket);
}
function_getPrice()
internalviewvirtualreturns (uint256,
uint256,
uint256)
{
uint256 calculatedPrice = _currentPrice;
uint256 calculatedPreviousPrice = _previousPrice;
uint256 numberOfElapsedBucketsSinceCurrent =0;
// Only do surge pricing if this is active, otherwise we are in openmint mode:if (_surgeModeActive) {
if (_inCurrentBucket()) {
// Nothing extra to do - we have set the calculatedPrice to the _currentPrice// and the calculatedPreviousPrice to the _previousPrice above.
} else {
// First, we have moved buckets, so change the previous price to what was the current price:
calculatedPreviousPrice = _currentPrice;
// We need to work our current price based on:// (a) How many time buckets have passed// (b) How each one (if more than one has passed) relates to the one before// Now, any mint in that time period that occured AFTER that bucket has closed will have closed that// bucket and opened a new one. So we KNOW that any mints in countCurrentBucket apply to the bucket// that is bucketStart + BUCKET_LENGTH_IN_SECONDS and no others occured in that bucket.// So first we record what effect that had on the price:// See if we have gone down by the deviation percentage. Be aware that in instances of both the// current and the previous bucket having a count of 0 BOTH bullish and bearish will resolve to true,// as thanks to maths 0 * anything will still = 0. But we put bearish first, as if we had no sales// in the previous bucket and no sales in this bucket that is bearish.if (_bearish()) {
if (calculatedPrice > _priceIncrement) {
calculatedPrice = calculatedPrice - _priceIncrement;
}
} else {
if (_bullish()) {
// The count for that current bucket was higher than the deviation percentage above the previous// bucket therefore we increase the price by _priceIncrement:
calculatedPrice = calculatedPrice + _priceIncrement;
} else {
// _crabish: Current count is within both the increase and decrease boundary. Price stays the same// Nothing extra to do - we have set the calculatedPrice to the _currentPrice// and the calculatedPreviousPrice to the _previousPrice above.
}
}
// We now need to check how many buckets have passed, as there could be multiple that have not// had a mint event to close the previous one and open a new one. These also need to be considered// in the pricing:
numberOfElapsedBucketsSinceCurrent =
((block.timestamp- _zeroPointReference) / BUCKET_LENGTH_IN_SECONDS) -
_currentTimeBucket;
// A result of 1 means we have ticked over into just one time bucket beyond the current. Anything more than 1 is a zeromint// bucket that must be represented.// Every time period with 0 mints by definition should be considered to be a decrease event, as// either it is infinitely less (as a %) than whatever the previous value was, or is a continuation of// no one being willing to mint at this price:// Change to increments not %s:if (numberOfElapsedBucketsSinceCurrent >1) {
if (numberOfElapsedBucketsSinceCurrent >2) {
uint256 previousReduction = (_priceIncrement *
(numberOfElapsedBucketsSinceCurrent -2));
if (calculatedPreviousPrice > previousReduction) {
calculatedPreviousPrice = (calculatedPrice - previousReduction);
} else {
calculatedPreviousPrice =0;
}
} else {
calculatedPreviousPrice = calculatedPrice;
}
uint256 currentReduction = (_priceIncrement *
(numberOfElapsedBucketsSinceCurrent -1));
if (calculatedPrice > currentReduction) {
calculatedPrice = (calculatedPrice - currentReduction);
} else {
calculatedPrice =0;
}
}
}
// Implement Max price checks:if (calculatedPrice < _basePrice) {
calculatedPrice = _basePrice;
}
if (calculatedPrice > _maxPrice) {
calculatedPrice = _maxPrice;
}
if (calculatedPreviousPrice < _basePrice) {
calculatedPreviousPrice = _basePrice;
}
if (calculatedPreviousPrice > _maxPrice) {
calculatedPreviousPrice = _maxPrice;
}
} else {
// Openmint mode - current and previous price are set from the base price:
calculatedPreviousPrice = _basePrice;
calculatedPrice = _basePrice;
numberOfElapsedBucketsSinceCurrent =0;
}
return (
calculatedPrice,
numberOfElapsedBucketsSinceCurrent,
calculatedPreviousPrice
);
}
}
Contract Source Code
File 7 of 14: IERC165.sol
// SPDX-License-Identifier: MITpragmasolidity ^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}.
*/interfaceIERC165{
/**
* @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.
*/functionsupportsInterface(bytes4 interfaceId) externalviewreturns (bool);
}
Contract Source Code
File 8 of 14: IERC721.sol
// SPDX-License-Identifier: MITpragmasolidity ^0.8.0;import"../../utils/introspection/IERC165.sol";
/**
* @dev Required interface of an ERC721 compliant contract.
*/interfaceIERC721isIERC165{
/**
* @dev Emitted when `tokenId` token is transferred from `from` to `to`.
*/eventTransfer(addressindexedfrom, addressindexed to, uint256indexed tokenId);
/**
* @dev Emitted when `owner` enables `approved` to manage the `tokenId` token.
*/eventApproval(addressindexed owner, addressindexed approved, uint256indexed tokenId);
/**
* @dev Emitted when `owner` enables or disables (`approved`) `operator` to manage all of its assets.
*/eventApprovalForAll(addressindexed owner, addressindexed operator, bool approved);
/**
* @dev Returns the number of tokens in ``owner``'s account.
*/functionbalanceOf(address owner) externalviewreturns (uint256 balance);
/**
* @dev Returns the owner of the `tokenId` token.
*
* Requirements:
*
* - `tokenId` must exist.
*/functionownerOf(uint256 tokenId) externalviewreturns (address owner);
/**
* @dev Safely transfers `tokenId` token from `from` to `to`, checking first that contract recipients
* are aware of the ERC721 protocol to prevent tokens from being forever locked.
*
* Requirements:
*
* - `from` cannot be the zero address.
* - `to` cannot be the zero address.
* - `tokenId` token must exist and be owned by `from`.
* - If the caller is not `from`, it must be have been allowed to move this token by either {approve} or {setApprovalForAll}.
* - If `to` refers to a smart contract, it must implement {IERC721Receiver-onERC721Received}, which is called upon a safe transfer.
*
* Emits a {Transfer} event.
*/functionsafeTransferFrom(addressfrom,
address to,
uint256 tokenId
) external;
/**
* @dev Transfers `tokenId` token from `from` to `to`.
*
* WARNING: Usage of this method is discouraged, use {safeTransferFrom} whenever possible.
*
* Requirements:
*
* - `from` cannot be the zero address.
* - `to` cannot be the zero address.
* - `tokenId` token must be owned by `from`.
* - If the caller is not `from`, it must be approved to move this token by either {approve} or {setApprovalForAll}.
*
* Emits a {Transfer} event.
*/functiontransferFrom(addressfrom,
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.
*/functionapprove(address to, uint256 tokenId) external;
/**
* @dev Returns the account approved for `tokenId` token.
*
* Requirements:
*
* - `tokenId` must exist.
*/functiongetApproved(uint256 tokenId) externalviewreturns (address operator);
/**
* @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.
*/functionsetApprovalForAll(address operator, bool _approved) external;
/**
* @dev Returns if the `operator` is allowed to manage all of the assets of `owner`.
*
* See {setApprovalForAll}
*/functionisApprovedForAll(address owner, address operator) externalviewreturns (bool);
/**
* @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.
*/functionsafeTransferFrom(addressfrom,
address to,
uint256 tokenId,
bytescalldata data
) external;
}
// SPDX-License-Identifier: MITpragmasolidity ^0.8.0;/**
* @title ERC721 token receiver interface
* @dev Interface for any contract that wants to support safeTransfers
* from ERC721 asset contracts.
*/interfaceIERC721Receiver{
/**
* @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 `IERC721.onERC721Received.selector`.
*/functiononERC721Received(address operator,
addressfrom,
uint256 tokenId,
bytescalldata data
) externalreturns (bytes4);
}
Contract Source Code
File 11 of 14: Ownable.sol
// SPDX-License-Identifier: MITpragmasolidity ^0.8.0;import"../utils/Context.sol";
/**
* @dev Contract module which provides a basic access control mechanism, where
* there is an account (an owner) that can be granted exclusive access to
* specific functions.
*
* By default, the owner account will be the one that deploys the contract. This
* can later be changed with {transferOwnership}.
*
* This module is used through inheritance. It will make available the modifier
* `onlyOwner`, which can be applied to your functions to restrict their use to
* the owner.
*/abstractcontractOwnableisContext{
addressprivate _owner;
eventOwnershipTransferred(addressindexed previousOwner, addressindexed newOwner);
/**
* @dev Initializes the contract setting the deployer as the initial owner.
*/constructor() {
_setOwner(_msgSender());
}
/**
* @dev Returns the address of the current owner.
*/functionowner() publicviewvirtualreturns (address) {
return _owner;
}
/**
* @dev Throws if called by any account other than the owner.
*/modifieronlyOwner() {
require(owner() == _msgSender(), "Ownable: caller is not the owner");
_;
}
/**
* @dev Leaves the contract without owner. It will not be possible to call
* `onlyOwner` functions anymore. Can only be called by the current owner.
*
* NOTE: Renouncing ownership will leave the contract without an owner,
* thereby removing any functionality that is only available to the owner.
*/functionrenounceOwnership() publicvirtualonlyOwner{
_setOwner(address(0));
}
/**
* @dev Transfers ownership of the contract to a new account (`newOwner`).
* Can only be called by the current owner.
*/functiontransferOwnership(address newOwner) publicvirtualonlyOwner{
require(newOwner !=address(0), "Ownable: new owner is the zero address");
_setOwner(newOwner);
}
function_setOwner(address newOwner) private{
address oldOwner = _owner;
_owner = newOwner;
emit OwnershipTransferred(oldOwner, newOwner);
}
}
Contract Source Code
File 12 of 14: Pausable.sol
// SPDX-License-Identifier: MITpragmasolidity ^0.8.0;import"../utils/Context.sol";
/**
* @dev Contract module which allows children to implement an emergency stop
* mechanism that can be triggered by an authorized account.
*
* This module is used through inheritance. It will make available the
* modifiers `whenNotPaused` and `whenPaused`, which can be applied to
* the functions of your contract. Note that they will not be pausable by
* simply including this module, only once the modifiers are put in place.
*/abstractcontractPausableisContext{
/**
* @dev Emitted when the pause is triggered by `account`.
*/eventPaused(address account);
/**
* @dev Emitted when the pause is lifted by `account`.
*/eventUnpaused(address account);
boolprivate _paused;
/**
* @dev Initializes the contract in unpaused state.
*/constructor() {
_paused =false;
}
/**
* @dev Returns true if the contract is paused, and false otherwise.
*/functionpaused() publicviewvirtualreturns (bool) {
return _paused;
}
/**
* @dev Modifier to make a function callable only when the contract is not paused.
*
* Requirements:
*
* - The contract must not be paused.
*/modifierwhenNotPaused() {
require(!paused(), "Pausable: paused");
_;
}
/**
* @dev Modifier to make a function callable only when the contract is paused.
*
* Requirements:
*
* - The contract must be paused.
*/modifierwhenPaused() {
require(paused(), "Pausable: not paused");
_;
}
/**
* @dev Triggers stopped state.
*
* Requirements:
*
* - The contract must not be paused.
*/function_pause() internalvirtualwhenNotPaused{
_paused =true;
emit Paused(_msgSender());
}
/**
* @dev Returns to normal state.
*
* Requirements:
*
* - The contract must be paused.
*/function_unpause() internalvirtualwhenPaused{
_paused =false;
emit Unpaused(_msgSender());
}
}
Contract Source Code
File 13 of 14: SteppableNFT.sol
// SPDX-License-Identifier: MITpragmasolidity 0.8.9;import"@openzeppelin/contracts/token/ERC721/ERC721.sol";
import"@openzeppelin/contracts/security/Pausable.sol";
import"@openzeppelin/contracts/access/Ownable.sol";
import"@openzeppelin/contracts/token/ERC721/extensions/ERC721Burnable.sol";
import {HotSteppable} from"./HotSteppable.sol";
contractSteppableNFTisERC721,
Pausable,
Ownable,
ERC721Burnable,
HotSteppable{
addressconstant BLACK_HOLE_ADDRESS =0x0000000000000000000000000000000000000000;
addresspayableprivate beneficiary;
addressprivate developer;
boolprivate mintingClosed;
uint256private _tokenIdCounter;
uint256private developerAllocation;
uint256private developerAllocated;
constructor(uint256 _basePrice,
uint256 _maxPrice,
uint256 _priceIncrementToSet,
uint256 _startPriceToSet,
uint256 _bufferInSecondsToSet,
uint256 _maxBatchMintToSet,
uint256 _startPreviousBucketCountToSet,
addresspayable _beneficiary,
address _developer
) ERC721("Interleave Genesis", "INTER") {
_setBasePrice(_basePrice);
_setMaxPrice(_maxPrice);
_setPriceIncrement(_priceIncrementToSet);
_setStartPrice(_startPriceToSet);
_setPriceBufferInSeconds(_bufferInSecondsToSet);
_setMaxBatchMint(_maxBatchMintToSet);
// we start with the previous price and current price the same:
_setStartPreviousPrice(_startPriceToSet);
_setStartPreviousBucketCount(_startPreviousBucketCountToSet);
beneficiary = _beneficiary;
developer = _developer;
// start in minting mode:
mintingClosed =false;
// and in surge mode, not openmint mode:
_setSurgeModeOn();
// start paused using the inherited function, as we don't// want to set any zero point reference here:
_pause();
}
modifierwhenMintingOpen() {
require(!mintingClosed, "Minting must be open");
_;
}
modifierwhenMintingClosed(addressfrom) {
require(
(mintingClosed ||from== BLACK_HOLE_ADDRESS),
"Minting must be closed"
);
_;
}
eventethWithdrawn(uint256indexed withdrawal, uint256 effectiveDate);
eventmintingStarted(uint256 mintStartTime);
eventmintingEnded(uint256 mintEndTime);
functionpause() externalonlyOwner{
_pause();
_handleZeroPointReference();
}
functionunpause() externalonlyOwner{
_unpause();
_updateZeroPoint();
if (_pausedAt ==0) {
// This is the start of minting. Say so:emit mintingStarted(block.timestamp);
}
}
functioncloseMinting() externalonlyOwner{
performMintingClose();
}
functionperformMintingClose() internal{
mintingClosed =true;
emit mintingEnded(block.timestamp);
}
functionsetBasePrice(uint256 _basePriceToSet) externalonlyOwner{
_setBasePrice(_basePriceToSet);
}
functionsetMaxBatchMint(uint256 _maxBatchMintToSet) externalonlyOwner{
_setMaxBatchMint(_maxBatchMintToSet);
}
functionsetPriceIncrement(uint256 _priceIncrementToSet) externalonlyOwner{
_setPriceIncrement(_priceIncrementToSet);
}
functionsetPriceBufferInSeconds(uint256 _BufferInSecondsToSet)
externalonlyOwner{
_setPriceBufferInSeconds(_BufferInSecondsToSet);
}
functionsetSurgeModeOff() externalonlyOwner{
_setSurgeModeOff();
}
functionsetSurgeModeOn() externalonlyOwner{
_setSurgeModeOn();
}
functiongetEndTimeStamp() externalviewreturns (uint256) {
return (_endTimeStamp);
}
// The fallback function is executed on a call to the contract if// none of the other functions match the given function signature.fallback() externalpayable{
revert();
}
receive() externalpayable{
revert();
}
// Ensure that the beneficiary can receive deposited ETH:functionwithdraw(uint256 _withdrawal) externalonlyOwnerreturns (bool) {
(bool success, ) = beneficiary.call{value: _withdrawal}("");
require(success, "Transfer failed.");
emit ethWithdrawn(_withdrawal, block.timestamp);
returntrue;
}
functiongetPrice()
publicviewwhenNotPausedwhenMintingOpenreturns (uint256,
uint256,
uint256)
{
return (_getPrice());
}
functionsteppableMint(uint256 quantity)
externalpayablewhenNotPausedwhenMintingOpen{
// Don't want to try and mint 0 NFTs for 0 ETH:require(
(quantity >0) && (quantity <= _maxBatchMint),
"Quantity must be greater than 0 and less than or equal to maximum"
);
// Get the priceuint256 NFTPrice;
uint256 bucketNumberToAdd;
uint256 OldNFTPrice;
(NFTPrice, bucketNumberToAdd, OldNFTPrice) = _getPrice();
// We need the surge price * quantity to have been paid in:if (msg.value< (quantity * NFTPrice)) {
// Check the bufferrequire(
_withinBuffer(bucketNumberToAdd) &&
(msg.value>= (quantity * OldNFTPrice)),
"Insufficient ETH for surge adjusted price"
);
}
// Update the bucket details IF we need to:if (bucketNumberToAdd >0) {
_updateBuckets(bucketNumberToAdd, NFTPrice, OldNFTPrice, quantity);
} else {
_recordMinting(quantity);
}
// Mint required qantity:
performMinting(quantity, msg.sender);
// Check if this is the end:if (block.timestamp> _endTimeStamp) {
performMintingClose();
}
emit _steppableMinting(msg.sender, quantity, msg.value, block.timestamp);
}
functionperformMinting(uint256 quantityToMint, address to) internal{
uint256 tokenIdToMint = _tokenIdCounter;
for (uint256 i =0; i < quantityToMint; i++) {
_safeMint(to, tokenIdToMint);
tokenIdToMint +=1;
}
_tokenIdCounter = tokenIdToMint;
}
functiongetDeveloperAllocationDetails()
externalviewonlyOwnerreturns (uint256, uint256)
{
return (developerAllocation, developerAllocated);
}
functionmintDeveloperAllocation(uint256 quantity)
externalonlyOwnerwhenMintingClosed(msg.sender)
{
if (developerAllocation ==0) {
developerAllocation = (((_tokenIdCounter *204) /10000) +1);
}
uint256 remainingDeveloperAllocation = (developerAllocation -
developerAllocated);
require(remainingDeveloperAllocation >0, "Developer allocation exhausted");
if (remainingDeveloperAllocation < quantity) {
quantity = remainingDeveloperAllocation;
}
developerAllocated += quantity;
// Mint required qantity:
performMinting(quantity, developer);
emit _developerAllocationMinting(
developer,
quantity,
remainingDeveloperAllocation - quantity,
block.timestamp
);
}
function_beforeTokenTransfer(addressfrom,
address to,
uint256 tokenId
) internaloverride(ERC721) whenNotPausedwhenMintingClosed(from) {
super._beforeTokenTransfer(from, to, tokenId);
}
function_baseURI() internalpureoverridereturns (stringmemory) {
return"https://arweave.net/u7QmmY8LhngU50EqUjjhdB6h8tnqK-9opSGmYVI8-v8";
}
functiontokenURI(uint256 tokenId)
publicviewoverridereturns (stringmemory)
{
require(
_exists(tokenId),
"ERC721Metadata: URI query for nonexistent token"
);
return _baseURI();
}
// The following functions are overrides required by Solidity.functionsupportsInterface(bytes4 interfaceId)
publicviewoverride(ERC721)
returns (bool)
{
returnsuper.supportsInterface(interfaceId);
}
}
Contract Source Code
File 14 of 14: Strings.sol
// SPDX-License-Identifier: MITpragmasolidity ^0.8.0;/**
* @dev String operations.
*/libraryStrings{
bytes16privateconstant _HEX_SYMBOLS ="0123456789abcdef";
/**
* @dev Converts a `uint256` to its ASCII `string` decimal representation.
*/functiontoString(uint256 value) internalpurereturns (stringmemory) {
// Inspired by OraclizeAPI's implementation - MIT licence// https://github.com/oraclize/ethereum-api/blob/b42146b063c7d6ee1358846c198246239e9360e8/oraclizeAPI_0.4.25.solif (value ==0) {
return"0";
}
uint256 temp = value;
uint256 digits;
while (temp !=0) {
digits++;
temp /=10;
}
bytesmemory buffer =newbytes(digits);
while (value !=0) {
digits -=1;
buffer[digits] =bytes1(uint8(48+uint256(value %10)));
value /=10;
}
returnstring(buffer);
}
/**
* @dev Converts a `uint256` to its ASCII `string` hexadecimal representation.
*/functiontoHexString(uint256 value) internalpurereturns (stringmemory) {
if (value ==0) {
return"0x00";
}
uint256 temp = value;
uint256 length =0;
while (temp !=0) {
length++;
temp >>=8;
}
return toHexString(value, length);
}
/**
* @dev Converts a `uint256` to its ASCII `string` hexadecimal representation with fixed length.
*/functiontoHexString(uint256 value, uint256 length) internalpurereturns (stringmemory) {
bytesmemory buffer =newbytes(2* length +2);
buffer[0] ="0";
buffer[1] ="x";
for (uint256 i =2* length +1; i >1; --i) {
buffer[i] = _HEX_SYMBOLS[value &0xf];
value >>=4;
}
require(value ==0, "Strings: hex length insufficient");
returnstring(buffer);
}
}