// SPDX-License-Identifier: MIT// OpenZeppelin Contracts (last updated v4.5.0) (utils/Address.sol)pragmasolidity ^0.8.1;/**
* @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
* ====
*
* [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.
* ====
*/functionisContract(address account) internalviewreturns (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].
*/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 28: Constants.sol
// SPDX-License-Identifier: PROPRIERTARY// Author: Ilya A. Shlyakhovoy// Email: is@unicsoft.compragmasolidity 0.8.17;/**
* @dev Collection of constants
*/libraryConstants{
uint16publicconstant MINIMAL =800;
}
Contract Source Code
File 3 of 28: Context.sol
// SPDX-License-Identifier: MIT// OpenZeppelin Contracts v4.4.1 (utils/Context.sol)pragmasolidity ^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 4 of 28: Counters.sol
// SPDX-License-Identifier: MIT// OpenZeppelin Contracts v4.4.1 (utils/Counters.sol)pragmasolidity ^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;`
*/libraryCounters{
structCounter {
// 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/4637uint256 _value; // default: 0
}
functioncurrent(Counter storage counter) internalviewreturns (uint256) {
return counter._value;
}
functionincrement(Counter storage counter) internal{
unchecked {
counter._value +=1;
}
}
functiondecrement(Counter storage counter) internal{
uint256 value = counter._value;
require(value >0, "Counter: decrement overflow");
unchecked {
counter._value = value -1;
}
}
functionreset(Counter storage counter) internal{
counter._value =0;
}
}
Contract Source Code
File 5 of 28: DefaultOperatorFilterer.sol
// SPDX-License-Identifier: MITpragmasolidity ^0.8.13;import {OperatorFilterer} from"./OperatorFilterer.sol";
import {CANONICAL_CORI_SUBSCRIPTION} from"./lib/Constants.sol";
/**
* @title DefaultOperatorFilterer
* @notice Inherits from OperatorFilterer and automatically subscribes to the default OpenSea subscription.
* @dev Please note that if your token contract does not provide an owner with EIP-173, it must provide
* administration methods on the contract itself to interact with the registry otherwise the subscription
* will be locked to the options set during construction.
*/abstractcontractDefaultOperatorFiltererisOperatorFilterer{
/// @dev The constructor that is called when the contract is being deployed.constructor() OperatorFilterer(CANONICAL_CORI_SUBSCRIPTION, true) {}
}
Contract Source Code
File 6 of 28: EIP2981.sol
// SPDX-License-Identifier: PROPRIERTARY// Author: Ilya A. Shlyakhovoy// Email: is@unicsoft.compragmasolidity 0.8.17;import"@openzeppelin/contracts/token/common/ERC2981.sol";
import"./Guard.sol";
/**
@title The royalties base contract
@author Ilya A. Shlyakhovoy
@notice This contract manage properties of the game actor, including birth and childhood.
The new actor comes from the Breed or Box contracts
*/abstractcontractEIP2981isERC2981, Guard{
eventFeeChanged(addressindexed receiver,
uint96 collectionOwnerFeeNumerator,
uint96 firstOwnerFeeNumerator
);
structAdditionalRoyaltyInfo {
uint96 collectionOwnerFeeNumerator;
uint96 firstOwnerFeeNumerator;
}
AdditionalRoyaltyInfo private _additionalDefaultRoyaltyInfo;
/**
* @dev The denominator with which to interpret the fee set in {_setTokenRoyalty} and {_setDefaultRoyalty} as a
* fraction of the sale price. Defaults to 10000 so fees are expressed in basis points, but may be customized by an
* override.
*/functionfeeDenominator() externalpurereturns (uint96) {
return _feeDenominator();
}
/**
* @dev Sets the royalty information that all ids in this contract will default to.
*
* Requirements:
*
* - `receiver` cannot be the zero address.
* - `collectionOwnerFeeNumerator` + `firstOwnerFeeNumerator` cannot be greater than the fee denominator.
*/functionsetDefaultRoyalty(address receiver,
uint96 collectionOwnerFeeNumerator,
uint96 firstOwnerFeeNumerator
) externalhaveRights{
_setDefaultRoyalty(
receiver,
collectionOwnerFeeNumerator + firstOwnerFeeNumerator
);
_additionalDefaultRoyaltyInfo = _additionalDefaultRoyaltyInfo = AdditionalRoyaltyInfo(
collectionOwnerFeeNumerator,
firstOwnerFeeNumerator
);
emit FeeChanged(
receiver,
collectionOwnerFeeNumerator,
firstOwnerFeeNumerator
);
}
/**
* @dev Returns amount of shares which should receive each party.
*/functionadditionalDefaultRoyaltyInfo()
externalviewreturns (AdditionalRoyaltyInfo memory)
{
return _additionalDefaultRoyaltyInfo;
}
/**
* @dev Removes default royalty information.
*/functiondeleteDefaultRoyalty() externalhaveRights{
_deleteDefaultRoyalty();
delete _additionalDefaultRoyaltyInfo;
}
/**
* @dev Sets the royalty information for a specific token id, overriding the global default.
*
* Requirements:
*
* - `tokenId` must be already minted.
* - `receiver` cannot be the zero address.
* - `feeNumerator` cannot be greater than the fee denominator.
*/functionsetTokenRoyalty(uint256 tokenId,
address receiver,
uint96 feeNumerator
) externalhaveRights{
_setTokenRoyalty(tokenId, receiver, feeNumerator);
}
/**
* @dev Resets royalty information for the token id back to the global default.
*/functionresetTokenRoyalty(uint256 tokenId) externalhaveRights{
_resetTokenRoyalty(tokenId);
}
}
Contract Source Code
File 7 of 28: ERC165.sol
// SPDX-License-Identifier: MIT// OpenZeppelin Contracts v4.4.1 (utils/introspection/ERC165.sol)pragmasolidity ^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 8 of 28: ERC2981.sol
// SPDX-License-Identifier: MIT// OpenZeppelin Contracts (last updated v4.6.0) (token/common/ERC2981.sol)pragmasolidity ^0.8.0;import"../../interfaces/IERC2981.sol";
import"../../utils/introspection/ERC165.sol";
/**
* @dev Implementation of the NFT Royalty Standard, a standardized way to retrieve royalty payment information.
*
* Royalty information can be specified globally for all token ids via {_setDefaultRoyalty}, and/or individually for
* specific token ids via {_setTokenRoyalty}. The latter takes precedence over the first.
*
* Royalty is specified as a fraction of sale price. {_feeDenominator} is overridable but defaults to 10000, meaning the
* fee is specified in basis points by default.
*
* IMPORTANT: ERC-2981 only specifies a way to signal royalty information and does not enforce its payment. See
* https://eips.ethereum.org/EIPS/eip-2981#optional-royalty-payments[Rationale] in the EIP. Marketplaces are expected to
* voluntarily pay royalties together with sales, but note that this standard is not yet widely supported.
*
* _Available since v4.5._
*/abstractcontractERC2981isIERC2981, ERC165{
structRoyaltyInfo {
address receiver;
uint96 royaltyFraction;
}
RoyaltyInfo private _defaultRoyaltyInfo;
mapping(uint256=> RoyaltyInfo) private _tokenRoyaltyInfo;
/**
* @dev See {IERC165-supportsInterface}.
*/functionsupportsInterface(bytes4 interfaceId) publicviewvirtualoverride(IERC165, ERC165) returns (bool) {
return interfaceId ==type(IERC2981).interfaceId||super.supportsInterface(interfaceId);
}
/**
* @inheritdoc IERC2981
*/functionroyaltyInfo(uint256 _tokenId, uint256 _salePrice) publicviewvirtualoverridereturns (address, uint256) {
RoyaltyInfo memory royalty = _tokenRoyaltyInfo[_tokenId];
if (royalty.receiver ==address(0)) {
royalty = _defaultRoyaltyInfo;
}
uint256 royaltyAmount = (_salePrice * royalty.royaltyFraction) / _feeDenominator();
return (royalty.receiver, royaltyAmount);
}
/**
* @dev The denominator with which to interpret the fee set in {_setTokenRoyalty} and {_setDefaultRoyalty} as a
* fraction of the sale price. Defaults to 10000 so fees are expressed in basis points, but may be customized by an
* override.
*/function_feeDenominator() internalpurevirtualreturns (uint96) {
return10000;
}
/**
* @dev Sets the royalty information that all ids in this contract will default to.
*
* Requirements:
*
* - `receiver` cannot be the zero address.
* - `feeNumerator` cannot be greater than the fee denominator.
*/function_setDefaultRoyalty(address receiver, uint96 feeNumerator) internalvirtual{
require(feeNumerator <= _feeDenominator(), "ERC2981: royalty fee will exceed salePrice");
require(receiver !=address(0), "ERC2981: invalid receiver");
_defaultRoyaltyInfo = RoyaltyInfo(receiver, feeNumerator);
}
/**
* @dev Removes default royalty information.
*/function_deleteDefaultRoyalty() internalvirtual{
delete _defaultRoyaltyInfo;
}
/**
* @dev Sets the royalty information for a specific token id, overriding the global default.
*
* Requirements:
*
* - `tokenId` must be already minted.
* - `receiver` cannot be the zero address.
* - `feeNumerator` cannot be greater than the fee denominator.
*/function_setTokenRoyalty(uint256 tokenId,
address receiver,
uint96 feeNumerator
) internalvirtual{
require(feeNumerator <= _feeDenominator(), "ERC2981: royalty fee will exceed salePrice");
require(receiver !=address(0), "ERC2981: Invalid parameters");
_tokenRoyaltyInfo[tokenId] = RoyaltyInfo(receiver, feeNumerator);
}
/**
* @dev Resets royalty information for the token id back to the global default.
*/function_resetTokenRoyalty(uint256 tokenId) internalvirtual{
delete _tokenRoyaltyInfo[tokenId];
}
}
Contract Source Code
File 9 of 28: ERC721.sol
// SPDX-License-Identifier: MIT// OpenZeppelin Contracts (last updated v4.6.0) (token/ERC721/ERC721.sol)pragmasolidity ^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 overridden 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{
_setApprovalForAll(_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 || 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) 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);
_afterTokenTransfer(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);
_afterTokenTransfer(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 from incorrect owner");
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);
_afterTokenTransfer(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 Approve `operator` to operate on all of `owner` tokens
*
* Emits a {ApprovalForAll} event.
*/function_setApprovalForAll(address owner,
address operator,
bool approved
) internalvirtual{
require(owner != operator, "ERC721: approve to caller");
_operatorApprovals[owner][operator] = approved;
emit ApprovalForAll(owner, operator, approved);
}
/**
* @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{}
/**
* @dev Hook that is called after any transfer of tokens. This includes
* minting and burning.
*
* Calling conditions:
*
* - when `from` and `to` are both non-zero.
* - `from` and `to` are never both zero.
*
* To learn more about hooks, head to xref:ROOT:extending-contracts.adoc#using-hooks[Using Hooks].
*/function_afterTokenTransfer(addressfrom,
address to,
uint256 tokenId
) internalvirtual{}
}
Contract Source Code
File 10 of 28: Guard.sol
// SPDX-License-Identifier: PROPRIERTARY// Author: Ilya A. Shlyakhovoy// Email: is@unicsoft.compragmasolidity 0.8.17;import"../interfaces/IRights.sol";
abstractcontractGuard{
stringconstant NO_RIGHTS ="Guard: No rights";
/// @notice only if person with rights calls the contractmodifierhaveRights() {
require(_rights().haveRights(address(this), msg.sender), NO_RIGHTS);
_;
}
/// @notice only if someone with rights calls the contractmodifierhaveRightsPerson(address who_) {
require(_rights().haveRights(address(this), who_), NO_RIGHTS);
_;
}
/// @notice only if person with rights calls the functionmodifierhaveRightsExt(address target_, address who_) {
require(_rights().haveRights(target_, who_), NO_RIGHTS);
_;
}
function_rights() internalviewvirtualreturns (IRights);
functionsetRights(address rights_) externalvirtual;
}
// SPDX-License-Identifier: PROPRIERTARY// Author: Ilya A. Shlyakhovoy// Email: is@unicsoft.compragmasolidity 0.8.17;import"@openzeppelin/contracts/token/ERC721/extensions/IERC721Metadata.sol";
import {Structures} from"../../lib/Structures.sol";
interfaceIActorsisIERC721Metadata{
eventMinted(addressindexed owner, uint256indexed id);
eventMintedImmaculate(addressindexed owner, uint256indexed id);
eventTokenUriDefined(uint256indexed id, string kidUri, string adultUri);
eventActorWasBorn(uint256indexed id, uint256 bornTime);
/**
@notice Get a total amount of issued tokens
@return The number of tokens minted
*/functiontotal() externalviewreturns (uint256);
/**
@notice Set an uri for the adult token (only for non immaculate)
@param id_ token id
@param adultHash_ ipfs hash of the kids metadata
*/functionsetMetadataHash(uint256 id_, stringcalldata adultHash_) external;
/**
@notice Set an uri for the adult and kid token (only for immaculate)
@param id_ token id
@param kidHash_ ipfs hash of the kids metadata
@param adultHash_ ipfs hash of the adult metadata
*/functionsetMetadataHashes(uint256 id_,
stringcalldata kidHash_,
stringcalldata adultHash_
) external;
/**
@notice Get an uri for the kid token
@param id_ token id
@return Token uri for the kid actor
*/functiontokenKidURI(uint256 id_) externalviewreturns (stringmemory);
/**
@notice Get an uri for the adult token
@param id_ token id
@return Token uri for the adult actor
*/functiontokenAdultURI(uint256 id_) externalviewreturns (stringmemory);
/**
@notice Create a new person token (not born yet)
@param id_ The id of new minted token
@param owner_ Owner of the token
@param props_ Array of the actor properties
@param sex_ The person sex (true = male, false = female)
@param born_ Is the child born or not
@param adultTime_ When child become adult actor, if 0 actor is not born yet
@param childs_ The amount of childs can be born (only for female)
@param immaculate_ True only for potion-breeded
@return The new id
*/functionmint(uint256 id_,
address owner_,
uint16[10] memory props_,
bool sex_,
bool born_,
uint256 adultTime_,
uint8 childs_,
bool immaculate_
) externalreturns (uint256);
/**
@notice Get the person props
@param id_ Person token id
@return Array of the props
*/functiongetProps(uint256 id_) externalviewreturns (uint16[10] memory);
/**
@notice Get the actor
@param id_ Person token id
@return Structures.ActorData full struct of actor
*/functiongetActor(uint256 id_)
externalviewreturns (Structures.ActorData memory);
/**
@notice Get the person sex
@param id_ Person token id
@return true = male, false = female
*/functiongetSex(uint256 id_) externalviewreturns (bool);
/**
@notice Get the person childs
@param id_ Person token id
@return childs and possible available childs
*/functiongetChilds(uint256 id_) externalviewreturns (uint8, uint8);
/**
@notice Breed a child
@param id_ Person token id
*/functionbreedChild(uint256 id_) external;
/**
@notice Get the person immaculate status
@param id_ Person token id
*/functiongetImmaculate(uint256 id_) externalviewreturns (bool);
/**
@notice Get the person born time
@param id_ Person token id
@return 0 = complete adult, or amount of tokens needed to be paid for
*/functiongetBornTime(uint256 id_) externalviewreturns (uint256);
/**
@notice Get the person born state
@param id_ Person token id
@return true = person is born
*/functionisBorn(uint256 id_) externalviewreturns (bool);
/**
@notice Birth the person
@param id_ Person token id
@param adultTime_ When person becomes adult
*/functionborn(uint256 id_, uint256 adultTime_) external;
/**
@notice Get the person adult timestamp
@param id_ Person token id
@return timestamp
*/functiongetAdultTime(uint256 id_) externalviewreturns (uint256);
/**
@notice Grow the
@param id_ Person token id
@param time_ the deadline to grow
*/functionsetAdultTime(uint256 id_, uint256 time_) external;
/**
@notice Get the person adult state
@param id_ Person token id
@return true = person is adult (price is 0 and current date > person's grow deadline)
*/functionisAdult(uint256 id_) externalviewreturns (bool);
/**
@notice Get the person rank
@param id_ Person token id
@return person rank value
*/functiongetRank(uint256 id_) externalviewreturns (uint16);
}
// SPDX-License-Identifier: MIT// OpenZeppelin Contracts v4.4.1 (utils/introspection/IERC165.sol)pragmasolidity ^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 15 of 28: IERC2981.sol
// SPDX-License-Identifier: MIT// OpenZeppelin Contracts (last updated v4.6.0) (interfaces/IERC2981.sol)pragmasolidity ^0.8.0;import"../utils/introspection/IERC165.sol";
/**
* @dev Interface for the NFT Royalty Standard.
*
* A standardized way to retrieve royalty payment information for non-fungible tokens (NFTs) to enable universal
* support for royalty payments across all NFT marketplaces and ecosystem participants.
*
* _Available since v4.5._
*/interfaceIERC2981isIERC165{
/**
* @dev Returns how much royalty is owed and to whom, based on a sale price that may be denominated in any unit of
* exchange. The royalty amount is denominated and should be paid in that same unit of exchange.
*/functionroyaltyInfo(uint256 tokenId, uint256 salePrice)
externalviewreturns (address receiver, uint256 royaltyAmount);
}
Contract Source Code
File 16 of 28: IERC721.sol
// SPDX-License-Identifier: MIT// OpenZeppelin Contracts (last updated v4.6.0) (token/ERC721/IERC721.sol)pragmasolidity ^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`.
*
* 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;
/**
* @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 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 the account approved for `tokenId` token.
*
* Requirements:
*
* - `tokenId` must exist.
*/functiongetApproved(uint256 tokenId) externalviewreturns (address operator);
/**
* @dev Returns if the `operator` is allowed to manage all of the assets of `owner`.
*
* See {setApprovalForAll}
*/functionisApprovedForAll(address owner, address operator) externalviewreturns (bool);
}
// SPDX-License-Identifier: MIT// OpenZeppelin Contracts (last updated v4.6.0) (token/ERC721/IERC721Receiver.sol)pragmasolidity ^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 `IERC721Receiver.onERC721Received.selector`.
*/functiononERC721Received(address operator,
addressfrom,
uint256 tokenId,
bytescalldata data
) externalreturns (bytes4);
}
Contract Source Code
File 19 of 28: IOperatorFilterRegistry.sol
// SPDX-License-Identifier: MITpragmasolidity ^0.8.13;interfaceIOperatorFilterRegistry{
/**
* @notice Returns true if operator is not filtered for a given token, either by address or codeHash. Also returns
* true if supplied registrant address is not registered.
*/functionisOperatorAllowed(address registrant, address operator) externalviewreturns (bool);
/**
* @notice Registers an address with the registry. May be called by address itself or by EIP-173 owner.
*/functionregister(address registrant) external;
/**
* @notice Registers an address with the registry and "subscribes" to another address's filtered operators and codeHashes.
*/functionregisterAndSubscribe(address registrant, address subscription) external;
/**
* @notice Registers an address with the registry and copies the filtered operators and codeHashes from another
* address without subscribing.
*/functionregisterAndCopyEntries(address registrant, address registrantToCopy) external;
/**
* @notice Unregisters an address with the registry and removes its subscription. May be called by address itself or by EIP-173 owner.
* Note that this does not remove any filtered addresses or codeHashes.
* Also note that any subscriptions to this registrant will still be active and follow the existing filtered addresses and codehashes.
*/functionunregister(address addr) external;
/**
* @notice Update an operator address for a registered address - when filtered is true, the operator is filtered.
*/functionupdateOperator(address registrant, address operator, bool filtered) external;
/**
* @notice Update multiple operators for a registered address - when filtered is true, the operators will be filtered. Reverts on duplicates.
*/functionupdateOperators(address registrant, address[] calldata operators, bool filtered) external;
/**
* @notice Update a codeHash for a registered address - when filtered is true, the codeHash is filtered.
*/functionupdateCodeHash(address registrant, bytes32 codehash, bool filtered) external;
/**
* @notice Update multiple codeHashes for a registered address - when filtered is true, the codeHashes will be filtered. Reverts on duplicates.
*/functionupdateCodeHashes(address registrant, bytes32[] calldata codeHashes, bool filtered) external;
/**
* @notice Subscribe an address to another registrant's filtered operators and codeHashes. Will remove previous
* subscription if present.
* Note that accounts with subscriptions may go on to subscribe to other accounts - in this case,
* subscriptions will not be forwarded. Instead the former subscription's existing entries will still be
* used.
*/functionsubscribe(address registrant, address registrantToSubscribe) external;
/**
* @notice Unsubscribe an address from its current subscribed registrant, and optionally copy its filtered operators and codeHashes.
*/functionunsubscribe(address registrant, bool copyExistingEntries) external;
/**
* @notice Get the subscription address of a given registrant, if any.
*/functionsubscriptionOf(address addr) externalreturns (address registrant);
/**
* @notice Get the set of addresses subscribed to a given registrant.
* Note that order is not guaranteed as updates are made.
*/functionsubscribers(address registrant) externalreturns (address[] memory);
/**
* @notice Get the subscriber at a given index in the set of addresses subscribed to a given registrant.
* Note that order is not guaranteed as updates are made.
*/functionsubscriberAt(address registrant, uint256 index) externalreturns (address);
/**
* @notice Copy filtered operators and codeHashes from a different registrantToCopy to addr.
*/functioncopyEntriesOf(address registrant, address registrantToCopy) external;
/**
* @notice Returns true if operator is filtered by a given address or its subscription.
*/functionisOperatorFiltered(address registrant, address operator) externalreturns (bool);
/**
* @notice Returns true if the hash of an address's code is filtered by a given address or its subscription.
*/functionisCodeHashOfFiltered(address registrant, address operatorWithCode) externalreturns (bool);
/**
* @notice Returns true if a codeHash is filtered by a given address or its subscription.
*/functionisCodeHashFiltered(address registrant, bytes32 codeHash) externalreturns (bool);
/**
* @notice Returns a list of filtered operators for a given address or its subscription.
*/functionfilteredOperators(address addr) externalreturns (address[] memory);
/**
* @notice Returns the set of filtered codeHashes for a given address or its subscription.
* Note that order is not guaranteed as updates are made.
*/functionfilteredCodeHashes(address addr) externalreturns (bytes32[] memory);
/**
* @notice Returns the filtered operator at the given index of the set of filtered operators for a given address or
* its subscription.
* Note that order is not guaranteed as updates are made.
*/functionfilteredOperatorAt(address registrant, uint256 index) externalreturns (address);
/**
* @notice Returns the filtered codeHash at the given index of the list of filtered codeHashes for a given address or
* its subscription.
* Note that order is not guaranteed as updates are made.
*/functionfilteredCodeHashAt(address registrant, uint256 index) externalreturns (bytes32);
/**
* @notice Returns true if an address has registered
*/functionisRegistered(address addr) externalreturns (bool);
/**
* @dev Convenience method to compute the code hash of an arbitrary contract
*/functioncodeHashOf(address addr) externalreturns (bytes32);
}
Contract Source Code
File 20 of 28: IPotions.sol
// SPDX-License-Identifier: PROPRIERTARY// Author: Ilya A. Shlyakhovoy// Email: is@unicsoft.compragmasolidity 0.8.17;import"@openzeppelin/contracts/token/ERC721/extensions/IERC721Metadata.sol";
interfaceIPotionsisIERC721Metadata{
eventCreated(addressindexed owner, uint256indexed id, uint256indexed level);
eventOpened(addressindexed owner, uint256indexed id);
eventChildsDefined(uint256indexed childs);
eventTokenUriDefined(uint256indexed id, string tokenUri);
/**
@notice Get a total amount of issued tokens
@return The number of tokens minted
*/functiontotal() externalviewreturns (uint256);
/**
@notice Get the amount of the actors remains to be created
@return The current value
*/functionunissued() externalviewreturns (uint256);
/**
@notice Get the level of the potion
@param id_ potion id
@return The level of the potion
*/functionlevel(uint256 id_) externalviewreturns (uint256);
/**
@notice Set the maximum amount of the childs for the woman actor
@param childs_ New childs amount
*/functionsetChilds(uint256 childs_) external;
/**
@notice Get the current maximum amount of the childs
@return The current value
*/functiongetChilds() externalviewreturns (uint256);
/**
@notice Open the packed id with the random values
@param id_ The pack id
@return The new actor id
*/functionopen(uint256 id_) externalreturns (uint256);
/**
@notice return max potion level
@return The max potion level (1-based)
*/functiongetMaxLevel() externalviewreturns (uint256);
/**
@notice Create the potion by box (rare or not)
@param target The potion owner
@param rare The rarity sign
@param id_ The id of a new token
@return The new pack id
*/functioncreate(address target,
bool rare,
uint256 id_
) externalreturns (uint256);
/**
@notice Create the packed potion with desired level (admin only)
@param target The pack owner
@param level The pack level
@param id_ The id of a new token
@return The new pack id
*/functioncreatePotion(address target,
uint256 level,
uint256 id_
) externalreturns (uint256);
/**
@notice get the last pack for the address
@param target The owner
@return The pack id
*/functiongetLast(address target) externalviewreturns (uint256);
/**
@notice Decrease the amount of the common or rare tokens or fails
*/functiondecreaseAmount(bool rare) externalreturns (bool);
/**
@notice Set an uri for the token
@param id_ token id
@param metadataHash_ ipfs hash of the metadata
*/functionsetMetadataHash(uint256 id_, stringcalldata metadataHash_)
external;
}
// SPDX-License-Identifier: PROPRIERTARY// Author: Ilya A. Shlyakhovoy// Email: is@unicsoft.compragmasolidity 0.8.17;interfaceIRights{
eventAdminAdded(addressindexed admin);
eventAdminDefined(addressindexed admin, addressindexed contractHash);
eventAdminRemoved(addressindexed admin);
eventAdminCleared(addressindexed admin, addressindexed contractHash);
/**
@notice Add a new admin for the Rigths contract
@param admin_ New admin address
*/functionaddAdmin(address admin_) external;
/**
@notice Add a new admin for the any other contract
@param contract_ Contract address packed into address
@param admin_ New admin address
*/functionaddAdmin(address contract_, address admin_) external;
/**
@notice Remove the existing admin from the Rigths contract
@param admin_ Admin address
*/functionremoveAdmin(address admin_) external;
/**
@notice Add a new admin for the any other contract
@param contract_ Contract address packed into address
@param admin_ New admin address
*/functionremoveAdmin(address contract_, address admin_) external;
/**
@notice Get the rights for the contract for the caller
@param contract_ Contract address packed into address
@return have rights or not
*/functionhaveRights(address contract_) externalviewreturns (bool);
/**
@notice Get the rights for the contract
@param contract_ Contract address packed into address
@param admin_ Admin address
@return have rights or not
*/functionhaveRights(address contract_, address admin_)
externalviewreturns (bool);
}
Contract Source Code
File 23 of 28: OperatorFilterer.sol
// SPDX-License-Identifier: MITpragmasolidity ^0.8.13;import {IOperatorFilterRegistry} from"./IOperatorFilterRegistry.sol";
import {CANONICAL_OPERATOR_FILTER_REGISTRY_ADDRESS} from"./lib/Constants.sol";
/**
* @title OperatorFilterer
* @notice Abstract contract whose constructor automatically registers and optionally subscribes to or copies another
* registrant's entries in the OperatorFilterRegistry.
* @dev This smart contract is meant to be inherited by token contracts so they can use the following:
* - `onlyAllowedOperator` modifier for `transferFrom` and `safeTransferFrom` methods.
* - `onlyAllowedOperatorApproval` modifier for `approve` and `setApprovalForAll` methods.
* Please note that if your token contract does not provide an owner with EIP-173, it must provide
* administration methods on the contract itself to interact with the registry otherwise the subscription
* will be locked to the options set during construction.
*/abstractcontractOperatorFilterer{
/// @dev Emitted when an operator is not allowed.errorOperatorNotAllowed(address operator);
IOperatorFilterRegistry publicconstant OPERATOR_FILTER_REGISTRY =
IOperatorFilterRegistry(CANONICAL_OPERATOR_FILTER_REGISTRY_ADDRESS);
/// @dev The constructor that is called when the contract is being deployed.constructor(address subscriptionOrRegistrantToCopy, bool subscribe) {
// If an inheriting token contract is deployed to a network without the registry deployed, the modifier// will not revert, but the contract will need to be registered with the registry once it is deployed in// order for the modifier to filter addresses.if (address(OPERATOR_FILTER_REGISTRY).code.length>0) {
if (subscribe) {
OPERATOR_FILTER_REGISTRY.registerAndSubscribe(address(this), subscriptionOrRegistrantToCopy);
} else {
if (subscriptionOrRegistrantToCopy !=address(0)) {
OPERATOR_FILTER_REGISTRY.registerAndCopyEntries(address(this), subscriptionOrRegistrantToCopy);
} else {
OPERATOR_FILTER_REGISTRY.register(address(this));
}
}
}
}
/**
* @dev A helper function to check if an operator is allowed.
*/modifieronlyAllowedOperator(addressfrom) virtual{
// Allow spending tokens from addresses with balance// Note that this still allows listings and marketplaces with escrow to transfer tokens if transferred// from an EOA.if (from!=msg.sender) {
_checkFilterOperator(msg.sender);
}
_;
}
/**
* @dev A helper function to check if an operator approval is allowed.
*/modifieronlyAllowedOperatorApproval(address operator) virtual{
_checkFilterOperator(operator);
_;
}
/**
* @dev A helper function to check if an operator is allowed.
*/function_checkFilterOperator(address operator) internalviewvirtual{
// Check registry code length to facilitate testing in environments without a deployed registry.if (address(OPERATOR_FILTER_REGISTRY).code.length>0) {
// under normal circumstances, this function will revert rather than return false, but inheriting contracts// may specify their own OperatorFilterRegistry implementations, which may behave differentlyif (!OPERATOR_FILTER_REGISTRY.isOperatorAllowed(address(this), operator)) {
revert OperatorNotAllowed(operator);
}
}
}
}
Contract Source Code
File 24 of 28: OperatorFiltererERC721.sol
// SPDX-License-Identifier: PROPRIERTARY// Author: Bohdan Malkevych// Email: bm@unicsoft.compragmasolidity 0.8.17;import"@openzeppelin/contracts/token/ERC721/ERC721.sol";
import"@openzeppelin/contracts/access/Ownable.sol";
import"operator-filter-registry/src/DefaultOperatorFilterer.sol";
abstractcontractOperatorFiltererERC721isERC721,
DefaultOperatorFilterer,
Ownable{
/**
* @dev See {IERC721-setApprovalForAll}.
* In this example the added modifier ensures that the operator is allowed by the OperatorFilterRegistry.
*/functionsetApprovalForAll(address operator, bool approved)
publicoverrideonlyAllowedOperatorApproval(operator)
{
super.setApprovalForAll(operator, approved);
}
/**
* @dev See {IERC721-approve}.
* In this example the added modifier ensures that the operator is allowed by the OperatorFilterRegistry.
*/functionapprove(address operator, uint256 tokenId)
publicoverrideonlyAllowedOperatorApproval(operator)
{
super.approve(operator, tokenId);
}
/**
* @dev See {IERC721-transferFrom}.
* In this example the added modifier ensures that the operator is allowed by the OperatorFilterRegistry.
*/functiontransferFrom(addressfrom,
address to,
uint256 tokenId
) publicoverrideonlyAllowedOperator(from) {
super.transferFrom(from, to, tokenId);
}
/**
* @dev See {IERC721-safeTransferFrom}.
* In this example the added modifier ensures that the operator is allowed by the OperatorFilterRegistry.
*/functionsafeTransferFrom(addressfrom,
address to,
uint256 tokenId
) publicoverrideonlyAllowedOperator(from) {
super.safeTransferFrom(from, to, tokenId);
}
/**
* @dev See {IERC721-safeTransferFrom}.
* In this example the added modifier ensures that the operator is allowed by the OperatorFilterRegistry.
*/functionsafeTransferFrom(addressfrom,
address to,
uint256 tokenId,
bytesmemory data
) publicoverrideonlyAllowedOperator(from) {
super.safeTransferFrom(from, to, tokenId, data);
}
}
Contract Source Code
File 25 of 28: Ownable.sol
// SPDX-License-Identifier: MIT// OpenZeppelin Contracts v4.4.1 (access/Ownable.sol)pragmasolidity ^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() {
_transferOwnership(_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{
_transferOwnership(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");
_transferOwnership(newOwner);
}
/**
* @dev Transfers ownership of the contract to a new account (`newOwner`).
* Internal function without access restriction.
*/function_transferOwnership(address newOwner) internalvirtual{
address oldOwner = _owner;
_owner = newOwner;
emit OwnershipTransferred(oldOwner, newOwner);
}
}
Contract Source Code
File 26 of 28: Potions.sol
// SPDX-License-Identifier: PROPRIERTARY// Author: Ilya A. Shlyakhovoy// Email: is@unicsoft.compragmasolidity 0.8.17;import"@openzeppelin/contracts/utils/Counters.sol";
import"@openzeppelin/contracts/utils/Strings.sol";
import"../interfaces/IRandomizer.sol";
import"../interfaces/ICalculator.sol";
import"./interfaces/IActors.sol";
import"./interfaces/IPotions.sol";
import"../utils/EIP2981.sol";
import"../lib/Constants.sol";
import"../utils/GuardExtension.sol";
import {
OperatorFiltererERC721,
ERC721
} from"../utils/OperatorFiltererERC721.sol";
contractPotionsisOperatorFiltererERC721, IPotions, EIP2981, GuardExtension{
usingCountersforCounters.Counter;
usingStringsforuint256;
Counters.Counter private _tokenIds;
uint256private _childs;
uint256private _unissued;
uint256[] private _amounts;
mapping(uint256=>uint256) private _total;
mapping(uint256=>uint256) private _women;
IActors private _zombie;
IRandomizer private _random;
addressprivate _mysteryBoxAddress;
bytes32privateconstant ZERO_STRING =keccak256(bytes(""));
stringprivateconstant WRONG_LEVEL ="Potion: wrong level";
stringprivateconstant WRONG_OWNER ="Potion: wrong owner";
stringprivateconstant NOT_A_BOX ="Potions: Not a box";
stringprivateconstant TRY_AGAIN ="Potion: try again";
stringprivateconstant SOLD_OUT ="Potion: sold out";
stringprivateconstant WRONG_ID ="Potion: wrong id";
stringprivateconstant NO_ZERO_LEVEL ="Potion: no zero level";
stringprivateconstant META_ALREADY_USED ="Potion: meta already used";
stringprivateconstant ALREADY_SET ="Potion: already set";
stringprivateconstant BOX_NOT_SET ="Potion: box not set";
stringprivateconstant SAME_VALUE ="Potion: same value";
stringprivateconstant ZERO_ADDRESS ="Potion: zero address";
stringprivateconstant IPFS_PREFIX ="ipfs://";
stringprivateconstant PLACEHOLDERS_META_HASH ="QmZ9bCTRBNwgyhuaX6P7Xfm8D1c7jcUMZ4TFUDggGBE6hb";
mapping(bytes32=>bool) private _usedMetadata;
mapping(uint256=>string) private _tokensHashes;
mapping(uint256=>uint256) private _issuedLevels;
uint256[] private _limits;
mapping(address=>uint256) private _last;
/// @notice only if one of the admins callsmodifieronlyBox() {
require(_mysteryBoxAddress !=address(0), BOX_NOT_SET);
require(
_mysteryBoxAddress ==msg.sender||
_rights().haveRights(address(this), msg.sender),
NOT_A_BOX
);
_;
}
/// @notice validate the idmodifiercorrectId(uint256 id_) {
require(_exists(id_), WRONG_ID);
_;
}
/**
@notice Constructor
@param name_ The name
@param symbol_ The symbol
@param rights_ The address of the rights contract
@param zombie_ The address of the zombie contract
@param random_ The address of the random contract
@param limits_ The maximum possible limits for the each parameter
@param amounts_ The amounts of the actors according level (zero-based)
@param childs_ The maximum number of the childs (for woman actors only)
*/constructor(stringmemory name_,
stringmemory symbol_,
address rights_,
address zombie_,
address random_,
uint256[] memory limits_,
uint256[] memory amounts_,
uint256[] memory women_,
uint256 childs_
) ERC721(name_, symbol_) GuardExtension(rights_) {
require(random_ !=address(0), ZERO_ADDRESS);
require(zombie_ !=address(0), ZERO_ADDRESS);
_childs = childs_;
_random = IRandomizer(random_);
_zombie = IActors(zombie_);
_saveAmounts(amounts_);
_saveLimits(limits_);
_saveWomen(women_);
}
/**
@notice Get a total amount of issued tokens
@return The number of tokens minted
*/functiontotal() externalviewoverridereturns (uint256) {
return _tokenIds.current();
}
function_saveAmounts(uint256[] memory amounts_) private{
uint256 len = amounts_.length;
_unissued =0;
_amounts = amounts_;
for (uint256 i =0; i < len; ++i) {
_unissued = _unissued + amounts_[i];
}
}
function_saveWomen(uint256[] memory women_) private{
for (uint256 i =0; i < women_.length; i++) {
_women[i] = women_[i];
}
}
function_saveLimits(uint256[] memory limits_) private{
_limits = limits_;
}
/**
@notice Get the amount of the actors remains to be created
@return The current value
*/functionunissued() externalviewoverridereturns (uint256) {
return _unissued;
}
/**
@notice Get the level of the potion
@param id_ potion id
@return The level of the potion
*/functionlevel(uint256 id_)
externalviewoverridecorrectId(id_)
returns (uint256)
{
return _issuedLevels[id_];
}
function_create(address owner_,
uint256 level_,
uint256 id_
) privatereturns (uint256) {
require(level_ >0, NO_ZERO_LEVEL);
_tokenIds.increment();
_issuedLevels[id_] = level_;
_mint(owner_, id_);
emit Created(owner_, id_, level_);
return id_;
}
/**
@notice Set the maximum amount of the childs for the woman actor
@param childs_ New childs amount
*/functionsetChilds(uint256 childs_) externaloverridehaveRights{
_childs = childs_;
emit ChildsDefined(childs_);
}
/**
@notice Set new address of Zombie contract
@param value_ New address value
*/functionsetZombie(address value_) externalhaveRights{
require(address(_zombie) != value_, SAME_VALUE);
require(value_ !=address(0), ZERO_ADDRESS);
_zombie = IActors(value_);
}
/**
@notice Set new address of Randomizer contract
@param value_ New address value
*/functionsetRandom(address value_) externalhaveRights{
require(address(_random) != value_, SAME_VALUE);
require(value_ !=address(0), ZERO_ADDRESS);
_random = IRandomizer(value_);
}
/**
@notice Set new address of MysteryBox contract
@param value_ New address value
*/functionsetMysteryBox(address value_) externalhaveRights{
require(address(_mysteryBoxAddress) != value_, SAME_VALUE);
require(value_ !=address(0), ZERO_ADDRESS);
_mysteryBoxAddress = value_;
}
/**
@notice Get the current maximum amount of the childs
@return The current value
*/functiongetChilds() externalviewoverridereturns (uint256) {
return _childs;
}
function_getLimits(uint256 level_)
privateviewreturns (uint256, uint256)
{
require(level_ >0, NO_ZERO_LEVEL);
require(level_ <= _limits.length, WRONG_LEVEL);
if (level_ ==1) {
return (Constants.MINIMAL, _limits[0]);
}
return (_limits[level_ -2], _limits[level_ -1]);
}
/**
@notice Get the limits of the properties for the level
@param level_ The desired level
@return Minimum and maximum level available
*/functiongetLimits(uint256 level_)
externalviewreturns (uint256, uint256)
{
return _getLimits(level_);
}
functioncalcSex(
IRandomizer random_,
uint256 total_,
uint256 womenAvailable_
) internalreturns (bool) {
uint256[] memory weights =newuint256[](2);
weights[0] = total_ - womenAvailable_;
weights[1] = womenAvailable_;
uint256 isWoman = random_.distributeRandom(total_, weights);
return (isWoman ==0);
}
functioncalcProps(
IRandomizer random,
uint256 minRange,
uint256 maxRange
) internalreturns (uint256, uint16[10] memory) {
uint16[10] memory props;
uint256 range = maxRange - minRange;
uint256 power =0;
for (uint256 i =0; i <10; i++) {
props[i] =uint16(random.randomize(range) + minRange);
power = power + props[i];
}
return (power, props);
}
functioncallMint(uint256 id_,
uint16[10] memory props_,
bool sex_,
uint256 power_,
uint8 childs_
) internalreturns (uint256) {
_zombie.mint(
id_,
msg.sender,
props_,
sex_,
true,
0,
childs_,
true
);
emit Opened(msg.sender, id_);
return id_;
}
/**
@notice Open the packed id with the random values
@param id_ The pack id
@return The new actor id
*/functionopen(uint256 id_)
externaloverridecorrectId(id_)
returns (uint256)
{
require(ownerOf(id_) ==msg.sender, WRONG_OWNER);
uint256 level_ = _issuedLevels[id_];
IRandomizer random = _random;
(uint256 minRange, uint256 maxRange) = _getLimits(level_);
(uint256 power, uint16[10] memory props) = calcProps(
random,
minRange,
maxRange
);
bool sex =true;
if (_women[level_ -1] >0) {
sex = calcSex(
random,
_total[level_ -1] + _amounts[level_ -1],
_women[level_ -1]
);
if (!sex) {
_women[level_ -1] = _women[level_ -1] -1;
}
}
uint8 childs = sex ? 0 : uint8(random.randomize(_childs +1));
_burn(id_);
delete _issuedLevels[id_];
return callMint(id_, props, sex, power, childs);
}
/**
@notice return max potion level
@return The max potion level (1-based)
*/functiongetMaxLevel() externalviewoverridereturns (uint256) {
return _amounts.length-1;
}
/**
@notice Create the potion by box (rare or not)
@param target The potion owner
@param rare The rarity sign
@param id_ The id of a new token
@return The new pack id
*/functioncreate(address target,
bool rare,
uint256 id_
) externaloverrideonlyBoxreturns (uint256) {
uint256 level_ = _amounts.length-1;
if (!rare) {
level_ = _random.distributeRandom(_unissued, _amounts);
require(_amounts[level_] >0, TRY_AGAIN);
_amounts[level_] = _amounts[level_] -1;
}
require(_amounts[level_] >0, SOLD_OUT);
_total[level_] = _total[level_] +1;
return _create(target, level_ +1, id_);
}
/**
@notice Create the packed potion with desired level (admin only)
@param target The pack owner
@param level_ The pack level
@param id_ The id of a new token
@return The new pack id
*/functioncreatePotion(address target,
uint256 level_,
uint256 id_
) externaloverridehaveRightsreturns (uint256) {
require(level_ >0, NO_ZERO_LEVEL);
require(_unissued >0, SOLD_OUT);
require(_amounts[level_ -1] >0, SOLD_OUT);
_amounts[level_ -1] = _amounts[level_ -1] -1;
_unissued = _unissued -1;
uint256 created = _create(target, level_, id_);
_last[target] = created;
return created;
}
/**
@notice get the last pack for the address
@param target The owner
@return The pack id
*/functiongetLast(address target) externalviewoverridereturns (uint256) {
return _last[target];
}
/**
@notice Decrease the amount of the common or rare tokens or fails
*/functiondecreaseAmount(bool rare)
externaloverrideonlyBoxreturns (bool)
{
if(_unissued ==0) returnfalse;
if (rare) {
uint256 aLevel = _amounts.length-1;
if(_amounts[aLevel] ==0) returnfalse;
_amounts[aLevel] = _amounts[aLevel] -1;
}
_unissued = _unissued -1;
returntrue;
}
functionsupportsInterface(bytes4 interfaceId)
publicviewvirtualoverride(IERC165, ERC2981, ERC721)
returns (bool)
{
returnsuper.supportsInterface(interfaceId);
}
/**
* @dev Returns the Uniform Resource Identifier (URI) for `tokenId` token.
*/functiontokenURI(uint256 id_)
publicviewoverride(ERC721, IERC721Metadata)
correctId(id_)
returns (stringmemory)
{
uint256 level_ = _issuedLevels[id_];
if (keccak256(bytes(_tokensHashes[id_])) == ZERO_STRING) {
returnstring(
abi.encodePacked(
IPFS_PREFIX,
PLACEHOLDERS_META_HASH,
"/po/",
level_.toString(),
"/meta.json"
)
);
} else {
returnstring(abi.encodePacked(IPFS_PREFIX, _tokensHashes[id_]));
}
}
/**
@notice Set an uri for the token
@param id_ token id
@param metadataHash_ ipfs hash of the metadata
*/functionsetMetadataHash(uint256 id_, stringcalldata metadataHash_)
externaloverridehaveRightscorrectId(id_)
{
require(
keccak256(bytes(_tokensHashes[id_])) == ZERO_STRING,
ALREADY_SET
);
require(
!_usedMetadata[keccak256(bytes(metadataHash_))],
META_ALREADY_USED
);
_usedMetadata[keccak256(bytes(metadataHash_))] =true;
_tokensHashes[id_] = metadataHash_;
emit TokenUriDefined(
id_,
string(abi.encodePacked(IPFS_PREFIX, metadataHash_))
);
}
}
Contract Source Code
File 27 of 28: Strings.sol
// SPDX-License-Identifier: MIT// OpenZeppelin Contracts v4.4.1 (utils/Strings.sol)pragmasolidity ^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);
}
}