Transaction Hash:
Block:
21127552 at Nov-06-2024 08:55:11 AM +UTC
Transaction Fee:
0.006853349941303762 ETH
$17.56
Gas Used:
362,774 Gas / 18.891513563 Gwei
Emitted Events:
449 |
TITANX.Transfer( from=[Sender] 0x839551fb535a68af214a328c7e71ab35b29385c7, to=[Receiver] FeeTokenMinter, value=50000000000000000000000000 )
|
450 |
FeeTokenMinter.VestStarted( beneficiary=[Sender] 0x839551fb535a68af214a328c7e71ab35b29385c7, value=5630099401788827346947, duration=31449600, entryID=2332, referrer=0x75C26b2b...17EcF9062 )
|
451 |
FeeTokenMinter.Deposit( account=[Sender] 0x839551fb535a68af214a328c7e71ab35b29385c7, deposit=50000000000000000000000000, referrer=0x75C26b2b...17EcF9062, mintableFeeTokens=5630099401788827346947 )
|
Account State Difference:
Address | Before | After | State Difference | ||
---|---|---|---|---|---|
0x4838B106...B0BAD5f97
Miner
| (Titan Builder) | 14.67169297226056293 Eth | 14.671871851868977198 Eth | 0.000178879608414268 | |
0x4C93D638...6e278622B | |||||
0x839551fb...5b29385c7 |
0.010935291123306948 Eth
Nonce: 1385
|
0.004081941182003186 Eth
Nonce: 1386
| 0.006853349941303762 | ||
0xF19308F9...BEC6665B1 |
Execution Trace
FeeTokenMinter.deposit( _deposit=50000000000000000000000000, referredBy=0x75C26b2b971Ac740D2029575384e82017EcF9062 )
-
TITANX.transferFrom( from=0x839551fb535A68aF214a328C7e71aB35b29385c7, to=0x4C93D6380D22C44850Bdfa569Df5dD96e278622B, amount=50000000000000000000000000 ) => ( True )
deposit[FeeTokenMinter (ln:2827)]
CannotDepositZero[FeeTokenMinter (ln:2828)]
transferFrom[FeeTokenMinter (ln:2829)]
FailedToTransferDepositToken[FeeTokenMinter (ln:2829)]
calculateReturn[FeeTokenMinter (ln:2830)]
DepositResultsInZeroFeeTokensMinted[FeeTokenMinter (ln:2831)]
_appendVestingEntry[FeeTokenMinter (ln:2838)]
VestingEntry[FeeTokenMinter (ln:2985)]
push[FeeTokenMinter (ln:3002)]
push[FeeTokenMinter (ln:3004)]
VestStarted[FeeTokenMinter (ln:3005)]
Deposit[FeeTokenMinter (ln:2839)]
File 1 of 2: FeeTokenMinter
File 2 of 2: TITANX
// SPDX-License-Identifier: MIT // OpenZeppelin Contracts (last updated v4.9.0) (access/Ownable.sol) pragma solidity ^0.8.0; import "../utils/Context.sol"; /** * @dev Contract module which provides a basic access control mechanism, where * there is an account (an owner) that can be granted exclusive access to * specific functions. * * By default, the owner account will be the one that deploys the contract. This * can later be changed with {transferOwnership}. * * This module is used through inheritance. It will make available the modifier * `onlyOwner`, which can be applied to your functions to restrict their use to * the owner. */ abstract contract Ownable is Context { address private _owner; event OwnershipTransferred(address indexed previousOwner, address indexed newOwner); /** * @dev Initializes the contract setting the deployer as the initial owner. */ constructor() { _transferOwnership(_msgSender()); } /** * @dev Throws if called by any account other than the owner. */ modifier onlyOwner() { _checkOwner(); _; } /** * @dev Returns the address of the current owner. */ function owner() public view virtual returns (address) { return _owner; } /** * @dev Throws if the sender is not the owner. */ function _checkOwner() internal view virtual { require(owner() == _msgSender(), "Ownable: caller is not the owner"); } /** * @dev Leaves the contract without owner. It will not be possible to call * `onlyOwner` functions. Can only be called by the current owner. * * NOTE: Renouncing ownership will leave the contract without an owner, * thereby disabling any functionality that is only available to the owner. */ function renounceOwnership() public virtual onlyOwner { _transferOwnership(address(0)); } /** * @dev Transfers ownership of the contract to a new account (`newOwner`). * Can only be called by the current owner. */ function transferOwnership(address newOwner) public virtual onlyOwner { require(newOwner != address(0), "Ownable: new owner is the zero address"); _transferOwnership(newOwner); } /** * @dev Transfers ownership of the contract to a new account (`newOwner`). * Internal function without access restriction. */ function _transferOwnership(address newOwner) internal virtual { address oldOwner = _owner; _owner = newOwner; emit OwnershipTransferred(oldOwner, newOwner); } } // SPDX-License-Identifier: MIT // OpenZeppelin Contracts (last updated v4.9.0) (interfaces/IERC2612.sol) pragma solidity ^0.8.0; import "../token/ERC20/extensions/IERC20Permit.sol"; interface IERC2612 is IERC20Permit {} // SPDX-License-Identifier: MIT // OpenZeppelin Contracts (last updated v4.9.0) (security/ReentrancyGuard.sol) pragma solidity ^0.8.0; /** * @dev Contract module that helps prevent reentrant calls to a function. * * Inheriting from `ReentrancyGuard` will make the {nonReentrant} modifier * available, which can be applied to functions to make sure there are no nested * (reentrant) calls to them. * * Note that because there is a single `nonReentrant` guard, functions marked as * `nonReentrant` may not call one another. This can be worked around by making * those functions `private`, and then adding `external` `nonReentrant` entry * points to them. * * TIP: If you would like to learn more about reentrancy and alternative ways * to protect against it, check out our blog post * https://blog.openzeppelin.com/reentrancy-after-istanbul/[Reentrancy After Istanbul]. */ abstract contract ReentrancyGuard { // Booleans are more expensive than uint256 or any type that takes up a full // word because each write operation emits an extra SLOAD to first read the // slot's contents, replace the bits taken up by the boolean, and then write // back. This is the compiler's defense against contract upgrades and // pointer aliasing, and it cannot be disabled. // The values being non-zero value makes deployment a bit more expensive, // but in exchange the refund on every call to nonReentrant will be lower in // amount. Since refunds are capped to a percentage of the total // transaction's gas, it is best to keep them low in cases like this one, to // increase the likelihood of the full refund coming into effect. uint256 private constant _NOT_ENTERED = 1; uint256 private constant _ENTERED = 2; uint256 private _status; constructor() { _status = _NOT_ENTERED; } /** * @dev Prevents a contract from calling itself, directly or indirectly. * Calling a `nonReentrant` function from another `nonReentrant` * function is not supported. It is possible to prevent this from happening * by making the `nonReentrant` function external, and making it call a * `private` function that does the actual work. */ modifier nonReentrant() { _nonReentrantBefore(); _; _nonReentrantAfter(); } function _nonReentrantBefore() private { // On the first call to nonReentrant, _status will be _NOT_ENTERED require(_status != _ENTERED, "ReentrancyGuard: reentrant call"); // Any calls to nonReentrant after this point will fail _status = _ENTERED; } function _nonReentrantAfter() private { // By storing the original value once again, a refund is triggered (see // https://eips.ethereum.org/EIPS/eip-2200) _status = _NOT_ENTERED; } /** * @dev Returns true if the reentrancy guard is currently set to "entered", which indicates there is a * `nonReentrant` function in the call stack. */ function _reentrancyGuardEntered() internal view returns (bool) { return _status == _ENTERED; } } // SPDX-License-Identifier: MIT // OpenZeppelin Contracts (last updated v4.9.4) (token/ERC20/extensions/IERC20Permit.sol) pragma solidity ^0.8.0; /** * @dev Interface of the ERC20 Permit extension allowing approvals to be made via signatures, as defined in * https://eips.ethereum.org/EIPS/eip-2612[EIP-2612]. * * Adds the {permit} method, which can be used to change an account's ERC20 allowance (see {IERC20-allowance}) by * presenting a message signed by the account. By not relying on {IERC20-approve}, the token holder account doesn't * need to send a transaction, and thus is not required to hold Ether at all. * * ==== Security Considerations * * There are two important considerations concerning the use of `permit`. The first is that a valid permit signature * expresses an allowance, and it should not be assumed to convey additional meaning. In particular, it should not be * considered as an intention to spend the allowance in any specific way. The second is that because permits have * built-in replay protection and can be submitted by anyone, they can be frontrun. A protocol that uses permits should * take this into consideration and allow a `permit` call to fail. Combining these two aspects, a pattern that may be * generally recommended is: * * ```solidity * function doThingWithPermit(..., uint256 value, uint256 deadline, uint8 v, bytes32 r, bytes32 s) public { * try token.permit(msg.sender, address(this), value, deadline, v, r, s) {} catch {} * doThing(..., value); * } * * function doThing(..., uint256 value) public { * token.safeTransferFrom(msg.sender, address(this), value); * ... * } * ``` * * Observe that: 1) `msg.sender` is used as the owner, leaving no ambiguity as to the signer intent, and 2) the use of * `try/catch` allows the permit to fail and makes the code tolerant to frontrunning. (See also * {SafeERC20-safeTransferFrom}). * * Additionally, note that smart contract wallets (such as Argent or Safe) are not able to produce permit signatures, so * contracts should have entry points that don't rely on permit. */ interface IERC20Permit { /** * @dev Sets `value` as the allowance of `spender` over ``owner``'s tokens, * given ``owner``'s signed approval. * * IMPORTANT: The same issues {IERC20-approve} has related to transaction * ordering also apply here. * * Emits an {Approval} event. * * Requirements: * * - `spender` cannot be the zero address. * - `deadline` must be a timestamp in the future. * - `v`, `r` and `s` must be a valid `secp256k1` signature from `owner` * over the EIP712-formatted function arguments. * - the signature must use ``owner``'s current nonce (see {nonces}). * * For more information on the signature format, see the * https://eips.ethereum.org/EIPS/eip-2612#specification[relevant EIP * section]. * * CAUTION: See Security Considerations above. */ function permit( address owner, address spender, uint256 value, uint256 deadline, uint8 v, bytes32 r, bytes32 s ) external; /** * @dev Returns the current nonce for `owner`. This value must be * included whenever a signature is generated for {permit}. * * Every successful call to {permit} increases ``owner``'s nonce by one. This * prevents a signature from being used multiple times. */ function nonces(address owner) external view returns (uint256); /** * @dev Returns the domain separator used in the encoding of the signature for {permit}, as defined by {EIP712}. */ // solhint-disable-next-line func-name-mixedcase function DOMAIN_SEPARATOR() external view returns (bytes32); } // SPDX-License-Identifier: MIT // OpenZeppelin Contracts (last updated v4.9.0) (token/ERC20/IERC20.sol) pragma solidity ^0.8.0; /** * @dev Interface of the ERC20 standard as defined in the EIP. */ interface IERC20 { /** * @dev Emitted when `value` tokens are moved from one account (`from`) to * another (`to`). * * Note that `value` may be zero. */ event Transfer(address indexed from, address indexed to, uint256 value); /** * @dev Emitted when the allowance of a `spender` for an `owner` is set by * a call to {approve}. `value` is the new allowance. */ event Approval(address indexed owner, address indexed spender, uint256 value); /** * @dev Returns the amount of tokens in existence. */ function totalSupply() external view returns (uint256); /** * @dev Returns the amount of tokens owned by `account`. */ function balanceOf(address account) external view returns (uint256); /** * @dev Moves `amount` tokens from the caller's account to `to`. * * Returns a boolean value indicating whether the operation succeeded. * * Emits a {Transfer} event. */ function transfer(address to, uint256 amount) external returns (bool); /** * @dev Returns the remaining number of tokens that `spender` will be * allowed to spend on behalf of `owner` through {transferFrom}. This is * zero by default. * * This value changes when {approve} or {transferFrom} are called. */ function allowance(address owner, address spender) external view returns (uint256); /** * @dev Sets `amount` as the allowance of `spender` over the caller's tokens. * * Returns a boolean value indicating whether the operation succeeded. * * IMPORTANT: Beware that changing an allowance with this method brings the risk * that someone may use both the old and the new allowance by unfortunate * transaction ordering. One possible solution to mitigate this race * condition is to first reduce the spender's allowance to 0 and set the * desired value afterwards: * https://github.com/ethereum/EIPs/issues/20#issuecomment-263524729 * * Emits an {Approval} event. */ function approve(address spender, uint256 amount) external returns (bool); /** * @dev Moves `amount` tokens from `from` to `to` using the * allowance mechanism. `amount` is then deducted from the caller's * allowance. * * Returns a boolean value indicating whether the operation succeeded. * * Emits a {Transfer} event. */ function transferFrom(address from, address to, uint256 amount) external returns (bool); } // SPDX-License-Identifier: MIT // OpenZeppelin Contracts (last updated v4.5.0) (token/ERC721/extensions/IERC721Enumerable.sol) pragma solidity ^0.8.0; import "../IERC721.sol"; /** * @title ERC-721 Non-Fungible Token Standard, optional enumeration extension * @dev See https://eips.ethereum.org/EIPS/eip-721 */ interface IERC721Enumerable is IERC721 { /** * @dev Returns the total amount of tokens stored by the contract. */ function totalSupply() external view returns (uint256); /** * @dev Returns a token ID owned by `owner` at a given `index` of its token list. * Use along with {balanceOf} to enumerate all of ``owner``'s tokens. */ function tokenOfOwnerByIndex(address owner, uint256 index) external view returns (uint256); /** * @dev Returns a token ID at a given `index` of all the tokens stored by the contract. * Use along with {totalSupply} to enumerate all tokens. */ function tokenByIndex(uint256 index) external view returns (uint256); } // SPDX-License-Identifier: MIT // OpenZeppelin Contracts v4.4.1 (token/ERC721/extensions/IERC721Metadata.sol) pragma solidity ^0.8.0; import "../IERC721.sol"; /** * @title ERC-721 Non-Fungible Token Standard, optional metadata extension * @dev See https://eips.ethereum.org/EIPS/eip-721 */ interface IERC721Metadata is IERC721 { /** * @dev Returns the token collection name. */ function name() external view returns (string memory); /** * @dev Returns the token collection symbol. */ function symbol() external view returns (string memory); /** * @dev Returns the Uniform Resource Identifier (URI) for `tokenId` token. */ function tokenURI(uint256 tokenId) external view returns (string memory); } // SPDX-License-Identifier: MIT // OpenZeppelin Contracts (last updated v4.9.0) (token/ERC721/IERC721.sol) pragma solidity ^0.8.0; import "../../utils/introspection/IERC165.sol"; /** * @dev Required interface of an ERC721 compliant contract. */ interface IERC721 is IERC165 { /** * @dev Emitted when `tokenId` token is transferred from `from` to `to`. */ event Transfer(address indexed from, address indexed to, uint256 indexed tokenId); /** * @dev Emitted when `owner` enables `approved` to manage the `tokenId` token. */ event Approval(address indexed owner, address indexed approved, uint256 indexed tokenId); /** * @dev Emitted when `owner` enables or disables (`approved`) `operator` to manage all of its assets. */ event ApprovalForAll(address indexed owner, address indexed operator, bool approved); /** * @dev Returns the number of tokens in ``owner``'s account. */ function balanceOf(address owner) external view returns (uint256 balance); /** * @dev Returns the owner of the `tokenId` token. * * Requirements: * * - `tokenId` must exist. */ function ownerOf(uint256 tokenId) external view returns (address owner); /** * @dev Safely transfers `tokenId` token from `from` to `to`. * * Requirements: * * - `from` cannot be the zero address. * - `to` cannot be the zero address. * - `tokenId` token must exist and be owned by `from`. * - If the caller is not `from`, it must be approved to move this token by either {approve} or {setApprovalForAll}. * - If `to` refers to a smart contract, it must implement {IERC721Receiver-onERC721Received}, which is called upon a safe transfer. * * Emits a {Transfer} event. */ function safeTransferFrom(address from, address to, uint256 tokenId, bytes calldata data) external; /** * @dev Safely transfers `tokenId` token from `from` to `to`, checking first that contract recipients * are aware of the ERC721 protocol to prevent tokens from being forever locked. * * Requirements: * * - `from` cannot be the zero address. * - `to` cannot be the zero address. * - `tokenId` token must exist and be owned by `from`. * - If the caller is not `from`, it must have been allowed to move this token by either {approve} or {setApprovalForAll}. * - If `to` refers to a smart contract, it must implement {IERC721Receiver-onERC721Received}, which is called upon a safe transfer. * * Emits a {Transfer} event. */ function safeTransferFrom(address from, address to, uint256 tokenId) external; /** * @dev Transfers `tokenId` token from `from` to `to`. * * WARNING: Note that the caller is responsible to confirm that the recipient is capable of receiving ERC721 * or else they may be permanently lost. Usage of {safeTransferFrom} prevents loss, though the caller must * understand this adds an external call which potentially creates a reentrancy vulnerability. * * Requirements: * * - `from` cannot be the zero address. * - `to` cannot be the zero address. * - `tokenId` token must be owned by `from`. * - If the caller is not `from`, it must be approved to move this token by either {approve} or {setApprovalForAll}. * * Emits a {Transfer} event. */ function transferFrom(address from, address to, uint256 tokenId) external; /** * @dev Gives permission to `to` to transfer `tokenId` token to another account. * The approval is cleared when the token is transferred. * * Only a single account can be approved at a time, so approving the zero address clears previous approvals. * * Requirements: * * - The caller must own the token or be an approved operator. * - `tokenId` must exist. * * Emits an {Approval} event. */ function approve(address to, uint256 tokenId) external; /** * @dev Approve or remove `operator` as an operator for the caller. * Operators can call {transferFrom} or {safeTransferFrom} for any token owned by the caller. * * Requirements: * * - The `operator` cannot be the caller. * * Emits an {ApprovalForAll} event. */ function setApprovalForAll(address operator, bool approved) external; /** * @dev Returns the account approved for `tokenId` token. * * Requirements: * * - `tokenId` must exist. */ function getApproved(uint256 tokenId) external view returns (address operator); /** * @dev Returns if the `operator` is allowed to manage all of the assets of `owner`. * * See {setApprovalForAll} */ function isApprovedForAll(address owner, address operator) external view returns (bool); } // SPDX-License-Identifier: MIT // OpenZeppelin Contracts (last updated v4.9.0) (utils/Address.sol) pragma solidity ^0.8.1; /** * @dev Collection of functions related to the address type */ library Address { /** * @dev Returns true if `account` is a contract. * * [IMPORTANT] * ==== * It is unsafe to assume that an address for which this function returns * false is an externally-owned account (EOA) and not a contract. * * Among others, `isContract` will return false for the following * types of addresses: * * - an externally-owned account * - a contract in construction * - an address where a contract will be created * - an address where a contract lived, but was destroyed * * Furthermore, `isContract` will also return true if the target contract within * the same transaction is already scheduled for destruction by `SELFDESTRUCT`, * which only has an effect at the end of a transaction. * ==== * * [IMPORTANT] * ==== * You shouldn't rely on `isContract` to protect against flash loan attacks! * * Preventing calls from contracts is highly discouraged. It breaks composability, breaks support for smart wallets * like Gnosis Safe, and does not provide security since it can be circumvented by calling from a contract * constructor. * ==== */ function isContract(address account) internal view returns (bool) { // This method relies on extcodesize/address.code.length, which returns 0 // for contracts in construction, since the code is only stored at the end // of the constructor execution. return account.code.length > 0; } /** * @dev Replacement for Solidity's `transfer`: sends `amount` wei to * `recipient`, forwarding all available gas and reverting on errors. * * https://eips.ethereum.org/EIPS/eip-1884[EIP1884] increases the gas cost * of certain opcodes, possibly making contracts go over the 2300 gas limit * imposed by `transfer`, making them unable to receive funds via * `transfer`. {sendValue} removes this limitation. * * https://consensys.net/diligence/blog/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.8.0/security-considerations.html#use-the-checks-effects-interactions-pattern[checks-effects-interactions pattern]. */ function sendValue(address payable recipient, uint256 amount) internal { require(address(this).balance >= amount, "Address: insufficient balance"); (bool success, ) = recipient.call{value: amount}(""); require(success, "Address: unable to send value, recipient may have reverted"); } /** * @dev Performs a Solidity function call using a low level `call`. A * plain `call` is an unsafe replacement for a function call: use this * function instead. * * If `target` reverts with a revert reason, it is bubbled up by this * function (like regular Solidity function calls). * * Returns the raw returned data. To convert to the expected return value, * use https://solidity.readthedocs.io/en/latest/units-and-global-variables.html?highlight=abi.decode#abi-encoding-and-decoding-functions[`abi.decode`]. * * Requirements: * * - `target` must be a contract. * - calling `target` with `data` must not revert. * * _Available since v3.1._ */ function functionCall(address target, bytes memory data) internal returns (bytes memory) { return functionCallWithValue(target, data, 0, "Address: low-level call failed"); } /** * @dev Same as {xref-Address-functionCall-address-bytes-}[`functionCall`], but with * `errorMessage` as a fallback revert reason when `target` reverts. * * _Available since v3.1._ */ function functionCall( address target, bytes memory data, string memory errorMessage ) internal returns (bytes memory) { return functionCallWithValue(target, data, 0, errorMessage); } /** * @dev Same as {xref-Address-functionCall-address-bytes-}[`functionCall`], * but also transferring `value` wei to `target`. * * Requirements: * * - the calling contract must have an ETH balance of at least `value`. * - the called Solidity function must be `payable`. * * _Available since v3.1._ */ function functionCallWithValue(address target, bytes memory data, uint256 value) internal returns (bytes memory) { return functionCallWithValue(target, data, value, "Address: low-level call with value failed"); } /** * @dev Same as {xref-Address-functionCallWithValue-address-bytes-uint256-}[`functionCallWithValue`], but * with `errorMessage` as a fallback revert reason when `target` reverts. * * _Available since v3.1._ */ function functionCallWithValue( address target, bytes memory data, uint256 value, string memory errorMessage ) internal returns (bytes memory) { require(address(this).balance >= value, "Address: insufficient balance for call"); (bool success, bytes memory returndata) = target.call{value: value}(data); return verifyCallResultFromTarget(target, success, returndata, errorMessage); } /** * @dev Same as {xref-Address-functionCall-address-bytes-}[`functionCall`], * but performing a static call. * * _Available since v3.3._ */ function functionStaticCall(address target, bytes memory data) internal view returns (bytes memory) { return functionStaticCall(target, data, "Address: low-level static call failed"); } /** * @dev Same as {xref-Address-functionCall-address-bytes-string-}[`functionCall`], * but performing a static call. * * _Available since v3.3._ */ function functionStaticCall( address target, bytes memory data, string memory errorMessage ) internal view returns (bytes memory) { (bool success, bytes memory returndata) = target.staticcall(data); return verifyCallResultFromTarget(target, success, returndata, errorMessage); } /** * @dev Same as {xref-Address-functionCall-address-bytes-}[`functionCall`], * but performing a delegate call. * * _Available since v3.4._ */ function functionDelegateCall(address target, bytes memory data) internal returns (bytes memory) { return functionDelegateCall(target, data, "Address: low-level delegate call failed"); } /** * @dev Same as {xref-Address-functionCall-address-bytes-string-}[`functionCall`], * but performing a delegate call. * * _Available since v3.4._ */ function functionDelegateCall( address target, bytes memory data, string memory errorMessage ) internal returns (bytes memory) { (bool success, bytes memory returndata) = target.delegatecall(data); return verifyCallResultFromTarget(target, success, returndata, errorMessage); } /** * @dev Tool to verify that a low level call to smart-contract was successful, and revert (either by bubbling * the revert reason or using the provided one) in case of unsuccessful call or if target was not a contract. * * _Available since v4.8._ */ function verifyCallResultFromTarget( address target, bool success, bytes memory returndata, string memory errorMessage ) internal view returns (bytes memory) { if (success) { if (returndata.length == 0) { // only check isContract if the call was successful and the return data is empty // otherwise we already know that it was a contract require(isContract(target), "Address: call to non-contract"); } return returndata; } else { _revert(returndata, errorMessage); } } /** * @dev Tool to verify that a low level call was successful, and revert if it wasn't, either by bubbling the * revert reason or using the provided one. * * _Available since v4.3._ */ function verifyCallResult( bool success, bytes memory returndata, string memory errorMessage ) internal pure returns (bytes memory) { if (success) { return returndata; } else { _revert(returndata, errorMessage); } } function _revert(bytes memory returndata, string memory errorMessage) private pure { // Look for revert reason and bubble it up if present if (returndata.length > 0) { // The easiest way to bubble the revert reason is using memory via assembly /// @solidity memory-safe-assembly assembly { let returndata_size := mload(returndata) revert(add(32, returndata), returndata_size) } } else { revert(errorMessage); } } } // SPDX-License-Identifier: MIT // OpenZeppelin Contracts (last updated v4.9.4) (utils/Context.sol) pragma solidity ^0.8.0; /** * @dev Provides information about the current execution context, including the * sender of the transaction and its data. While these are generally available * via msg.sender and msg.data, they should not be accessed in such a direct * manner, since when dealing with meta-transactions the account sending and * paying for execution may not be the actual sender (as far as an application * is concerned). * * This contract is only required for intermediate, library-like contracts. */ abstract contract Context { function _msgSender() internal view virtual returns (address) { return msg.sender; } function _msgData() internal view virtual returns (bytes calldata) { return msg.data; } function _contextSuffixLength() internal view virtual returns (uint256) { return 0; } } // SPDX-License-Identifier: MIT // OpenZeppelin Contracts v4.4.1 (utils/introspection/IERC165.sol) pragma solidity ^0.8.0; /** * @dev Interface of the ERC165 standard, as defined in the * https://eips.ethereum.org/EIPS/eip-165[EIP]. * * Implementers can declare support of contract interfaces, which can then be * queried by others ({ERC165Checker}). * * For an implementation, see {ERC165}. */ interface IERC165 { /** * @dev Returns true if this contract implements the interface defined by * `interfaceId`. See the corresponding * https://eips.ethereum.org/EIPS/eip-165#how-interfaces-are-identified[EIP section] * to learn more about how these ids are created. * * This function call must use less than 30 000 gas. */ function supportsInterface(bytes4 interfaceId) external view returns (bool); } // SPDX-License-Identifier: MIT // OpenZeppelin Contracts (last updated v4.9.0) (utils/math/Math.sol) pragma solidity ^0.8.0; /** * @dev Standard math utilities missing in the Solidity language. */ library Math { enum Rounding { Down, // Toward negative infinity Up, // Toward infinity Zero // Toward zero } /** * @dev Returns the largest of two numbers. */ function max(uint256 a, uint256 b) internal pure returns (uint256) { return a > b ? a : b; } /** * @dev Returns the smallest of two numbers. */ function min(uint256 a, uint256 b) internal pure returns (uint256) { return a < b ? a : b; } /** * @dev Returns the average of two numbers. The result is rounded towards * zero. */ function average(uint256 a, uint256 b) internal pure returns (uint256) { // (a + b) / 2 can overflow. return (a & b) + (a ^ b) / 2; } /** * @dev Returns the ceiling of the division of two numbers. * * This differs from standard division with `/` in that it rounds up instead * of rounding down. */ function ceilDiv(uint256 a, uint256 b) internal pure returns (uint256) { // (a + b - 1) / b can overflow on addition, so we distribute. return a == 0 ? 0 : (a - 1) / b + 1; } /** * @notice Calculates floor(x * y / denominator) with full precision. Throws if result overflows a uint256 or denominator == 0 * @dev Original credit to Remco Bloemen under MIT license (https://xn--2-umb.com/21/muldiv) * with further edits by Uniswap Labs also under MIT license. */ function mulDiv(uint256 x, uint256 y, uint256 denominator) internal pure returns (uint256 result) { unchecked { // 512-bit multiply [prod1 prod0] = x * y. Compute the product mod 2^256 and mod 2^256 - 1, then use // use the Chinese Remainder Theorem to reconstruct the 512 bit result. The result is stored in two 256 // variables such that product = prod1 * 2^256 + prod0. uint256 prod0; // Least significant 256 bits of the product uint256 prod1; // Most significant 256 bits of the product assembly { let mm := mulmod(x, y, not(0)) prod0 := mul(x, y) prod1 := sub(sub(mm, prod0), lt(mm, prod0)) } // Handle non-overflow cases, 256 by 256 division. if (prod1 == 0) { // Solidity will revert if denominator == 0, unlike the div opcode on its own. // The surrounding unchecked block does not change this fact. // See https://docs.soliditylang.org/en/latest/control-structures.html#checked-or-unchecked-arithmetic. return prod0 / denominator; } // Make sure the result is less than 2^256. Also prevents denominator == 0. require(denominator > prod1, "Math: mulDiv overflow"); /////////////////////////////////////////////// // 512 by 256 division. /////////////////////////////////////////////// // Make division exact by subtracting the remainder from [prod1 prod0]. uint256 remainder; assembly { // Compute remainder using mulmod. remainder := mulmod(x, y, denominator) // Subtract 256 bit number from 512 bit number. prod1 := sub(prod1, gt(remainder, prod0)) prod0 := sub(prod0, remainder) } // Factor powers of two out of denominator and compute largest power of two divisor of denominator. Always >= 1. // See https://cs.stackexchange.com/q/138556/92363. // Does not overflow because the denominator cannot be zero at this stage in the function. uint256 twos = denominator & (~denominator + 1); assembly { // Divide denominator by twos. denominator := div(denominator, twos) // Divide [prod1 prod0] by twos. prod0 := div(prod0, twos) // Flip twos such that it is 2^256 / twos. If twos is zero, then it becomes one. twos := add(div(sub(0, twos), twos), 1) } // Shift in bits from prod1 into prod0. prod0 |= prod1 * twos; // Invert denominator mod 2^256. Now that denominator is an odd number, it has an inverse modulo 2^256 such // that denominator * inv = 1 mod 2^256. Compute the inverse by starting with a seed that is correct for // four bits. That is, denominator * inv = 1 mod 2^4. uint256 inverse = (3 * denominator) ^ 2; // Use the Newton-Raphson iteration to improve the precision. Thanks to Hensel's lifting lemma, this also works // in modular arithmetic, doubling the correct bits in each step. inverse *= 2 - denominator * inverse; // inverse mod 2^8 inverse *= 2 - denominator * inverse; // inverse mod 2^16 inverse *= 2 - denominator * inverse; // inverse mod 2^32 inverse *= 2 - denominator * inverse; // inverse mod 2^64 inverse *= 2 - denominator * inverse; // inverse mod 2^128 inverse *= 2 - denominator * inverse; // inverse mod 2^256 // Because the division is now exact we can divide by multiplying with the modular inverse of denominator. // This will give us the correct result modulo 2^256. Since the preconditions guarantee that the outcome is // less than 2^256, this is the final result. We don't need to compute the high bits of the result and prod1 // is no longer required. result = prod0 * inverse; return result; } } /** * @notice Calculates x * y / denominator with full precision, following the selected rounding direction. */ function mulDiv(uint256 x, uint256 y, uint256 denominator, Rounding rounding) internal pure returns (uint256) { uint256 result = mulDiv(x, y, denominator); if (rounding == Rounding.Up && mulmod(x, y, denominator) > 0) { result += 1; } return result; } /** * @dev Returns the square root of a number. If the number is not a perfect square, the value is rounded down. * * Inspired by Henry S. Warren, Jr.'s "Hacker's Delight" (Chapter 11). */ function sqrt(uint256 a) internal pure returns (uint256) { if (a == 0) { return 0; } // For our first guess, we get the biggest power of 2 which is smaller than the square root of the target. // // We know that the "msb" (most significant bit) of our target number `a` is a power of 2 such that we have // `msb(a) <= a < 2*msb(a)`. This value can be written `msb(a)=2**k` with `k=log2(a)`. // // This can be rewritten `2**log2(a) <= a < 2**(log2(a) + 1)` // → `sqrt(2**k) <= sqrt(a) < sqrt(2**(k+1))` // → `2**(k/2) <= sqrt(a) < 2**((k+1)/2) <= 2**(k/2 + 1)` // // Consequently, `2**(log2(a) / 2)` is a good first approximation of `sqrt(a)` with at least 1 correct bit. uint256 result = 1 << (log2(a) >> 1); // At this point `result` is an estimation with one bit of precision. We know the true value is a uint128, // since it is the square root of a uint256. Newton's method converges quadratically (precision doubles at // every iteration). We thus need at most 7 iteration to turn our partial result with one bit of precision // into the expected uint128 result. unchecked { result = (result + a / result) >> 1; result = (result + a / result) >> 1; result = (result + a / result) >> 1; result = (result + a / result) >> 1; result = (result + a / result) >> 1; result = (result + a / result) >> 1; result = (result + a / result) >> 1; return min(result, a / result); } } /** * @notice Calculates sqrt(a), following the selected rounding direction. */ function sqrt(uint256 a, Rounding rounding) internal pure returns (uint256) { unchecked { uint256 result = sqrt(a); return result + (rounding == Rounding.Up && result * result < a ? 1 : 0); } } /** * @dev Return the log in base 2, rounded down, of a positive value. * Returns 0 if given 0. */ function log2(uint256 value) internal pure returns (uint256) { uint256 result = 0; unchecked { if (value >> 128 > 0) { value >>= 128; result += 128; } if (value >> 64 > 0) { value >>= 64; result += 64; } if (value >> 32 > 0) { value >>= 32; result += 32; } if (value >> 16 > 0) { value >>= 16; result += 16; } if (value >> 8 > 0) { value >>= 8; result += 8; } if (value >> 4 > 0) { value >>= 4; result += 4; } if (value >> 2 > 0) { value >>= 2; result += 2; } if (value >> 1 > 0) { result += 1; } } return result; } /** * @dev Return the log in base 2, following the selected rounding direction, of a positive value. * Returns 0 if given 0. */ function log2(uint256 value, Rounding rounding) internal pure returns (uint256) { unchecked { uint256 result = log2(value); return result + (rounding == Rounding.Up && 1 << result < value ? 1 : 0); } } /** * @dev Return the log in base 10, rounded down, of a positive value. * Returns 0 if given 0. */ function log10(uint256 value) internal pure returns (uint256) { uint256 result = 0; unchecked { if (value >= 10 ** 64) { value /= 10 ** 64; result += 64; } if (value >= 10 ** 32) { value /= 10 ** 32; result += 32; } if (value >= 10 ** 16) { value /= 10 ** 16; result += 16; } if (value >= 10 ** 8) { value /= 10 ** 8; result += 8; } if (value >= 10 ** 4) { value /= 10 ** 4; result += 4; } if (value >= 10 ** 2) { value /= 10 ** 2; result += 2; } if (value >= 10 ** 1) { result += 1; } } return result; } /** * @dev Return the log in base 10, following the selected rounding direction, of a positive value. * Returns 0 if given 0. */ function log10(uint256 value, Rounding rounding) internal pure returns (uint256) { unchecked { uint256 result = log10(value); return result + (rounding == Rounding.Up && 10 ** result < value ? 1 : 0); } } /** * @dev Return the log in base 256, rounded down, of a positive value. * Returns 0 if given 0. * * Adding one to the result gives the number of pairs of hex symbols needed to represent `value` as a hex string. */ function log256(uint256 value) internal pure returns (uint256) { uint256 result = 0; unchecked { if (value >> 128 > 0) { value >>= 128; result += 16; } if (value >> 64 > 0) { value >>= 64; result += 8; } if (value >> 32 > 0) { value >>= 32; result += 4; } if (value >> 16 > 0) { value >>= 16; result += 2; } if (value >> 8 > 0) { result += 1; } } return result; } /** * @dev Return the log in base 256, following the selected rounding direction, of a positive value. * Returns 0 if given 0. */ function log256(uint256 value, Rounding rounding) internal pure returns (uint256) { unchecked { uint256 result = log256(value); return result + (rounding == Rounding.Up && 1 << (result << 3) < value ? 1 : 0); } } } // SPDX-License-Identifier: GPL-2.0-or-later pragma solidity >=0.5.0; /// @title Callback for IUniswapV3PoolActions#swap /// @notice Any contract that calls IUniswapV3PoolActions#swap must implement this interface interface IUniswapV3SwapCallback { /// @notice Called to `msg.sender` after executing a swap via IUniswapV3Pool#swap. /// @dev In the implementation you must pay the pool tokens owed for the swap. /// The caller of this method must be checked to be a UniswapV3Pool deployed by the canonical UniswapV3Factory. /// amount0Delta and amount1Delta can both be 0 if no tokens were swapped. /// @param amount0Delta The amount of token0 that was sent (negative) or must be received (positive) by the pool by /// the end of the swap. If positive, the callback must send that amount of token0 to the pool. /// @param amount1Delta The amount of token1 that was sent (negative) or must be received (positive) by the pool by /// the end of the swap. If positive, the callback must send that amount of token1 to the pool. /// @param data Any data passed through by the caller via the IUniswapV3PoolActions#swap call function uniswapV3SwapCallback( int256 amount0Delta, int256 amount1Delta, bytes calldata data ) external; } // SPDX-License-Identifier: GPL-2.0-or-later pragma solidity >=0.5.0; import './pool/IUniswapV3PoolImmutables.sol'; import './pool/IUniswapV3PoolState.sol'; import './pool/IUniswapV3PoolDerivedState.sol'; import './pool/IUniswapV3PoolActions.sol'; import './pool/IUniswapV3PoolOwnerActions.sol'; import './pool/IUniswapV3PoolEvents.sol'; /// @title The interface for a Uniswap V3 Pool /// @notice A Uniswap pool facilitates swapping and automated market making between any two assets that strictly conform /// to the ERC20 specification /// @dev The pool interface is broken up into many smaller pieces interface IUniswapV3Pool is IUniswapV3PoolImmutables, IUniswapV3PoolState, IUniswapV3PoolDerivedState, IUniswapV3PoolActions, IUniswapV3PoolOwnerActions, IUniswapV3PoolEvents { } // SPDX-License-Identifier: GPL-2.0-or-later pragma solidity >=0.5.0; /// @title Permissionless pool actions /// @notice Contains pool methods that can be called by anyone interface IUniswapV3PoolActions { /// @notice Sets the initial price for the pool /// @dev Price is represented as a sqrt(amountToken1/amountToken0) Q64.96 value /// @param sqrtPriceX96 the initial sqrt price of the pool as a Q64.96 function initialize(uint160 sqrtPriceX96) external; /// @notice Adds liquidity for the given recipient/tickLower/tickUpper position /// @dev The caller of this method receives a callback in the form of IUniswapV3MintCallback#uniswapV3MintCallback /// in which they must pay any token0 or token1 owed for the liquidity. The amount of token0/token1 due depends /// on tickLower, tickUpper, the amount of liquidity, and the current price. /// @param recipient The address for which the liquidity will be created /// @param tickLower The lower tick of the position in which to add liquidity /// @param tickUpper The upper tick of the position in which to add liquidity /// @param amount The amount of liquidity to mint /// @param data Any data that should be passed through to the callback /// @return amount0 The amount of token0 that was paid to mint the given amount of liquidity. Matches the value in the callback /// @return amount1 The amount of token1 that was paid to mint the given amount of liquidity. Matches the value in the callback function mint( address recipient, int24 tickLower, int24 tickUpper, uint128 amount, bytes calldata data ) external returns (uint256 amount0, uint256 amount1); /// @notice Collects tokens owed to a position /// @dev Does not recompute fees earned, which must be done either via mint or burn of any amount of liquidity. /// Collect must be called by the position owner. To withdraw only token0 or only token1, amount0Requested or /// amount1Requested may be set to zero. To withdraw all tokens owed, caller may pass any value greater than the /// actual tokens owed, e.g. type(uint128).max. Tokens owed may be from accumulated swap fees or burned liquidity. /// @param recipient The address which should receive the fees collected /// @param tickLower The lower tick of the position for which to collect fees /// @param tickUpper The upper tick of the position for which to collect fees /// @param amount0Requested How much token0 should be withdrawn from the fees owed /// @param amount1Requested How much token1 should be withdrawn from the fees owed /// @return amount0 The amount of fees collected in token0 /// @return amount1 The amount of fees collected in token1 function collect( address recipient, int24 tickLower, int24 tickUpper, uint128 amount0Requested, uint128 amount1Requested ) external returns (uint128 amount0, uint128 amount1); /// @notice Burn liquidity from the sender and account tokens owed for the liquidity to the position /// @dev Can be used to trigger a recalculation of fees owed to a position by calling with an amount of 0 /// @dev Fees must be collected separately via a call to #collect /// @param tickLower The lower tick of the position for which to burn liquidity /// @param tickUpper The upper tick of the position for which to burn liquidity /// @param amount How much liquidity to burn /// @return amount0 The amount of token0 sent to the recipient /// @return amount1 The amount of token1 sent to the recipient function burn( int24 tickLower, int24 tickUpper, uint128 amount ) external returns (uint256 amount0, uint256 amount1); /// @notice Swap token0 for token1, or token1 for token0 /// @dev The caller of this method receives a callback in the form of IUniswapV3SwapCallback#uniswapV3SwapCallback /// @param recipient The address to receive the output of the swap /// @param zeroForOne The direction of the swap, true for token0 to token1, false for token1 to token0 /// @param amountSpecified The amount of the swap, which implicitly configures the swap as exact input (positive), or exact output (negative) /// @param sqrtPriceLimitX96 The Q64.96 sqrt price limit. If zero for one, the price cannot be less than this /// value after the swap. If one for zero, the price cannot be greater than this value after the swap /// @param data Any data to be passed through to the callback /// @return amount0 The delta of the balance of token0 of the pool, exact when negative, minimum when positive /// @return amount1 The delta of the balance of token1 of the pool, exact when negative, minimum when positive function swap( address recipient, bool zeroForOne, int256 amountSpecified, uint160 sqrtPriceLimitX96, bytes calldata data ) external returns (int256 amount0, int256 amount1); /// @notice Receive token0 and/or token1 and pay it back, plus a fee, in the callback /// @dev The caller of this method receives a callback in the form of IUniswapV3FlashCallback#uniswapV3FlashCallback /// @dev Can be used to donate underlying tokens pro-rata to currently in-range liquidity providers by calling /// with 0 amount{0,1} and sending the donation amount(s) from the callback /// @param recipient The address which will receive the token0 and token1 amounts /// @param amount0 The amount of token0 to send /// @param amount1 The amount of token1 to send /// @param data Any data to be passed through to the callback function flash( address recipient, uint256 amount0, uint256 amount1, bytes calldata data ) external; /// @notice Increase the maximum number of price and liquidity observations that this pool will store /// @dev This method is no-op if the pool already has an observationCardinalityNext greater than or equal to /// the input observationCardinalityNext. /// @param observationCardinalityNext The desired minimum number of observations for the pool to store function increaseObservationCardinalityNext(uint16 observationCardinalityNext) external; } // SPDX-License-Identifier: GPL-2.0-or-later pragma solidity >=0.5.0; /// @title Pool state that is not stored /// @notice Contains view functions to provide information about the pool that is computed rather than stored on the /// blockchain. The functions here may have variable gas costs. interface IUniswapV3PoolDerivedState { /// @notice Returns the cumulative tick and liquidity as of each timestamp `secondsAgo` from the current block timestamp /// @dev To get a time weighted average tick or liquidity-in-range, you must call this with two values, one representing /// the beginning of the period and another for the end of the period. E.g., to get the last hour time-weighted average tick, /// you must call it with secondsAgos = [3600, 0]. /// @dev The time weighted average tick represents the geometric time weighted average price of the pool, in /// log base sqrt(1.0001) of token1 / token0. The TickMath library can be used to go from a tick value to a ratio. /// @param secondsAgos From how long ago each cumulative tick and liquidity value should be returned /// @return tickCumulatives Cumulative tick values as of each `secondsAgos` from the current block timestamp /// @return secondsPerLiquidityCumulativeX128s Cumulative seconds per liquidity-in-range value as of each `secondsAgos` from the current block /// timestamp function observe(uint32[] calldata secondsAgos) external view returns (int56[] memory tickCumulatives, uint160[] memory secondsPerLiquidityCumulativeX128s); /// @notice Returns a snapshot of the tick cumulative, seconds per liquidity and seconds inside a tick range /// @dev Snapshots must only be compared to other snapshots, taken over a period for which a position existed. /// I.e., snapshots cannot be compared if a position is not held for the entire period between when the first /// snapshot is taken and the second snapshot is taken. /// @param tickLower The lower tick of the range /// @param tickUpper The upper tick of the range /// @return tickCumulativeInside The snapshot of the tick accumulator for the range /// @return secondsPerLiquidityInsideX128 The snapshot of seconds per liquidity for the range /// @return secondsInside The snapshot of seconds per liquidity for the range function snapshotCumulativesInside(int24 tickLower, int24 tickUpper) external view returns ( int56 tickCumulativeInside, uint160 secondsPerLiquidityInsideX128, uint32 secondsInside ); } // SPDX-License-Identifier: GPL-2.0-or-later pragma solidity >=0.5.0; /// @title Events emitted by a pool /// @notice Contains all events emitted by the pool interface IUniswapV3PoolEvents { /// @notice Emitted exactly once by a pool when #initialize is first called on the pool /// @dev Mint/Burn/Swap cannot be emitted by the pool before Initialize /// @param sqrtPriceX96 The initial sqrt price of the pool, as a Q64.96 /// @param tick The initial tick of the pool, i.e. log base 1.0001 of the starting price of the pool event Initialize(uint160 sqrtPriceX96, int24 tick); /// @notice Emitted when liquidity is minted for a given position /// @param sender The address that minted the liquidity /// @param owner The owner of the position and recipient of any minted liquidity /// @param tickLower The lower tick of the position /// @param tickUpper The upper tick of the position /// @param amount The amount of liquidity minted to the position range /// @param amount0 How much token0 was required for the minted liquidity /// @param amount1 How much token1 was required for the minted liquidity event Mint( address sender, address indexed owner, int24 indexed tickLower, int24 indexed tickUpper, uint128 amount, uint256 amount0, uint256 amount1 ); /// @notice Emitted when fees are collected by the owner of a position /// @dev Collect events may be emitted with zero amount0 and amount1 when the caller chooses not to collect fees /// @param owner The owner of the position for which fees are collected /// @param tickLower The lower tick of the position /// @param tickUpper The upper tick of the position /// @param amount0 The amount of token0 fees collected /// @param amount1 The amount of token1 fees collected event Collect( address indexed owner, address recipient, int24 indexed tickLower, int24 indexed tickUpper, uint128 amount0, uint128 amount1 ); /// @notice Emitted when a position's liquidity is removed /// @dev Does not withdraw any fees earned by the liquidity position, which must be withdrawn via #collect /// @param owner The owner of the position for which liquidity is removed /// @param tickLower The lower tick of the position /// @param tickUpper The upper tick of the position /// @param amount The amount of liquidity to remove /// @param amount0 The amount of token0 withdrawn /// @param amount1 The amount of token1 withdrawn event Burn( address indexed owner, int24 indexed tickLower, int24 indexed tickUpper, uint128 amount, uint256 amount0, uint256 amount1 ); /// @notice Emitted by the pool for any swaps between token0 and token1 /// @param sender The address that initiated the swap call, and that received the callback /// @param recipient The address that received the output of the swap /// @param amount0 The delta of the token0 balance of the pool /// @param amount1 The delta of the token1 balance of the pool /// @param sqrtPriceX96 The sqrt(price) of the pool after the swap, as a Q64.96 /// @param liquidity The liquidity of the pool after the swap /// @param tick The log base 1.0001 of price of the pool after the swap event Swap( address indexed sender, address indexed recipient, int256 amount0, int256 amount1, uint160 sqrtPriceX96, uint128 liquidity, int24 tick ); /// @notice Emitted by the pool for any flashes of token0/token1 /// @param sender The address that initiated the swap call, and that received the callback /// @param recipient The address that received the tokens from flash /// @param amount0 The amount of token0 that was flashed /// @param amount1 The amount of token1 that was flashed /// @param paid0 The amount of token0 paid for the flash, which can exceed the amount0 plus the fee /// @param paid1 The amount of token1 paid for the flash, which can exceed the amount1 plus the fee event Flash( address indexed sender, address indexed recipient, uint256 amount0, uint256 amount1, uint256 paid0, uint256 paid1 ); /// @notice Emitted by the pool for increases to the number of observations that can be stored /// @dev observationCardinalityNext is not the observation cardinality until an observation is written at the index /// just before a mint/swap/burn. /// @param observationCardinalityNextOld The previous value of the next observation cardinality /// @param observationCardinalityNextNew The updated value of the next observation cardinality event IncreaseObservationCardinalityNext( uint16 observationCardinalityNextOld, uint16 observationCardinalityNextNew ); /// @notice Emitted when the protocol fee is changed by the pool /// @param feeProtocol0Old The previous value of the token0 protocol fee /// @param feeProtocol1Old The previous value of the token1 protocol fee /// @param feeProtocol0New The updated value of the token0 protocol fee /// @param feeProtocol1New The updated value of the token1 protocol fee event SetFeeProtocol(uint8 feeProtocol0Old, uint8 feeProtocol1Old, uint8 feeProtocol0New, uint8 feeProtocol1New); /// @notice Emitted when the collected protocol fees are withdrawn by the factory owner /// @param sender The address that collects the protocol fees /// @param recipient The address that receives the collected protocol fees /// @param amount0 The amount of token0 protocol fees that is withdrawn /// @param amount0 The amount of token1 protocol fees that is withdrawn event CollectProtocol(address indexed sender, address indexed recipient, uint128 amount0, uint128 amount1); } // SPDX-License-Identifier: GPL-2.0-or-later pragma solidity >=0.5.0; /// @title Pool state that never changes /// @notice These parameters are fixed for a pool forever, i.e., the methods will always return the same values interface IUniswapV3PoolImmutables { /// @notice The contract that deployed the pool, which must adhere to the IUniswapV3Factory interface /// @return The contract address function factory() external view returns (address); /// @notice The first of the two tokens of the pool, sorted by address /// @return The token contract address function token0() external view returns (address); /// @notice The second of the two tokens of the pool, sorted by address /// @return The token contract address function token1() external view returns (address); /// @notice The pool's fee in hundredths of a bip, i.e. 1e-6 /// @return The fee function fee() external view returns (uint24); /// @notice The pool tick spacing /// @dev Ticks can only be used at multiples of this value, minimum of 1 and always positive /// e.g.: a tickSpacing of 3 means ticks can be initialized every 3rd tick, i.e., ..., -6, -3, 0, 3, 6, ... /// This value is an int24 to avoid casting even though it is always positive. /// @return The tick spacing function tickSpacing() external view returns (int24); /// @notice The maximum amount of position liquidity that can use any tick in the range /// @dev This parameter is enforced per tick to prevent liquidity from overflowing a uint128 at any point, and /// also prevents out-of-range liquidity from being used to prevent adding in-range liquidity to a pool /// @return The max amount of liquidity per tick function maxLiquidityPerTick() external view returns (uint128); } // SPDX-License-Identifier: GPL-2.0-or-later pragma solidity >=0.5.0; /// @title Permissioned pool actions /// @notice Contains pool methods that may only be called by the factory owner interface IUniswapV3PoolOwnerActions { /// @notice Set the denominator of the protocol's % share of the fees /// @param feeProtocol0 new protocol fee for token0 of the pool /// @param feeProtocol1 new protocol fee for token1 of the pool function setFeeProtocol(uint8 feeProtocol0, uint8 feeProtocol1) external; /// @notice Collect the protocol fee accrued to the pool /// @param recipient The address to which collected protocol fees should be sent /// @param amount0Requested The maximum amount of token0 to send, can be 0 to collect fees in only token1 /// @param amount1Requested The maximum amount of token1 to send, can be 0 to collect fees in only token0 /// @return amount0 The protocol fee collected in token0 /// @return amount1 The protocol fee collected in token1 function collectProtocol( address recipient, uint128 amount0Requested, uint128 amount1Requested ) external returns (uint128 amount0, uint128 amount1); } // SPDX-License-Identifier: GPL-2.0-or-later pragma solidity >=0.5.0; /// @title Pool state that can change /// @notice These methods compose the pool's state, and can change with any frequency including multiple times /// per transaction interface IUniswapV3PoolState { /// @notice The 0th storage slot in the pool stores many values, and is exposed as a single method to save gas /// when accessed externally. /// @return sqrtPriceX96 The current price of the pool as a sqrt(token1/token0) Q64.96 value /// tick The current tick of the pool, i.e. according to the last tick transition that was run. /// This value may not always be equal to SqrtTickMath.getTickAtSqrtRatio(sqrtPriceX96) if the price is on a tick /// boundary. /// observationIndex The index of the last oracle observation that was written, /// observationCardinality The current maximum number of observations stored in the pool, /// observationCardinalityNext The next maximum number of observations, to be updated when the observation. /// feeProtocol The protocol fee for both tokens of the pool. /// Encoded as two 4 bit values, where the protocol fee of token1 is shifted 4 bits and the protocol fee of token0 /// is the lower 4 bits. Used as the denominator of a fraction of the swap fee, e.g. 4 means 1/4th of the swap fee. /// unlocked Whether the pool is currently locked to reentrancy function slot0() external view returns ( uint160 sqrtPriceX96, int24 tick, uint16 observationIndex, uint16 observationCardinality, uint16 observationCardinalityNext, uint8 feeProtocol, bool unlocked ); /// @notice The fee growth as a Q128.128 fees of token0 collected per unit of liquidity for the entire life of the pool /// @dev This value can overflow the uint256 function feeGrowthGlobal0X128() external view returns (uint256); /// @notice The fee growth as a Q128.128 fees of token1 collected per unit of liquidity for the entire life of the pool /// @dev This value can overflow the uint256 function feeGrowthGlobal1X128() external view returns (uint256); /// @notice The amounts of token0 and token1 that are owed to the protocol /// @dev Protocol fees will never exceed uint128 max in either token function protocolFees() external view returns (uint128 token0, uint128 token1); /// @notice The currently in range liquidity available to the pool /// @dev This value has no relationship to the total liquidity across all ticks function liquidity() external view returns (uint128); /// @notice Look up information about a specific tick in the pool /// @param tick The tick to look up /// @return liquidityGross the total amount of position liquidity that uses the pool either as tick lower or /// tick upper, /// liquidityNet how much liquidity changes when the pool price crosses the tick, /// feeGrowthOutside0X128 the fee growth on the other side of the tick from the current tick in token0, /// feeGrowthOutside1X128 the fee growth on the other side of the tick from the current tick in token1, /// tickCumulativeOutside the cumulative tick value on the other side of the tick from the current tick /// secondsPerLiquidityOutsideX128 the seconds spent per liquidity on the other side of the tick from the current tick, /// secondsOutside the seconds spent on the other side of the tick from the current tick, /// initialized Set to true if the tick is initialized, i.e. liquidityGross is greater than 0, otherwise equal to false. /// Outside values can only be used if the tick is initialized, i.e. if liquidityGross is greater than 0. /// In addition, these values are only relative and must be used only in comparison to previous snapshots for /// a specific position. function ticks(int24 tick) external view returns ( uint128 liquidityGross, int128 liquidityNet, uint256 feeGrowthOutside0X128, uint256 feeGrowthOutside1X128, int56 tickCumulativeOutside, uint160 secondsPerLiquidityOutsideX128, uint32 secondsOutside, bool initialized ); /// @notice Returns 256 packed tick initialized boolean values. See TickBitmap for more information function tickBitmap(int16 wordPosition) external view returns (uint256); /// @notice Returns the information about a position by the position's key /// @param key The position's key is a hash of a preimage composed by the owner, tickLower and tickUpper /// @return _liquidity The amount of liquidity in the position, /// Returns feeGrowthInside0LastX128 fee growth of token0 inside the tick range as of the last mint/burn/poke, /// Returns feeGrowthInside1LastX128 fee growth of token1 inside the tick range as of the last mint/burn/poke, /// Returns tokensOwed0 the computed amount of token0 owed to the position as of the last mint/burn/poke, /// Returns tokensOwed1 the computed amount of token1 owed to the position as of the last mint/burn/poke function positions(bytes32 key) external view returns ( uint128 _liquidity, uint256 feeGrowthInside0LastX128, uint256 feeGrowthInside1LastX128, uint128 tokensOwed0, uint128 tokensOwed1 ); /// @notice Returns data about a specific observation index /// @param index The element of the observations array to fetch /// @dev You most likely want to use #observe() instead of this method to get an observation as of some amount of time /// ago, rather than at a specific index in the array. /// @return blockTimestamp The timestamp of the observation, /// Returns tickCumulative the tick multiplied by seconds elapsed for the life of the pool as of the observation timestamp, /// Returns secondsPerLiquidityCumulativeX128 the seconds per in range liquidity for the life of the pool as of the observation timestamp, /// Returns initialized whether the observation has been initialized and the values are safe to use function observations(uint256 index) external view returns ( uint32 blockTimestamp, int56 tickCumulative, uint160 secondsPerLiquidityCumulativeX128, bool initialized ); } // SPDX-License-Identifier: GPL-2.0-or-later pragma solidity >=0.7.5; import '@openzeppelin/contracts/token/ERC721/IERC721.sol'; /// @title ERC721 with permit /// @notice Extension to ERC721 that includes a permit function for signature based approvals interface IERC721Permit is IERC721 { /// @notice The permit typehash used in the permit signature /// @return The typehash for the permit function PERMIT_TYPEHASH() external pure returns (bytes32); /// @notice The domain separator used in the permit signature /// @return The domain seperator used in encoding of permit signature function DOMAIN_SEPARATOR() external view returns (bytes32); /// @notice Approve of a specific token ID for spending by spender via signature /// @param spender The account that is being approved /// @param tokenId The ID of the token that is being approved for spending /// @param deadline The deadline timestamp by which the call must be mined for the approve to work /// @param v Must produce valid secp256k1 signature from the holder along with `r` and `s` /// @param r Must produce valid secp256k1 signature from the holder along with `v` and `s` /// @param s Must produce valid secp256k1 signature from the holder along with `r` and `v` function permit( address spender, uint256 tokenId, uint256 deadline, uint8 v, bytes32 r, bytes32 s ) external payable; } // SPDX-License-Identifier: GPL-2.0-or-later pragma solidity >=0.5.0; /// @title Immutable state /// @notice Functions that return immutable state of the router interface IPeripheryImmutableState { /// @return Returns the address of the Uniswap V3 factory function factory() external view returns (address); /// @return Returns the address of WETH9 function WETH9() external view returns (address); } // SPDX-License-Identifier: GPL-2.0-or-later pragma solidity >=0.7.5; /// @title Periphery Payments /// @notice Functions to ease deposits and withdrawals of ETH interface IPeripheryPayments { /// @notice Unwraps the contract's WETH9 balance and sends it to recipient as ETH. /// @dev The amountMinimum parameter prevents malicious contracts from stealing WETH9 from users. /// @param amountMinimum The minimum amount of WETH9 to unwrap /// @param recipient The address receiving ETH function unwrapWETH9(uint256 amountMinimum, address recipient) external payable; /// @notice Refunds any ETH balance held by this contract to the `msg.sender` /// @dev Useful for bundling with mint or increase liquidity that uses ether, or exact output swaps /// that use ether for the input amount function refundETH() external payable; /// @notice Transfers the full amount of a token held by this contract to recipient /// @dev The amountMinimum parameter prevents malicious contracts from stealing the token from users /// @param token The contract address of the token which will be transferred to `recipient` /// @param amountMinimum The minimum amount of token required for a transfer /// @param recipient The destination address of the token function sweepToken( address token, uint256 amountMinimum, address recipient ) external payable; } // SPDX-License-Identifier: GPL-2.0-or-later pragma solidity >=0.7.5; pragma abicoder v2; /// @title Creates and initializes V3 Pools /// @notice Provides a method for creating and initializing a pool, if necessary, for bundling with other methods that /// require the pool to exist. interface IPoolInitializer { /// @notice Creates a new pool if it does not exist, then initializes if not initialized /// @dev This method can be bundled with others via IMulticall for the first action (e.g. mint) performed against a pool /// @param token0 The contract address of token0 of the pool /// @param token1 The contract address of token1 of the pool /// @param fee The fee amount of the v3 pool for the specified token pair /// @param sqrtPriceX96 The initial square root price of the pool as a Q64.96 value /// @return pool Returns the pool address based on the pair of tokens and fee, will return the newly created pool address if necessary function createAndInitializePoolIfNecessary( address token0, address token1, uint24 fee, uint160 sqrtPriceX96 ) external payable returns (address pool); } // SPDX-License-Identifier: GPL-2.0-or-later pragma solidity >=0.7.5; pragma abicoder v2; import '@uniswap/v3-core/contracts/interfaces/callback/IUniswapV3SwapCallback.sol'; /// @title Router token swapping functionality /// @notice Functions for swapping tokens via Uniswap V3 interface ISwapRouter is IUniswapV3SwapCallback { struct ExactInputSingleParams { address tokenIn; address tokenOut; uint24 fee; address recipient; uint256 deadline; uint256 amountIn; uint256 amountOutMinimum; uint160 sqrtPriceLimitX96; } /// @notice Swaps `amountIn` of one token for as much as possible of another token /// @param params The parameters necessary for the swap, encoded as `ExactInputSingleParams` in calldata /// @return amountOut The amount of the received token function exactInputSingle(ExactInputSingleParams calldata params) external payable returns (uint256 amountOut); struct ExactInputParams { bytes path; address recipient; uint256 deadline; uint256 amountIn; uint256 amountOutMinimum; } /// @notice Swaps `amountIn` of one token for as much as possible of another along the specified path /// @param params The parameters necessary for the multi-hop swap, encoded as `ExactInputParams` in calldata /// @return amountOut The amount of the received token function exactInput(ExactInputParams calldata params) external payable returns (uint256 amountOut); struct ExactOutputSingleParams { address tokenIn; address tokenOut; uint24 fee; address recipient; uint256 deadline; uint256 amountOut; uint256 amountInMaximum; uint160 sqrtPriceLimitX96; } /// @notice Swaps as little as possible of one token for `amountOut` of another token /// @param params The parameters necessary for the swap, encoded as `ExactOutputSingleParams` in calldata /// @return amountIn The amount of the input token function exactOutputSingle(ExactOutputSingleParams calldata params) external payable returns (uint256 amountIn); struct ExactOutputParams { bytes path; address recipient; uint256 deadline; uint256 amountOut; uint256 amountInMaximum; } /// @notice Swaps as little as possible of one token for `amountOut` of another along the specified path (reversed) /// @param params The parameters necessary for the multi-hop swap, encoded as `ExactOutputParams` in calldata /// @return amountIn The amount of the input token function exactOutput(ExactOutputParams calldata params) external payable returns (uint256 amountIn); } // SPDX-License-Identifier: UNLICENSED pragma solidity 0.8.21; // Uniswap import "@uniswap/v3-core/contracts/interfaces/IUniswapV3Pool.sol"; // OpenZeppelin import "@openzeppelin/contracts/utils/math/Math.sol"; /** * @notice Adapted Uniswap V3 OracleLibrary computation to be compliant with Solidity 0.8.x and later. * * Documentation for Auditors: * * Solidity Version: Updated the Solidity version pragma to ^0.8.0. This change ensures compatibility * with Solidity version 0.8.x. * * Safe Arithmetic Operations: Solidity 0.8.x automatically checks for arithmetic overflows/underflows. * Therefore, the code no longer needs to use SafeMath library (or similar) for basic arithmetic operations. * This change simplifies the code and reduces the potential for errors related to manual overflow/underflow checking. * * Overflow/Underflow: With the introduction of automatic overflow/underflow checks in Solidity 0.8.x, the code is inherently * safer and less prone to certain types of arithmetic errors. * * Removal of SafeMath Library: Since Solidity 0.8.x handles arithmetic operations safely, the use of SafeMath library * is omitted in this update. * * Git-style diff for the `consult` function: * * ```diff * function consult(address pool, uint32 secondsAgo) * internal * view * returns (int24 arithmeticMeanTick, uint128 harmonicMeanLiquidity) * { * require(secondsAgo != 0, 'BP'); * * uint32[] memory secondsAgos = new uint32[](2); * secondsAgos[0] = secondsAgo; * secondsAgos[1] = 0; * * (int56[] memory tickCumulatives, uint160[] memory secondsPerLiquidityCumulativeX128s) = * IUniswapV3Pool(pool).observe(secondsAgos); * * int56 tickCumulativesDelta = tickCumulatives[1] - tickCumulatives[0]; * uint160 secondsPerLiquidityCumulativesDelta = * secondsPerLiquidityCumulativeX128s[1] - secondsPerLiquidityCumulativeX128s[0]; * * - arithmeticMeanTick = int24(tickCumulativesDelta / secondsAgo); * + int56 secondsAgoInt56 = int56(uint56(secondsAgo)); * + arithmeticMeanTick = int24(tickCumulativesDelta / secondsAgoInt56); * // Always round to negative infinity * - if (tickCumulativesDelta < 0 && (tickCumulativesDelta % secondsAgo != 0)) arithmeticMeanTick--; * + if (tickCumulativesDelta < 0 && (tickCumulativesDelta % secondsAgoInt56 != 0)) arithmeticMeanTick--; * * - uint192 secondsAgoX160 = uint192(secondsAgo) * type(uint160).max; * + uint192 secondsAgoUint192 = uint192(secondsAgo); * + uint192 secondsAgoX160 = secondsAgoUint192 * type(uint160).max; * harmonicMeanLiquidity = uint128(secondsAgoX160 / (uint192(secondsPerLiquidityCumulativesDelta) << 32)); * } * ``` */ /// @title Oracle library /// @notice Provides functions to integrate with V3 pool oracle library OracleLibrary { /// @notice Calculates time-weighted means of tick and liquidity for a given Uniswap V3 pool /// @param pool Address of the pool that we want to observe /// @param secondsAgo Number of seconds in the past from which to calculate the time-weighted means /// @return arithmeticMeanTick The arithmetic mean tick from (block.timestamp - secondsAgo) to block.timestamp /// @return harmonicMeanLiquidity The harmonic mean liquidity from (block.timestamp - secondsAgo) to block.timestamp function consult( address pool, uint32 secondsAgo ) internal view returns (int24 arithmeticMeanTick, uint128 harmonicMeanLiquidity) { require(secondsAgo != 0, "BP"); uint32[] memory secondsAgos = new uint32[](2); secondsAgos[0] = secondsAgo; secondsAgos[1] = 0; ( int56[] memory tickCumulatives, uint160[] memory secondsPerLiquidityCumulativeX128s ) = IUniswapV3Pool(pool).observe(secondsAgos); int56 tickCumulativesDelta = tickCumulatives[1] - tickCumulatives[0]; uint160 secondsPerLiquidityCumulativesDelta = secondsPerLiquidityCumulativeX128s[ 1 ] - secondsPerLiquidityCumulativeX128s[0]; // Safe casting of secondsAgo to int56 for division int56 secondsAgoInt56 = int56(uint56(secondsAgo)); arithmeticMeanTick = int24(tickCumulativesDelta / secondsAgoInt56); // Always round to negative infinity if ( tickCumulativesDelta < 0 && (tickCumulativesDelta % secondsAgoInt56 != 0) ) arithmeticMeanTick--; // Safe casting of secondsAgo to uint192 for multiplication uint192 secondsAgoUint192 = uint192(secondsAgo); harmonicMeanLiquidity = uint128( (secondsAgoUint192 * uint192(type(uint160).max)) / (uint192(secondsPerLiquidityCumulativesDelta) << 32) ); } /// @notice Given a pool, it returns the number of seconds ago of the oldest stored observation /// @param pool Address of Uniswap V3 pool that we want to observe /// @return secondsAgo The number of seconds ago of the oldest observation stored for the pool function getOldestObservationSecondsAgo( address pool ) internal view returns (uint32 secondsAgo) { ( , , uint16 observationIndex, uint16 observationCardinality, , , ) = IUniswapV3Pool(pool).slot0(); require(observationCardinality > 0, "NI"); (uint32 observationTimestamp, , , bool initialized) = IUniswapV3Pool( pool ).observations((observationIndex + 1) % observationCardinality); // The next index might not be initialized if the cardinality is in the process of increasing // In this case the oldest observation is always in index 0 if (!initialized) { (observationTimestamp, , , ) = IUniswapV3Pool(pool).observations(0); } secondsAgo = uint32(block.timestamp) - observationTimestamp; } /// @notice Given a tick and a token amount, calculates the amount of token received in exchange /// a slightly modified version of the UniSwap library getQuoteAtTick to accept a sqrtRatioX96 as input parameter /// @param sqrtRatioX96 The sqrt ration /// @param baseAmount Amount of token to be converted /// @param baseToken Address of an ERC20 token contract used as the baseAmount denomination /// @param quoteToken Address of an ERC20 token contract used as the quoteAmount denomination /// @return quoteAmount Amount of quoteToken received for baseAmount of baseToken function getQuoteForSqrtRatioX96( uint160 sqrtRatioX96, uint256 baseAmount, address baseToken, address quoteToken ) internal pure returns (uint256 quoteAmount) { // Calculate quoteAmount with better precision if it doesn't overflow when multiplied by itself if (sqrtRatioX96 <= type(uint128).max) { uint256 ratioX192 = uint256(sqrtRatioX96) * sqrtRatioX96; quoteAmount = baseToken < quoteToken ? Math.mulDiv(ratioX192, baseAmount, 1 << 192) : Math.mulDiv(1 << 192, baseAmount, ratioX192); } else { uint256 ratioX128 = Math.mulDiv( sqrtRatioX96, sqrtRatioX96, 1 << 64 ); quoteAmount = baseToken < quoteToken ? Math.mulDiv(ratioX128, baseAmount, 1 << 128) : Math.mulDiv(1 << 128, baseAmount, ratioX128); } } }// SPDX-License-Identifier: UNLICENSED pragma solidity 0.8.21; /** * @notice Adapted Uniswap V3 pool address computation to be compliant with Solidity 0.8.x and later. * @dev Changes were made to address the stricter type conversion rules in newer Solidity versions. * Original Uniswap V3 code directly converted a uint256 to an address, which is disallowed in Solidity 0.8.x. * Adaptation Steps: * 1. The `pool` address is computed by first hashing pool parameters. * 2. The resulting `uint256` hash is then explicitly cast to `uint160` before casting to `address`. * This two-step conversion process is necessary due to the Solidity 0.8.x restriction. * Direct conversion from `uint256` to `address` is disallowed to prevent mistakes * that can occur due to the size mismatch between the types. * 3. Added a require statement to ensure `token0` is less than `token1`, maintaining * Uniswap's invariant and preventing pool address calculation errors. * @param factory The Uniswap V3 factory contract address. * @param key The PoolKey containing token addresses and fee tier. * @return pool The computed address of the Uniswap V3 pool. * @custom:modification Explicit type conversion from `uint256` to `uint160` then to `address`. * * function computeAddress(address factory, PoolKey memory key) internal pure returns (address pool) { * require(key.token0 < key.token1); * pool = address( * uint160( // Explicit conversion to uint160 added for compatibility with Solidity 0.8.x * uint256( * keccak256( * abi.encodePacked( * hex'ff', * factory, * keccak256(abi.encode(key.token0, key.token1, key.fee)), * POOL_INIT_CODE_HASH * ) * ) * ) * ) * ); * } */ /// @dev This code is copied from Uniswap V3 which uses an older compiler version. /// @title Provides functions for deriving a pool address from the factory, tokens, and the fee library PoolAddress { bytes32 internal constant POOL_INIT_CODE_HASH = 0xe34f199b19b2b4f47f68442619d555527d244f78a3297ea89325f843f87b8b54; /// @notice The identifying key of the pool struct PoolKey { address token0; address token1; uint24 fee; } /// @notice Returns PoolKey: the ordered tokens with the matched fee levels /// @param tokenA The first token of a pool, unsorted /// @param tokenB The second token of a pool, unsorted /// @param fee The fee level of the pool /// @return Poolkey The pool details with ordered token0 and token1 assignments function getPoolKey( address tokenA, address tokenB, uint24 fee ) internal pure returns (PoolKey memory) { if (tokenA > tokenB) (tokenA, tokenB) = (tokenB, tokenA); return PoolKey({token0: tokenA, token1: tokenB, fee: fee}); } /// @notice Deterministically computes the pool address given the factory and PoolKey /// @param factory The Uniswap V3 factory contract address /// @param key The PoolKey /// @return pool The contract address of the V3 pool function computeAddress( address factory, PoolKey memory key ) internal pure returns (address pool) { require(key.token0 < key.token1); pool = address( uint160( // Convert uint256 to uint160 first uint256( keccak256( abi.encodePacked( hex"ff", factory, keccak256( abi.encode(key.token0, key.token1, key.fee) ), POOL_INIT_CODE_HASH ) ) ) ) ); } }// SPDX-License-Identifier: GPL-2.0-or-later pragma solidity 0.8.21; /** * @notice Adapted Uniswap V3 TickMath library computation to be compliant with Solidity 0.8.x and later. * * Documentation for Auditors: * * Solidity Version: Updated the Solidity version pragma to ^0.8.0. This change ensures compatibility * with Solidity version 0.8.x. * * Safe Arithmetic Operations: Solidity 0.8.x automatically checks for arithmetic overflows/underflows. * Therefore, the code no longer needs to use the SafeMath library (or similar) for basic arithmetic operations. * This change simplifies the code and reduces the potential for errors related to manual overflow/underflow checking. * * Explicit Type Conversion: The explicit conversion of `MAX_TICK` from `int24` to `uint256` in the `require` statement * is safe and necessary for comparison with `absTick`, which is a `uint256`. This conversion is compliant with * Solidity 0.8.x's type system and does not introduce any arithmetic risk. * * Overflow/Underflow: With the introduction of automatic overflow/underflow checks in Solidity 0.8.x, the code is inherently * safer and less prone to certain types of arithmetic errors. * * Removal of SafeMath Library: Since Solidity 0.8.x handles arithmetic operations safely, the use of the SafeMath library * is omitted in this update. * * Git-style diff for the TickMath library: * * ```diff * - pragma solidity >=0.5.0 <0.8.0; * + pragma solidity ^0.8.0; * * function getSqrtRatioAtTick(int24 tick) internal pure returns (uint160 sqrtPriceX96) { * uint256 absTick = tick < 0 ? uint256(-int256(tick)) : uint256(int256(tick)); * - require(absTick <= uint256(MAX_TICK), 'T'); * + require(absTick <= uint256(int256(MAX_TICK)), 'T'); // Explicit type conversion for Solidity 0.8.x compatibility * // ... (rest of the function) * } * * function getTickAtSqrtRatio( * uint160 sqrtPriceX96 * ) internal pure returns (int24 tick) { * // [Code for calculating the tick based on sqrtPriceX96 remains unchanged] * * - tick = tickLow == tickHi * - ? tickLow * - : getSqrtRatioAtTick(tickHi) <= sqrtPriceX96 * - ? tickHi * - : tickLow; * + if (tickLow == tickHi) { * + tick = tickLow; * + } else { * + tick = (getSqrtRatioAtTick(tickHi) <= sqrtPriceX96) ? tickHi : tickLow; * + } * } * ``` * * Note: Other than the pragma version change and the explicit type conversion in the `require` statement, the original functions * within the TickMath library are compatible with Solidity 0.8.x without requiring any further modifications. This is due to * the fact that the logic within these functions already adheres to safe arithmetic practices and does not involve operations * that would be affected by the 0.8.x compiler's built-in checks. */ /// @title Math library for computing sqrt prices from ticks and vice versa /// @notice Computes sqrt price for ticks of size 1.0001, i.e. sqrt(1.0001^tick) as fixed point Q64.96 numbers. Supports /// prices between 2**-128 and 2**128 library TickMath { /// @dev The minimum tick that may be passed to #getSqrtRatioAtTick computed from log base 1.0001 of 2**-128 int24 internal constant MIN_TICK = -887272; /// @dev The maximum tick that may be passed to #getSqrtRatioAtTick computed from log base 1.0001 of 2**128 int24 internal constant MAX_TICK = -MIN_TICK; /// @dev The minimum value that can be returned from #getSqrtRatioAtTick. Equivalent to getSqrtRatioAtTick(MIN_TICK) uint160 internal constant MIN_SQRT_RATIO = 4295128739; /// @dev The maximum value that can be returned from #getSqrtRatioAtTick. Equivalent to getSqrtRatioAtTick(MAX_TICK) uint160 internal constant MAX_SQRT_RATIO = 1461446703485210103287273052203988822378723970342; /// @notice Calculates sqrt(1.0001^tick) * 2^96 /// @dev Throws if |tick| > max tick /// @param tick The input tick for the above formula /// @return sqrtPriceX96 A Fixed point Q64.96 number representing the sqrt of the ratio of the two assets (token1/token0) /// at the given tick function getSqrtRatioAtTick( int24 tick ) internal pure returns (uint160 sqrtPriceX96) { uint256 absTick = tick < 0 ? uint256(-int256(tick)) : uint256(int256(tick)); require(absTick <= uint256(int256(MAX_TICK)), "T"); // Explicit type conversion for Solidity 0.8.x compatibility uint256 ratio = absTick & 0x1 != 0 ? 0xfffcb933bd6fad37aa2d162d1a594001 : 0x100000000000000000000000000000000; if (absTick & 0x2 != 0) ratio = (ratio * 0xfff97272373d413259a46990580e213a) >> 128; if (absTick & 0x4 != 0) ratio = (ratio * 0xfff2e50f5f656932ef12357cf3c7fdcc) >> 128; if (absTick & 0x8 != 0) ratio = (ratio * 0xffe5caca7e10e4e61c3624eaa0941cd0) >> 128; if (absTick & 0x10 != 0) ratio = (ratio * 0xffcb9843d60f6159c9db58835c926644) >> 128; if (absTick & 0x20 != 0) ratio = (ratio * 0xff973b41fa98c081472e6896dfb254c0) >> 128; if (absTick & 0x40 != 0) ratio = (ratio * 0xff2ea16466c96a3843ec78b326b52861) >> 128; if (absTick & 0x80 != 0) ratio = (ratio * 0xfe5dee046a99a2a811c461f1969c3053) >> 128; if (absTick & 0x100 != 0) ratio = (ratio * 0xfcbe86c7900a88aedcffc83b479aa3a4) >> 128; if (absTick & 0x200 != 0) ratio = (ratio * 0xf987a7253ac413176f2b074cf7815e54) >> 128; if (absTick & 0x400 != 0) ratio = (ratio * 0xf3392b0822b70005940c7a398e4b70f3) >> 128; if (absTick & 0x800 != 0) ratio = (ratio * 0xe7159475a2c29b7443b29c7fa6e889d9) >> 128; if (absTick & 0x1000 != 0) ratio = (ratio * 0xd097f3bdfd2022b8845ad8f792aa5825) >> 128; if (absTick & 0x2000 != 0) ratio = (ratio * 0xa9f746462d870fdf8a65dc1f90e061e5) >> 128; if (absTick & 0x4000 != 0) ratio = (ratio * 0x70d869a156d2a1b890bb3df62baf32f7) >> 128; if (absTick & 0x8000 != 0) ratio = (ratio * 0x31be135f97d08fd981231505542fcfa6) >> 128; if (absTick & 0x10000 != 0) ratio = (ratio * 0x9aa508b5b7a84e1c677de54f3e99bc9) >> 128; if (absTick & 0x20000 != 0) ratio = (ratio * 0x5d6af8dedb81196699c329225ee604) >> 128; if (absTick & 0x40000 != 0) ratio = (ratio * 0x2216e584f5fa1ea926041bedfe98) >> 128; if (absTick & 0x80000 != 0) ratio = (ratio * 0x48a170391f7dc42444e8fa2) >> 128; if (tick > 0) ratio = type(uint256).max / ratio; // this divides by 1<<32 rounding up to go from a Q128.128 to a Q128.96. // we then downcast because we know the result always fits within 160 bits due to our tick input constraint // we round up in the division so getTickAtSqrtRatio of the output price is always consistent sqrtPriceX96 = uint160( (ratio >> 32) + (ratio % (1 << 32) == 0 ? 0 : 1) ); } /// @notice Calculates the greatest tick value such that getRatioAtTick(tick) <= ratio /// @dev Throws in case sqrtPriceX96 < MIN_SQRT_RATIO, as MIN_SQRT_RATIO is the lowest value getRatioAtTick may /// ever return. /// @param sqrtPriceX96 The sqrt ratio for which to compute the tick as a Q64.96 /// @return tick The greatest tick for which the ratio is less than or equal to the input ratio function getTickAtSqrtRatio( uint160 sqrtPriceX96 ) internal pure returns (int24 tick) { // second inequality must be < because the price can never reach the price at the max tick require( sqrtPriceX96 >= MIN_SQRT_RATIO && sqrtPriceX96 < MAX_SQRT_RATIO, "R" ); uint256 ratio = uint256(sqrtPriceX96) << 32; uint256 r = ratio; uint256 msb = 0; assembly { let f := shl(7, gt(r, 0xFFFFFFFFFFFFFFFFFFFFFFFFFFFFFFFF)) msb := or(msb, f) r := shr(f, r) } assembly { let f := shl(6, gt(r, 0xFFFFFFFFFFFFFFFF)) msb := or(msb, f) r := shr(f, r) } assembly { let f := shl(5, gt(r, 0xFFFFFFFF)) msb := or(msb, f) r := shr(f, r) } assembly { let f := shl(4, gt(r, 0xFFFF)) msb := or(msb, f) r := shr(f, r) } assembly { let f := shl(3, gt(r, 0xFF)) msb := or(msb, f) r := shr(f, r) } assembly { let f := shl(2, gt(r, 0xF)) msb := or(msb, f) r := shr(f, r) } assembly { let f := shl(1, gt(r, 0x3)) msb := or(msb, f) r := shr(f, r) } assembly { let f := gt(r, 0x1) msb := or(msb, f) } if (msb >= 128) r = ratio >> (msb - 127); else r = ratio << (127 - msb); int256 log_2 = (int256(msb) - 128) << 64; assembly { r := shr(127, mul(r, r)) let f := shr(128, r) log_2 := or(log_2, shl(63, f)) r := shr(f, r) } assembly { r := shr(127, mul(r, r)) let f := shr(128, r) log_2 := or(log_2, shl(62, f)) r := shr(f, r) } assembly { r := shr(127, mul(r, r)) let f := shr(128, r) log_2 := or(log_2, shl(61, f)) r := shr(f, r) } assembly { r := shr(127, mul(r, r)) let f := shr(128, r) log_2 := or(log_2, shl(60, f)) r := shr(f, r) } assembly { r := shr(127, mul(r, r)) let f := shr(128, r) log_2 := or(log_2, shl(59, f)) r := shr(f, r) } assembly { r := shr(127, mul(r, r)) let f := shr(128, r) log_2 := or(log_2, shl(58, f)) r := shr(f, r) } assembly { r := shr(127, mul(r, r)) let f := shr(128, r) log_2 := or(log_2, shl(57, f)) r := shr(f, r) } assembly { r := shr(127, mul(r, r)) let f := shr(128, r) log_2 := or(log_2, shl(56, f)) r := shr(f, r) } assembly { r := shr(127, mul(r, r)) let f := shr(128, r) log_2 := or(log_2, shl(55, f)) r := shr(f, r) } assembly { r := shr(127, mul(r, r)) let f := shr(128, r) log_2 := or(log_2, shl(54, f)) r := shr(f, r) } assembly { r := shr(127, mul(r, r)) let f := shr(128, r) log_2 := or(log_2, shl(53, f)) r := shr(f, r) } assembly { r := shr(127, mul(r, r)) let f := shr(128, r) log_2 := or(log_2, shl(52, f)) r := shr(f, r) } assembly { r := shr(127, mul(r, r)) let f := shr(128, r) log_2 := or(log_2, shl(51, f)) r := shr(f, r) } assembly { r := shr(127, mul(r, r)) let f := shr(128, r) log_2 := or(log_2, shl(50, f)) } int256 log_sqrt10001 = log_2 * 255738958999603826347141; // 128.128 number int24 tickLow = int24( (log_sqrt10001 - 3402992956809132418596140100660247210) >> 128 ); int24 tickHi = int24( (log_sqrt10001 + 291339464771989622907027621153398088495) >> 128 ); // Adjusted logic for determining the tick if (tickLow == tickHi) { tick = tickLow; } else { tick = (getSqrtRatioAtTick(tickHi) <= sqrtPriceX96) ? tickHi : tickLow; } } }// SPDX-License-Identifier: MIT pragma solidity 0.8.21; import "@openzeppelin/contracts/token/ERC20/IERC20.sol"; import "@openzeppelin/contracts/interfaces/IERC2612.sol"; interface IFeeToken is IERC20 { /** * @dev Sends tokens directly to the Fee Staking contract * @param _sender The address of the token sender * @param _amount The amount of tokens to send */ function sendToFeeStaking(address _sender, uint _amount) external; /** * @dev Mints new tokens * @param account The address that will receive the minted tokens * @param amount The amount of tokens to mint */ function mint(address account, uint amount) external; /** * @dev Burns tokens * @param amount The amount of tokens to burn */ function burn(uint amount) external; /** * @dev Returns the supply of the token which is mintable via the Minter * @return The base supply amount */ function minterSupply() external view returns (uint); }// SPDX-License-Identifier: MIT pragma solidity 0.8.21; /** * @title IFeeTokenMinter * @dev Interface for the FeeTokenMinter contract, responsible for managing vesting entries on behalf of other system components */ interface IFeeTokenMinter { /** * @dev Appends a new vesting entry for an account * @param account The address of the account to receive the vested tokens * @param quantity The amount of tokens to be vested */ function appendVestingEntry(address account, uint256 quantity) external; }// SPDX-License-Identifier: GPL-2.0-or-later pragma solidity 0.8.21; import "@uniswap/v3-periphery/contracts/interfaces/IPoolInitializer.sol"; import "@uniswap/v3-periphery/contracts/interfaces/IPeripheryPayments.sol"; import "@uniswap/v3-periphery/contracts/interfaces/IPeripheryImmutableState.sol"; import "@openzeppelin/contracts/token/ERC721/extensions/IERC721Metadata.sol"; import "@openzeppelin/contracts/token/ERC721/extensions/IERC721Enumerable.sol"; import "@uniswap/v3-periphery/contracts/interfaces/IERC721Permit.sol"; /** * @notice A subset of the Uniswap Interface to allow * using latest openzeppelin contracts */ interface INonfungiblePositionManager is IPoolInitializer, IPeripheryPayments, IPeripheryImmutableState, IERC721Metadata, IERC721Enumerable, IERC721Permit { // Structs for mint and collect functions struct MintParams { address token0; address token1; uint24 fee; int24 tickLower; int24 tickUpper; uint256 amount0Desired; uint256 amount1Desired; uint256 amount0Min; uint256 amount1Min; address recipient; uint256 deadline; } struct CollectParams { uint256 tokenId; address recipient; uint128 amount0Max; uint128 amount1Max; } function createAndInitializePoolIfNecessary( address token0, address token1, uint24 fee, uint160 sqrtPriceX96 ) external payable returns (address pool); function mint(MintParams calldata params) external payable returns ( uint256 tokenId, uint128 liquidity, uint256 amount0, uint256 amount1 ); function collect(CollectParams calldata params) external payable returns (uint256 amount0, uint256 amount1); } pragma solidity 0.8.21; import "@openzeppelin/contracts/access/Ownable.sol"; import "@openzeppelin/contracts/security/ReentrancyGuard.sol"; import "@uniswap/v3-core/contracts/interfaces/IUniswapV3Pool.sol"; import "@uniswap/v3-periphery/contracts/interfaces/ISwapRouter.sol"; import "../../interfaces/IFeeToken.sol"; import "../../common/uniswap/PoolAddress.sol"; import "../../common/uniswap/Oracle.sol"; import "../../common/uniswap/TickMath.sol"; import "../../interfaces/INonfungiblePositionManager.sol"; import "../../interfaces/IFeeTokenMinter.sol"; import "@openzeppelin/contracts/utils/Address.sol"; /** Token Minting Process State Diagram: stateDiagram-v2 [*] --> PreLaunch: ORX Minter Deployment PreLaunch --> Launched: LaunchBlock Reached Launched --> TitanXDeposited: User Deposits TitanX Launched --> EthContributionReceived: User Contributes ETH TitanXDeposited --> CalculatingReturn: Calculate ORX Return EthContributionReceived --> EthQueuePeriod: Enter 14-day Queue EthQueuePeriod --> EthDripCreated: Queue Period Ends CalculatingReturn --> VestingCreated: Create Vesting Entry VestingCreated --> Vesting: Start Vesting Period EthDripCreated --> EthCliffPeriod: Start 21-day Cliff Period EthCliffPeriod --> EthVesting: Cliff Period Ends Vesting --> ClaimRequested: User Requests to Claim EthVesting --> EthDripClaimRequested: User Requests to Claim Dripped ORX ClaimRequested --> CalculatingClaimable: Calculate Claimable Amount EthDripClaimRequested --> CalculatingDrippedAmount: Calculate Dripped ORX Amount CalculatingClaimable --> TokensStaged: ORX Staged for 3 Days CalculatingDrippedAmount --> DrippedTokensMinted: Dripped ORX Minted Immediately TokensStaged --> TokensClaimed: User Claims ORX After 3 Days DrippedTokensMinted --> EthVesting: Continue Vesting TokensClaimed --> [*]: Vesting Complete EthVesting --> [*]: All ORX Vested (12 weeks total) Vesting --> NukeRequested: User Requests Nuke (Before 28 Days) NukeRequested --> Forfeited: User Confirms Nuke Forfeited --> [*]: All ORX Sent to Forfeit Sink state CalculatingReturn { [*] --> FixedRate: Total TitanX Deposits < Fixed Rate Threshold [*] --> MixedRate: Total TitanX Deposits Crosses Fixed Rate Threshold [*] --> CurveRate: Total TitanX Deposits > Fixed Rate Threshold FixedRate --> [*]: Return Fixed Rate Amount MixedRate --> [*]: Return Fixed Rate Amount + Curve-Based Amount CurveRate --> [*]: Return Curve-Based Amount } state CalculatingClaimable { [*] --> FullAmount: After Vesting Period [*] --> PartialAmount: During Vesting Period (After 28 Days) [*] --> ZeroAmount: Before 28 Days FullAmount --> [*]: Return Full Amount PartialAmount --> [*]: Return Partial Amount ZeroAmount --> [*]: Return Zero (Require Nuke Confirmation) } state CalculatingDrippedAmount { [*] --> DrippedFullAmount: After Vesting Period (12 weeks) [*] --> DrippedPartialAmount: During Vesting Period (After Cliff) [*] --> DrippedZeroAmount: During Cliff Period (21 days) DrippedFullAmount --> [*]: Return Remaining Amount DrippedPartialAmount --> [*]: Return Vested Amount DrippedZeroAmount --> [*]: Return Zero } */ /** * @title FeeTokenMinter * @dev Contract for minting/vesting FeeTokens in exchange for deposits. Also manages token buybacks and a locked LP. * * Key features: * 1. Token Issuance: Hybrid initial fixed-rate with transition to curve-based model for FeeToken minting. * A small % of supply is given to Ethereum contributions. * 2. Deposit Vesting: 52-week vesting schedule with one-time claim and early claim forfeit system. Vesting massively tail weighted. * 3. ETH Contribution Vesting: 12-week vesting schedule with a 21-day cliff period for ETH contributors. Progressive linear drip release. * 4. Referral System: Bonus rewards for referrers. 2% additional tokens minted if referrer is present. * 5. Locked Liquidity: Uniswap V3 integration for liquidity and buybacks. * 6. Buyback Mechanism: Purchases and burns FeeTokens in either a public incentivised manner, or permissioned manner which is not incentivised. * 7. Incentive Programs: Supports external backstop and LP incentives vesting schedules, but reserves the right to cancel them. * 8. Control Functions: Functions for parameter adjustments and management within hardcoded parameter ranges. */ contract FeeTokenMinter is Ownable, IFeeTokenMinter, ReentrancyGuard { //==================================================================// //---------------------- LAUNCH PARAMETERS -------------------------// //==================================================================// /// @dev Deposit Token contribution vesting period uint public constant DEPOSIT_VESTING_PERIOD = 52 weeks; /// @dev Deposit Token contribution cliff period uint public constant DEPOSIT_VESTING_CLIFF_DURATION = 28 days; /// @dev ETH contribution vesting period uint public constant CONTRIBUTION_VESTING_PERIOD = 12 weeks; /// @dev ETH contribution cliff period uint public constant ETH_CONTRIBUTION_CLIFF_DURATION = 21 days; /// @dev Amount of time ETH will be allowed to stage during launch phase. (Rough approximation) uint public constant ETH_LAUNCH_PHASE_TIME = 14 days; //==================================================================// //-------------------------- CONSTANTS -----------------------------// //==================================================================// /// @dev Timestamp when the contract was deployed uint public immutable DEPLOYMENT_TIMESTAMP; /// @dev Block when the contract was deployed uint public immutable DEPLOYMENT_BLOCK; /// @dev Block number at which the contract is considered launched and deposits, eth contributions, and incentive vests can be triggered. uint public immutable LAUNCH_BLOCK; /// @dev Rough approximation of launch timestamp. uint public immutable LAUNCH_TIMESTAMP; /// @dev Approx share of fee token supply which is available at a fixed rate expressed as a percentage uint public constant FEE_TOKEN_AVAILABLE_AT_FIXED_DEPOSIT_RATE = 250_000_000e18; /// @dev Approx deposits at fixed rate. How many deposit token before we transition to curve emissions. uint public constant TOTAL_DEPOSITS_AT_FIXED_RATE = 1_500_000_000_000e18; /// @dev Initial fixed deposit rate before curve kicks in. /// Calculated by TOTAL_DEPOSITS_AT_FIXED_RATE / FEE_TOKEN_AVAILABLE_AT_FIXED_DEPOSIT_RATE uint public immutable FIXED_RATE_FOR_DEPOSIT_TOKEN; /// @dev Higher number implies more liquid virtual pair for x*y=k curve uint private constant CURVE_RATE_INCREASE_WEIGHT = 6_000_000_000_000e18; /// @dev Rate for ETH contributions. Implies 369eth * 135502 == 50,000,000~ Fee Token for Eth emissions uint public constant ETH_RATE = 135502; /// @dev Fee tier for Uniswap V3 pool (1%) uint24 public constant POOL_FEE = 10000; /// @dev Minimum tick for Uniswap V3 position (full range) int24 public constant MIN_TICK = -887200; /// @dev Maximum tick for Uniswap V3 position (full range) int24 public constant MAX_TICK = 887200; /// @dev Initial LP price if token0 is occupied by the deposit token int24 public constant INITIAL_TICK_IF_DEPOSIT_TOKEN_IS_TOKEN0 = -120244; /// @dev Initial LP price if token0 is occupied by the fee token int24 public constant INITIAL_TICK_IF_FEE_TOKEN_IS_TOKEN0 = -INITIAL_TICK_IF_DEPOSIT_TOKEN_IS_TOKEN0; /// @dev Initial input to LP for Fee Token uint public constant INITIAL_FEE_TOKEN_LIQUIDITY_AMOUNT = 600_000e18; /// @dev Initial input to LP for Deposit Token uint public constant INITIAL_DEPOSIT_TOKEN_LIQUIDITY_AMOUNT = 100_000_000_000e18; /// @dev Address where forfeited tokens are sent. Ideally a multisig. address public immutable FORFEIT_SINK; /// @dev Address where ETH is sent. Ideally a multisig for slow LP management release and dev reward. address public immutable ETH_SINK; /// @dev Approximate block production time, doesn't need to be exact uint private constant TIME_PER_BLOCK_PRODUCTION = 12 seconds; //==================================================================// //-------------------------- INTERFACES ----------------------------// //==================================================================// /// @dev Interface for Uniswap V3 SwapRouter ISwapRouter public immutable router; /// @dev Interface for Uniswap V3 NonfungiblePositionManager INonfungiblePositionManager public immutable positionManager; /// @dev Interface for Uniswap V3 Pool IUniswapV3Pool public pool; /// @dev Interface for the deposit token IERC20 public immutable depositToken; /// @dev Interface for the FeeToken IFeeToken public immutable feeToken; //==================================================================// //----------------------- STATE VARIABLES --------------------------// //==================================================================// /// @dev Flag indicating if the Uniswap pool has been created bool public uniPoolInitialised; /// @dev Cooldown period between buybacks uint public buybackCooldownPeriod = 15 minutes; /// @dev Reward bips which is sent to buyback caller when buyback mode is Public uint public incentiveFeeBips = 300; /// @dev Timestamp of the last buyback/burn uint public lastBuyback; /// @dev Address for backstop incentives address public backstopIncentives; /// @dev Address for LP incentives address public lpIncentives; /// @dev Remaining ETH emissions cap uint public remainingCappedEthEmissions = 369 ether; /// @dev Available emissions for deposits uint public availableCurveEmissionsForDepositToken; /// @dev Flag indicating if the curve mechanism is active bool public curveActive = true; /// @dev Flag indicating if the backstop deposit farm is active bool public backstopFarmActive = true; // we assume true, even though another part of the system controls emissions /// @dev Flag indicating if the LP farm is active bool public lpFarmActive = true; // we assume true, even though another part of the system controls emissions /// @dev Maximum future FeeTokens from deposits uint public maxFutureFeeTokensFromDeposits; /// @dev Currently vesting FeeTokens uint public currentlyVestingFeeTokens; /// @dev Total deposited amount uint public totalDeposited; /// @dev Total staged amount waiting to unlock in the 3 day window uint public totalStaged; /// @dev Total forfeited supply uint public forfeitedSupply; /// @dev Duration in minutes for TWAP calculation uint32 public twapDurationMins = 15; /// @dev X value for curve calculations uint internal _x; /// @dev Y value for curve calculations uint internal _y; /// @dev K value for curve calculations (x * y = k) uint internal _k; /// @dev Generator for unique vest IDs uint public vestIdGenerator = 1; /// @dev Generator for unique drip IDs uint public dripIdGenerator = 1; /// @dev Cap per swap for buybacks uint public capPerSwap = 1_000_000_000e18; /// @dev Current buyback mode (Public or Private) BuybackMode public buybackMode = BuybackMode.Private; /// @dev Slippage percentage for swaps uint public slippagePCT = 5; /// @dev Total depositToken used for buy and burns uint public totalDepositTokenUsedForBuyAndBurns; /// @dev Total FeeTokens burned uint public totalFeeTokensBurned; //==================================================================// //--------------------------- STRUCTS ------------------------------// //==================================================================// /// @dev Structure to hold deposit vesting entry details struct VestingEntry { address owner; uint64 endTime; uint startTime; uint escrowAmount; uint vested; uint forfeit; uint deposit; uint duration; address referrer; bool isValid; uint stagedStart; uint stagedAmount; } /// @dev Structure to hold ETH contribution vesting entry details struct DripEntry { address contributor; uint contributionAmount; uint64 endTime; uint startTime; uint amount; uint vested; bool isValid; } /// @dev Structure to hold token information for Uniswap V3 position struct TokenInfo { uint tokenId; uint128 liquidity; int24 tickLower; int24 tickUpper; bool initialized; } //==================================================================// //-------------------------- MAPPINGS ------------------------------// //==================================================================// /// @dev Mapping of account addresses to their vesting entries mapping(address => mapping(uint => VestingEntry)) public vests; /// @dev Mapping of account addresses to their vesting FeeToken drips mapping(address => mapping(uint => DripEntry)) public drips; /// @dev Mapping of account addresses to their drip IDs mapping(address => uint[]) public accountDripIDs; /// @dev Mapping of vest IDs to their owners mapping(uint => address) public vestToVestOwnerIfHasReferrer; /// @dev Mapping of account addresses to their vesting IDs mapping(address => uint[]) public accountVestingIDs; /// @dev Mapping of referrer addresses to their total referrals mapping(address => uint) public totalReferrals; /// @dev Mapping of referrer addresses to their total referral rewards mapping(address => uint) public totalReferralRewards; /// @dev Mapping of referrer addresses to their referral vesting IDs mapping(address => uint[]) public referralVestingIDs; /// @dev Mapping of account addresses to their deposited amounts mapping(address => uint) public deposited; /// @dev Mapping of account addresses to their vesting amounts mapping(address => uint) public vesting; //==================================================================// //------------------------- PUBLIC VARS ----------------------------// //==================================================================// /// @dev Public variable to store token information TokenInfo public tokenInfo; //==================================================================// //--------------------------- ENUMS --------------------------------// //==================================================================// /// @dev Enum to represent buyback modes enum BuybackMode {Public, Private} //==================================================================// //--------------------------- EVENTS -------------------------------// //==================================================================// event VestStarted(address indexed beneficiary, uint value, uint duration, uint entryID, address referrer); event TokensStaged(address indexed beneficiary, uint value, uint availableTime); event EthContributed(address indexed contributor, uint256 ethAmount, uint256 feeTokenAmount, uint256 vestId); event DripClaimed(address indexed claimer, uint256 indexed vestId, uint256 amount); event Buyback(address indexed caller, uint swapInput, uint feeTokensBought, uint amountOutMinimum, uint incentiveFee, BuybackMode buybackMode, uint slippagePCT); event LiquidityAdded(uint initialDepositTokenSupplyInput, uint initialFeeTokenSupplyInput); event LPUnlocked(); event CurveTerminated(); event BackstopDepositFarmTerminated(); event LPFarmTerminated(); event Deposit(address indexed account, uint deposit, address referrer, uint mintableFeeTokens); event VestClaimed(address indexed account, uint vestId, uint vested, uint forfeit); event StagedTokensClaimed(address indexed account, uint vestId, uint amount); // Custom Errors error NotYetLaunched(); error CurveClosed(); error ZeroValueTransaction(); error NoFurtherEthAllocation(); error CannotDepositZero(); error FailedToTransferDepositToken(); error DepositResultsInZeroFeeTokensMinted(); error LPNotInitialized(); error OnlyCallableByOwnerDuringPrivateMode(); error OnlyCallableByEOA(); error BuybackCooldownNotRespected(); error BuybackEmpty(); error InvalidDripId(); error AllTokensAlreadyDripped(); error InvalidVestId(); error ClaimAlreadyVested(); error ClaimingBeforeMinimumPeriod(); error NoTokensToClaim(); error TokensNotYetClaimable(); error VestDoesNotExist(); //==================================================================// //------------------------- CONSTRUCTOR ----------------------------// //==================================================================// /** * @dev Constructor to initialize the FeeTokenMinter contract * @param _depositToken Address of the deposit token * @param _feeToken Address of the FeeToken token * @param _forfeitSink Address where forfeited tokens are sent * @param _ethSink Address where ETH contributions are sent * @param _swapRouter Address of the Uniswap V3 SwapRouter * @param _nonfungiblePositionManager Address of the Uniswap V3 NonfungiblePositionManager * @param _backstopIssuance Address for backstop issuance * @param _lpIncentives Address for LP issuance * @param _launchBlock Block number at which the contract is considered launched */ constructor( address _depositToken, address _feeToken, address _forfeitSink, address _ethSink, address _swapRouter, address _nonfungiblePositionManager, address _backstopIssuance, address _lpIncentives, uint _launchBlock ) { require(_depositToken != address(0), "_depositToken is null"); require(_feeToken != address(0), "_feeToken is null"); require(_forfeitSink != address(0), "_forfeitSink is null"); require(_ethSink != address(0), "_ethSink is null"); require(_swapRouter != address(0), "_swapRouter is null"); require(_nonfungiblePositionManager != address(0), "_nonfungiblePositionManager is null"); require(_backstopIssuance != address(0), "_backstopIssuance is null"); require(_lpIncentives != address(0), "_lpIncentives is null"); DEPLOYMENT_TIMESTAMP = block.timestamp; DEPLOYMENT_BLOCK = block.number; LAUNCH_BLOCK = _launchBlock; LAUNCH_TIMESTAMP = ((LAUNCH_BLOCK - DEPLOYMENT_BLOCK) * TIME_PER_BLOCK_PRODUCTION) + DEPLOYMENT_TIMESTAMP; depositToken = IERC20(_depositToken); feeToken = IFeeToken(_feeToken); router = ISwapRouter(_swapRouter); positionManager = INonfungiblePositionManager(_nonfungiblePositionManager); FORFEIT_SINK = _forfeitSink; ETH_SINK = _ethSink; // these addresses will have ability to add token vests for incentive farms if activated elsewhere in the system backstopIncentives = _backstopIssuance; lpIncentives = _lpIncentives; // amount of fee token which can be emitted at a fixed Eth rate uint availableEmissionsForEth = remainingCappedEthEmissions * ETH_RATE; // amount of fee tokens which will be available in aggregate across curve emissions and fixed rate availableCurveEmissionsForDepositToken = feeToken.minterSupply() - availableEmissionsForEth; // initial fee tokens rewarded for deposit token come out at a fixed rate FIXED_RATE_FOR_DEPOSIT_TOKEN = TOTAL_DEPOSITS_AT_FIXED_RATE / FEE_TOKEN_AVAILABLE_AT_FIXED_DEPOSIT_RATE; _x = CURVE_RATE_INCREASE_WEIGHT; _y = availableCurveEmissionsForDepositToken; _k = _x * _y; } /// @dev There is no valid case for renouncing ownership function renounceOwnership() public override onlyOwner { revert(); } //==================================================================// //-------------------------- MODIFIERS -----------------------------// //==================================================================// /// @dev Modifier to check if the curve mechanism is active modifier curveIsActive { if (!curveActive) revert CurveClosed(); _; } /// @dev Modifier to restrict access to incentive contracts modifier onlyIncentives { require((msg.sender == backstopIncentives) || (msg.sender == lpIncentives)); _; } /// @dev Modifier to ensure function is only callable after launch modifier afterLaunch { if (LAUNCH_BLOCK > block.number) revert NotYetLaunched(); _; } //==================================================================// //----------------------- ADMIN FUNCTIONS --------------------------// //==================================================================// /** * @dev Sets the reward for triggering ORX buybacks when buyback mode is Public * @param bips New percentage reward in basis points */ function setBuybackIncentiveBips(uint bips) external onlyOwner { require(bips >= 100 && bips <= 1000); incentiveFeeBips = bips; } /** * @dev Sets the interval for ORX buybacks * @param secs New interval in seconds */ function setBuybackCooldownInterval(uint secs) external onlyOwner { require(secs >= 15 minutes && secs <= 1 days); buybackCooldownPeriod = secs; } /** * @dev Sets the duration for TWAP calculation * @param min New duration in minutes */ function setTwapDurationMins(uint32 min) external onlyOwner { require(min >= 5 && min <= 60); twapDurationMins = min; } /** * @dev Sets the cap for auto swap * @param amount New cap amount */ function setCapPerAutoSwap(uint amount) external onlyOwner { require(amount >= 1e18 && amount <= 500_000_000_000e18); capPerSwap = amount; } /** * @dev Sets the buyback mode * @param mode New buyback mode */ function setBuybackMode(BuybackMode mode) external onlyOwner { // not doing input validation, as external call reverts if out of enum range buybackMode = mode; } /** * @dev Sets the slippage percentage * @param amount New slippage percentage */ function setSlippage(uint amount) external onlyOwner { require(amount >= 1 && amount <= 50); slippagePCT = amount; } /** * @dev Terminates the curve mechanism */ function terminateCurve() external onlyOwner { require(curveActive); curveActive = false; emit CurveTerminated(); } /** * @dev Terminates the backstop deposit farm */ function terminateBackstopDepositFarm() external onlyOwner { require(backstopFarmActive); backstopFarmActive = false; emit BackstopDepositFarmTerminated(); } /** * @dev Terminates the LP farm */ function terminateLPFarm() external onlyOwner { require(lpFarmActive); lpFarmActive = false; emit LPFarmTerminated(); } /** * @dev Mints the initial position in the Uniswap V3 pool */ function mintInitialPosition() external onlyOwner { require(!uniPoolInitialised); (address token0, address token1, uint amount0Desired, uint amount1Desired, int24 initialTick) = _getPoolConfig(); pool = IUniswapV3Pool( positionManager.createAndInitializePoolIfNecessary( token0, token1, POOL_FEE, TickMath.getSqrtRatioAtTick(initialTick) ) ); pool.increaseObservationCardinalityNext(100); INonfungiblePositionManager.MintParams memory params = INonfungiblePositionManager.MintParams({ token0: token0, token1: token1, fee: POOL_FEE, tickLower: MIN_TICK, tickUpper: MAX_TICK, amount0Desired: amount0Desired, amount1Desired: amount1Desired, amount0Min: (amount0Desired * 90) / 100, amount1Min: (amount1Desired * 90) / 100, recipient: address(this), deadline: block.timestamp + 600 }); feeToken.mint(address(this), INITIAL_FEE_TOKEN_LIQUIDITY_AMOUNT); feeToken.approve(address(positionManager), INITIAL_FEE_TOKEN_LIQUIDITY_AMOUNT); depositToken.approve(address(positionManager), INITIAL_DEPOSIT_TOKEN_LIQUIDITY_AMOUNT); (uint tokenId, uint128 liquidity,,) = INonfungiblePositionManager(address(positionManager)).mint(params); tokenInfo.tokenId = uint80(tokenId); tokenInfo.liquidity = uint128(liquidity); tokenInfo.tickLower = MIN_TICK; tokenInfo.tickUpper = MAX_TICK; uniPoolInitialised = true; } /** * @dev Collects fees from the Uniswap V3 position */ function collectFees() external onlyOwner { require(uniPoolInitialised); address feeTokenAddress_ = address(feeToken); address depositTokenAddress_ = address(depositToken); (uint amount0, uint amount1) = _collectFees(); uint feeTokenAmount; uint depositTokenAmount; if (feeTokenAddress_ < depositTokenAddress_) { feeTokenAmount = amount0; depositTokenAmount = amount1; } else { depositTokenAmount = amount0; feeTokenAmount = amount1; } totalFeeTokensBurned += feeTokenAmount; feeToken.burn(feeTokenAmount); } //==================================================================// //----------------- EXTERNAL MUTATIVE FUNCTIONS --------------------// //==================================================================// function contributeEth() external payable afterLaunch nonReentrant { if (msg.value == 0) revert ZeroValueTransaction(); if (remainingCappedEthEmissions == 0) revert NoFurtherEthAllocation(); uint contributionAmount = msg.value; uint refund; if (msg.value > remainingCappedEthEmissions) { contributionAmount = remainingCappedEthEmissions; refund = msg.value - contributionAmount; } uint feeTokenAmount = contributionAmount * ETH_RATE; remainingCappedEthEmissions -= contributionAmount; uint ethContributionId = dripIdGenerator; dripIdGenerator++; uint beginTime = (block.timestamp < (LAUNCH_TIMESTAMP + ETH_LAUNCH_PHASE_TIME)) ? LAUNCH_TIMESTAMP : block.timestamp; drips[msg.sender][ethContributionId] = DripEntry({ contributor: msg.sender, endTime: uint64(beginTime + CONTRIBUTION_VESTING_PERIOD), startTime: uint64(beginTime), amount: feeTokenAmount, contributionAmount: contributionAmount, vested: 0, isValid: true }); accountDripIDs[msg.sender].push(ethContributionId); currentlyVestingFeeTokens += feeTokenAmount; Address.sendValue(payable(ETH_SINK), contributionAmount); if (refund > 0) { Address.sendValue(payable(msg.sender), refund); } emit EthContributed(msg.sender, contributionAmount, feeTokenAmount, ethContributionId); } /** * @dev Allows users to deposit tokens and start vesting * @param _deposit Amount of tokens to deposit * @param referredBy Address of the referrer */ function deposit(uint _deposit, address referredBy) external curveIsActive afterLaunch { if (_deposit == 0) revert CannotDepositZero(); if (!depositToken.transferFrom(msg.sender, address(this), _deposit)) revert FailedToTransferDepositToken(); (uint mintableFeeTokens, uint newX, uint newY) = calculateReturn(_deposit); if (mintableFeeTokens == 0) revert DepositResultsInZeroFeeTokensMinted(); _y = newY; _x = newX; deposited[msg.sender] += _deposit; totalDeposited += _deposit; maxFutureFeeTokensFromDeposits += mintableFeeTokens; currentlyVestingFeeTokens += mintableFeeTokens; _appendVestingEntry(msg.sender, mintableFeeTokens, referredBy, DEPOSIT_VESTING_PERIOD, _deposit); emit Deposit(msg.sender, _deposit, referredBy, mintableFeeTokens); } /** * @dev Performs a buyback of FeeTokens * @return amountOut The amount of FeeTokens bought back */ function buyback() external nonReentrant returns (uint amountOut) { if (!uniPoolInitialised) revert LPNotInitialized(); if (buybackMode == BuybackMode.Private && msg.sender != owner()) revert OnlyCallableByOwnerDuringPrivateMode(); if (msg.sender != tx.origin) revert OnlyCallableByEOA(); if ((block.timestamp - lastBuyback) < buybackCooldownPeriod) revert BuybackCooldownNotRespected(); lastBuyback = block.timestamp; uint amountIn = depositToken.balanceOf(address(this)); uint buyCap = capPerSwap; if (amountIn > buyCap) { amountIn = buyCap; } uint256 incentiveFee; if (buybackMode == BuybackMode.Private) { incentiveFee = 0; } else { incentiveFee = (amountIn * incentiveFeeBips) / 10_000; amountIn -= incentiveFee; require(depositToken.transfer(msg.sender, incentiveFee), "Inc transfer error"); } if (amountIn == 0) revert BuybackEmpty(); depositToken.approve(address(router), amountIn); uint amountOutMinimum = calculateMinimumFeeTokenAmount(amountIn); ISwapRouter.ExactInputSingleParams memory params = ISwapRouter.ExactInputSingleParams({ tokenIn: address(depositToken), tokenOut: address(feeToken), fee: POOL_FEE, recipient: address(this), deadline: block.timestamp + 1, amountIn: amountIn, amountOutMinimum: amountOutMinimum, sqrtPriceLimitX96: 0 }); amountOut = router.exactInputSingle(params); feeToken.burn(amountOut); totalDepositTokenUsedForBuyAndBurns += amountIn; totalFeeTokensBurned += amountOut; emit Buyback(msg.sender, amountIn, amountOut, amountOutMinimum, incentiveFee, buybackMode, slippagePCT); } /** * @dev Allows users to claim vested FeeTokens from their ETH contribution * @param dripId ID of the ETH contribution (drip) * @return dripped Amount of FeeTokens claimed */ function drip(uint dripId) external returns (uint dripped) { DripEntry storage contribution = drips[msg.sender][dripId]; if (!contribution.isValid) revert InvalidDripId(); if (contribution.amount <= contribution.vested) revert AllTokensAlreadyDripped(); uint claimableAmount = calculatePendingDrip(msg.sender, dripId); contribution.vested = contribution.vested + claimableAmount; dripped = claimableAmount; currentlyVestingFeeTokens -= dripped; if (dripped > 0) { feeToken.mint(msg.sender, claimableAmount); emit DripClaimed(msg.sender, dripId, claimableAmount); } } /** * @dev Allows users to vest their tokens * @param vestId ID of the vesting entry to vest */ function vest(uint vestId, bool allowNuke) external { VestingEntry storage entry = vests[msg.sender][vestId]; if (!entry.isValid) revert InvalidVestId(); if (entry.escrowAmount == 0) revert ClaimAlreadyVested(); (uint vested, uint forfeit) = _claimableVest(entry); if (vested == 0 && !allowNuke) revert ClaimingBeforeMinimumPeriod(); currentlyVestingFeeTokens -= entry.escrowAmount; vesting[msg.sender] -= entry.escrowAmount; entry.escrowAmount = 0; entry.vested = vested; entry.forfeit = forfeit; if (forfeit != 0) { forfeitedSupply += forfeit; feeToken.mint(FORFEIT_SINK, forfeit); } if (vested != 0) { entry.stagedStart = block.timestamp; entry.stagedAmount = vested; totalStaged += vested; emit TokensStaged(msg.sender, vested, block.timestamp + 3 days); if (entry.referrer != address(0)) { uint referralBonus = (vested * 2) / 100; // 2% totalStaged += referralBonus; emit TokensStaged(entry.referrer, referralBonus, block.timestamp + 3 days); } } emit VestClaimed(msg.sender, vestId, vested, forfeit); } /** * @dev Allows users to claim their staged tokens * @param vestId ID of the vesting entry to claim staged tokens from */ function claimStagedTokens(uint vestId) public { VestingEntry storage entry = vests[msg.sender][vestId]; if (!entry.isValid) revert InvalidVestId(); if (entry.stagedAmount == 0) revert NoTokensToClaim(); if (block.timestamp < entry.stagedStart + 3 days) revert TokensNotYetClaimable(); uint amount = entry.stagedAmount; entry.stagedAmount = 0; totalStaged -= amount; if (entry.referrer != address(0)) { uint referralBonus = (amount * 2) / 100; // 2% totalStaged -= referralBonus; totalReferralRewards[entry.referrer] += referralBonus; feeToken.mint(entry.referrer, referralBonus); emit StagedTokensClaimed(entry.referrer, vestId, referralBonus); } feeToken.mint(msg.sender, amount); emit StagedTokensClaimed(msg.sender, vestId, amount); } /** * @dev Appends a vesting entry for an account (only callable by incentive contracts) * @param account Address of the account to receive the vested tokens * @param quantity Amount of tokens to vest */ function appendVestingEntry(address account, uint quantity) external override onlyIncentives { bool shouldReward = (msg.sender == lpIncentives && lpFarmActive) || (msg.sender == backstopIncentives && backstopFarmActive); if (shouldReward && (block.number >= LAUNCH_BLOCK)) { currentlyVestingFeeTokens += quantity; _appendVestingEntry(account, quantity, address(0), DEPOSIT_VESTING_PERIOD, 0); } } //==================================================================// //---------------------- INTERNAL FUNCTIONS ------------------------// //==================================================================// /** * @dev Appends a vesting entry * @param account Address of the account to receive the vested tokens * @param quantity Amount of tokens to vest * @param referrer Address of the referrer * @param duration Duration of the vesting period * @param _deposit Amount of tokens deposited */ function _appendVestingEntry(address account, uint quantity, address referrer, uint duration, uint _deposit) internal { uint vestId = vestIdGenerator; vestIdGenerator++; uint endTime = block.timestamp + duration; vesting[account] += quantity; vests[account][vestId] = VestingEntry({ owner: account, endTime: uint64(endTime), startTime: uint64(block.timestamp), deposit: _deposit, escrowAmount: quantity, vested: 0, forfeit: 0, duration: duration, referrer: referrer, isValid: true, stagedStart: 0, stagedAmount: 0 }); if (referrer != address(0)) { totalReferrals[referrer]++; vestToVestOwnerIfHasReferrer[vestId] = account; referralVestingIDs[referrer].push(vestId); } accountVestingIDs[account].push(vestId); emit VestStarted(account, quantity, duration, vestId, referrer); } /** * @dev Calculates the claimable amount for a vesting entry * @param _entry The vesting entry to calculate for * @return vested The amount of tokens vested * @return forfeit The amount of tokens forfeited */ function _claimableVest(VestingEntry memory _entry) internal view returns (uint vested, uint forfeit) { uint escrowAmount = _entry.escrowAmount; if (escrowAmount == 0) { return (0, 0); // Already fully claimed } uint timeElapsed = block.timestamp - _entry.startTime; uint halfDuration = _entry.duration / 2; if (block.timestamp >= _entry.endTime) { return (escrowAmount, 0); // Full amount claimable after end time } else if (timeElapsed < DEPOSIT_VESTING_CLIFF_DURATION) { return (0, escrowAmount); // Nothing claimable in first 28 days } else if (timeElapsed <= halfDuration) { // Slow linear increase up to 10% for the first half of the term uint maxFirstHalfVested = escrowAmount * 10 / 100; vested = maxFirstHalfVested * timeElapsed / halfDuration; } else { // Exponential increase for the second half of the term uint secondHalfElapsed = timeElapsed - halfDuration; uint secondHalfDuration = _entry.duration - halfDuration; // It's ok that second half initially vests slower than linear vest, because it makes up for it on tail end. uint exponentialFactor = ((secondHalfElapsed ** 2) * 1e18) / (secondHalfDuration ** 2); uint maxSecondHalfVested = escrowAmount - (escrowAmount * 10 / 100); vested = (escrowAmount * 10 / 100) + ((maxSecondHalfVested * exponentialFactor) / 1e18); } forfeit = escrowAmount - vested; return (vested, forfeit); } /** * @dev Gets the token configuration for pool initialization * @return token0 Address of token0 * @return token1 Address of token1 * @return amount0 Amount of token0 * @return amount1 Amount of token1 */ function _getPoolConfig() private view returns (address token0, address token1, uint amount0, uint amount1, int24 tick) { address feeTokenAddress_ = address(feeToken); address depositTokenAddress_ = address(depositToken); if (feeTokenAddress_ < depositTokenAddress_) { token0 = feeTokenAddress_; amount0 = INITIAL_FEE_TOKEN_LIQUIDITY_AMOUNT; token1 = depositTokenAddress_; amount1 = INITIAL_DEPOSIT_TOKEN_LIQUIDITY_AMOUNT; tick = INITIAL_TICK_IF_FEE_TOKEN_IS_TOKEN0; } else { token0 = depositTokenAddress_; amount0 = INITIAL_DEPOSIT_TOKEN_LIQUIDITY_AMOUNT; token1 = feeTokenAddress_; amount1 = INITIAL_FEE_TOKEN_LIQUIDITY_AMOUNT; tick = INITIAL_TICK_IF_DEPOSIT_TOKEN_IS_TOKEN0; } } /** * @dev Collects fees from the Uniswap V3 position * @return amount0 Amount of token0 collected * @return amount1 Amount of token1 collected */ function _collectFees() private returns (uint amount0, uint amount1) { (amount0, amount1) = positionManager.collect(INonfungiblePositionManager.CollectParams({ tokenId: tokenInfo.tokenId, recipient: address(this), amount0Max: type(uint128).max, amount1Max: type(uint128).max })); } //==================================================================// //----------------- PUBLIC/EXTERNAL VIEW FUNCTIONS -----------------// //==================================================================// /** * @dev Calculates the FeeToken return for a given ETH amount * @param amount Amount of ETH * @return The calculated FeeToken return */ function calculateEthReturn(uint amount) external view returns (uint) { if (amount == 0) { return 0; } else if (amount >= remainingCappedEthEmissions) { return remainingCappedEthEmissions * ETH_RATE; } else { return amount * ETH_RATE; } } /** * @dev Calculates the amount of FeeTokens available to claim from an ETH contribution * @param owner Address of the ETH contributor * @param dripId ID of the ETH contribution (drip) * @return claimableAmount Amount of FeeTokens available to claim */ function calculatePendingDrip(address owner, uint dripId) public view returns (uint256 claimableAmount) { DripEntry storage _drip = drips[owner][dripId]; if (!_drip.isValid || _drip.amount <= _drip.vested) { return 0; } uint256 currentTime = block.timestamp; uint256 startTime = uint256(_drip.startTime); uint256 endTime = uint256(_drip.endTime); uint256 cliffDuration = ETH_CONTRIBUTION_CLIFF_DURATION; if (currentTime >= endTime) { claimableAmount = _drip.amount - _drip.vested; } else if (currentTime <= startTime + cliffDuration) { claimableAmount = 0; } else { uint256 vestingDuration = endTime - startTime - cliffDuration; uint256 timeVested = currentTime - startTime - cliffDuration; claimableAmount = ((((_drip.amount * 1e18) * timeVested) / vestingDuration) / 1e18) - _drip.vested; } } /** * @dev Calculates the return for a given token input * @param tokenIn Amount of tokens to input * @return emittableFeeTokens Amount of FeeToken that can be emitted * @return newX New X value after the calculation * @return newY New Y value after the calculation */ function calculateReturn(uint tokenIn) public view returns (uint emittableFeeTokens, uint newX, uint newY) { if (totalDeposited >= TOTAL_DEPOSITS_AT_FIXED_RATE) { newX = _x + tokenIn; newY = _k / newX; emittableFeeTokens = _y - newY; } else if ((totalDeposited + tokenIn) <= TOTAL_DEPOSITS_AT_FIXED_RATE) { emittableFeeTokens = tokenIn / FIXED_RATE_FOR_DEPOSIT_TOKEN; // Still update the curve, because we want it to be higher than the fixed rate by the time it kicks in. newX = _x; newY = _y; } else { uint curveRatePortion = (totalDeposited + tokenIn) - TOTAL_DEPOSITS_AT_FIXED_RATE; uint fixedRatePortion = tokenIn - curveRatePortion; newX = _x + curveRatePortion; newY = _k / newX; emittableFeeTokens = _y - newY; emittableFeeTokens += fixedRatePortion / FIXED_RATE_FOR_DEPOSIT_TOKEN; } } /** * @dev Gets the claimable amount for a specific vesting entry * @param user Address of the user * @param vestId ID of the vesting entry * @return quantity Amount claimable * @return forfeit Amount to be forfeited */ function getVestingEntryClaimable(address user, uint vestId) external view returns (uint quantity, uint forfeit) { VestingEntry memory entry = vests[user][vestId]; if (!entry.isValid) revert VestDoesNotExist(); (quantity, forfeit) = _claimableVest(entry); } /** * @dev Calculates the minimum FeeToken amount for a given input amount * @param amountIn Input amount * @return amountOutMinimum Minimum output amount */ function calculateMinimumFeeTokenAmount(uint amountIn) public view returns (uint amountOutMinimum) { uint slippage_ = slippagePCT; uint expectedFeeTokenAmount = getFeeTokenQuoteForDepositToken(amountIn); amountOutMinimum = (expectedFeeTokenAmount * (100 - slippage_)) / 100; } /** * @dev Gets a quote for token swap * @param tokenIn Address of input token * @param tokenOut Address of output token * @param amountIn Amount of input token * @param secondsAgo Number of seconds ago for the TWAP * @return amountOut Quoted output amount */ function getQuote(address tokenIn, address tokenOut, uint amountIn, uint32 secondsAgo) public view returns (uint amountOut) { address poolAddress = PoolAddress.computeAddress( address(positionManager.factory()), PoolAddress.getPoolKey(tokenIn, tokenOut, POOL_FEE) ); uint32 oldestObservation = OracleLibrary.getOldestObservationSecondsAgo(poolAddress); if (oldestObservation < secondsAgo) { secondsAgo = oldestObservation; } uint160 sqrtPriceX96; if (secondsAgo == 0) { IUniswapV3Pool uniPool = IUniswapV3Pool(poolAddress); (sqrtPriceX96,,,,,,) = uniPool.slot0(); } else { (int24 arithmeticMeanTick,) = OracleLibrary.consult(poolAddress, secondsAgo); sqrtPriceX96 = TickMath.getSqrtRatioAtTick(arithmeticMeanTick); } return OracleLibrary.getQuoteForSqrtRatioX96(sqrtPriceX96, amountIn, tokenIn, tokenOut); } /** * @dev Gets a quote for FeeToken in terms of deposit token * @param baseAmount Amount of deposit token * @return quote Quoted amount of FeeToken */ function getFeeTokenQuoteForDepositToken(uint baseAmount) public view returns (uint quote) { return getQuote(address(depositToken), address(feeToken), baseAmount, twapDurationMins * 60); } //==================================================================// //-------------- EXTERNAL VIEW FUNCTIONS FOR UI --------------------// //==================================================================// /** * @dev Struct to represent a vesting entry with additional information */ struct External_VestingEntry { address owner; uint64 endTime; uint startTime; uint escrowAmount; uint vested; uint forfeit; uint deposit; uint duration; address referrer; bool isValid; uint stagedStart; uint stagedAmount; uint vestId; uint currentVest; uint currentForfeit; } /** * @dev Struct to represent a drip entry with additional information */ struct External_DripEntry { address contributor; uint64 endTime; uint startTime; uint amount; uint contributionAmount; uint vested; bool isValid; uint dripId; uint claimable; } /** * @dev Returns accountVestingId's as array for account * @param account The account to lookup * @return vestingIds array */ function getAccountVestingIDs(address account) external view returns (uint[] memory) { return accountVestingIDs[account]; } /** * @dev Returns referralVestingId's as array for account * @param account The account to lookup * @return referralVestingIds array */ function getReferralVestingIDs(address account) external view returns (uint[] memory) { return referralVestingIDs[account]; } /** * @dev Gets the total number of ETH vesting entries for an account * @param account Address of the account * @return The total number of ETH vesting entries */ function getTotalEthContributions(address account) external view returns (uint) { return accountDripIDs[account].length; } /** * @dev Gets the total number of vesting entries for an account * @param account Address of the account * @return The total number of vesting entries */ function getTotalVestingEntries(address account) external view returns (uint) { return accountVestingIDs[account].length; } /** * @dev Gets the total number of referral entries for an account * @param account Address of the account * @return The total number of referral entries */ function getTotalReferralEntries(address account) external view returns (uint) { return referralVestingIDs[account].length; } /** * @dev Gets a paginated list of vesting entries for an account * @param account Address of the account * @param startIdx Starting index for pagination * @param count Number of entries to return * @return entries An array of External_VestingEntry structs */ function getVestingEntries(address account, uint startIdx, uint count) external view returns (External_VestingEntry[] memory entries) { uint totalVests = accountVestingIDs[account].length; if (startIdx >= totalVests) { // Paged to the end. return entries; } uint endIdx = startIdx + count; if (endIdx > totalVests) { endIdx = totalVests; } entries = new External_VestingEntry[](endIdx - startIdx); for (uint i = startIdx; i < endIdx; i++) { uint vestId = accountVestingIDs[account][i]; VestingEntry memory _vest = vests[account][vestId]; (uint vested, uint forfeit) = _claimableVest(_vest); entries[i - startIdx] = External_VestingEntry({ vestId: vestId, owner: _vest.owner, endTime: _vest.endTime, startTime: _vest.startTime, escrowAmount: _vest.escrowAmount, vested: _vest.vested, forfeit: _vest.forfeit, deposit: _vest.deposit, duration: _vest.duration, referrer: _vest.referrer, isValid: _vest.isValid, stagedStart: _vest.stagedStart, stagedAmount: _vest.stagedAmount, currentVest: vested, currentForfeit: forfeit }); } } /** * @dev Gets a paginated list of drip entries for an account * @param account Address of the account * @param startIdx Starting index for pagination * @param count Number of entries to return * @return entries An array of External_DripEntry structs */ function getDripEntries(address account, uint startIdx, uint count) external view returns (External_DripEntry[] memory entries) { uint totalVests = accountDripIDs[account].length; if (startIdx >= totalVests) { return entries; } uint endIdx = startIdx + count; if (endIdx > totalVests) { endIdx = totalVests; } entries = new External_DripEntry[](endIdx - startIdx); for (uint i = startIdx; i < endIdx; i++) { uint dripId = accountDripIDs[account][i]; DripEntry memory _drip = drips[account][dripId]; uint claimable = calculatePendingDrip(account, dripId); entries[i - startIdx] = External_DripEntry({ contributor: _drip.contributor, endTime: _drip.endTime, startTime: _drip.startTime, amount: _drip.amount, contributionAmount: _drip.contributionAmount, vested: _drip.vested, isValid: _drip.isValid, dripId: dripId, claimable: claimable }); } } /** * @dev Gets a paginated list of referral entries for an account * @param account Address of the account * @param startIdx Starting index for pagination * @param count Number of entries to return * @return entries An array of External_VestingEntry structs */ function getReferralEntries(address account, uint startIdx, uint count) external view returns (External_VestingEntry[] memory entries) { uint totalRefs = referralVestingIDs[account].length; if (startIdx >= totalRefs) { // Paged to the end. return entries; } uint endIdx = startIdx + count; if (endIdx > totalRefs) { endIdx = totalRefs; } entries = new External_VestingEntry[](endIdx - startIdx); for (uint i = startIdx; i < endIdx; i++) { uint vestId = referralVestingIDs[account][i]; VestingEntry memory _vest = vests[vestToVestOwnerIfHasReferrer[vestId]][vestId]; (uint vested, uint forfeit) = _claimableVest(_vest); entries[i - startIdx] = External_VestingEntry({ vestId: vestId, owner: _vest.owner, endTime: _vest.endTime, startTime: _vest.startTime, escrowAmount: _vest.escrowAmount, vested: _vest.vested, forfeit: _vest.forfeit, deposit: _vest.deposit, duration: _vest.duration, referrer: _vest.referrer, isValid: _vest.isValid, stagedStart: _vest.stagedStart, stagedAmount: _vest.stagedAmount, currentVest: vested, currentForfeit: forfeit }); } } }
File 2 of 2: TITANX
// SPDX-License-Identifier: UNLICENSED pragma solidity ^0.8.10; import "./openzeppelin/security/ReentrancyGuard.sol"; import "./openzeppelin/token/ERC20/ERC20.sol"; import "./openzeppelin/interfaces/IERC165.sol"; import "../interfaces/ITitanOnBurn.sol"; import "../interfaces/ITITANX.sol"; import "../libs/calcFunctions.sol"; import "./GlobalInfo.sol"; import "./MintInfo.sol"; import "./StakeInfo.sol"; import "./BurnInfo.sol"; import "./OwnerInfo.sol"; //custom errors error TitanX_InvalidAmount(); error TitanX_InsufficientBalance(); error TitanX_NotSupportedContract(); error TitanX_InsufficientProtocolFees(); error TitanX_FailedToSendAmount(); error TitanX_NotAllowed(); error TitanX_NoCycleRewardToClaim(); error TitanX_NoSharesExist(); error TitanX_EmptyUndistributeFees(); error TitanX_InvalidBurnRewardPercent(); error TitanX_InvalidBatchCount(); error TitanX_InvalidMintLadderInterval(); error TitanX_InvalidMintLadderRange(); error TitanX_MaxedWalletMints(); error TitanX_LPTokensHasMinted(); error TitanX_InvalidAddress(); error TitanX_InsufficientBurnAllowance(); /** @title Titan X */ contract TITANX is ERC20, ReentrancyGuard, GlobalInfo, MintInfo, StakeInfo, BurnInfo, OwnerInfo { /** Storage Variables*/ /** @dev stores genesis wallet address */ address private s_genesisAddress; /** @dev stores buy and burn contract address */ address private s_buyAndBurnAddress; /** @dev tracks collected protocol fees until it is distributed */ uint88 private s_undistributedEth; /** @dev tracks burn reward from distributeETH() until payout is triggered */ uint88 private s_cycleBurnReward; /** @dev tracks if initial LP tokens has minted or not */ InitialLPMinted private s_initialLPMinted; /** @dev trigger to turn on burn pool reward */ BurnPoolEnabled private s_burnPoolEnabled; /** @dev tracks user + project burn mints allowance */ mapping(address => mapping(address => uint256)) private s_allowanceBurnMints; /** @dev tracks user + project burn stakes allowance */ mapping(address => mapping(address => uint256)) private s_allowanceBurnStakes; event ProtocolFeeRecevied(address indexed user, uint256 indexed day, uint256 indexed amount); event ETHDistributed(address indexed caller, uint256 indexed amount); event CyclePayoutTriggered( address indexed caller, uint256 indexed cycleNo, uint256 indexed reward, uint256 burnReward ); event RewardClaimed(address indexed user, uint256 indexed reward); event ApproveBurnStakes(address indexed user, address indexed project, uint256 indexed amount); event ApproveBurnMints(address indexed user, address indexed project, uint256 indexed amount); constructor(address genesisAddress, address buyAndBurnAddress) ERC20("TITAN X", "TITANX") { if (genesisAddress == address(0)) revert TitanX_InvalidAddress(); if (buyAndBurnAddress == address(0)) revert TitanX_InvalidAddress(); s_genesisAddress = genesisAddress; s_buyAndBurnAddress = buyAndBurnAddress; } /**** Mint Functions *****/ /** @notice create a new mint * @param mintPower 1 - 100 * @param numOfDays mint length of 1 - 280 */ function startMint( uint256 mintPower, uint256 numOfDays ) external payable nonReentrant dailyUpdate { if (getUserLatestMintId(_msgSender()) + 1 > MAX_MINT_PER_WALLET) revert TitanX_MaxedWalletMints(); uint256 gMintPower = getGlobalMintPower() + mintPower; uint256 currentTRank = getGlobalTRank() + 1; uint256 gMinting = getTotalMinting() + _startMint( _msgSender(), mintPower, numOfDays, getCurrentMintableTitan(), getCurrentMintPowerBonus(), getCurrentEAABonus(), getUserBurnAmplifierBonus(_msgSender()), gMintPower, currentTRank, getBatchMintCost(mintPower, 1, getCurrentMintCost()) ); _updateMintStats(currentTRank, gMintPower, gMinting); _protocolFees(mintPower, 1); } /** @notice create new mints in batch of up to 100 mints * @param mintPower 1 - 100 * @param numOfDays mint length of 1 - 280 * @param count 1 - 100 */ function batchMint( uint256 mintPower, uint256 numOfDays, uint256 count ) external payable nonReentrant dailyUpdate { if (count == 0 || count > MAX_BATCH_MINT_COUNT) revert TitanX_InvalidBatchCount(); if (getUserLatestMintId(_msgSender()) + count > MAX_MINT_PER_WALLET) revert TitanX_MaxedWalletMints(); _startBatchMint( _msgSender(), mintPower, numOfDays, getCurrentMintableTitan(), getCurrentMintPowerBonus(), getCurrentEAABonus(), getUserBurnAmplifierBonus(_msgSender()), count, getBatchMintCost(mintPower, 1, getCurrentMintCost()) //only need 1 mint cost for all mints ); _protocolFees(mintPower, count); } /** @notice create new mints in ladder up to 100 mints * @param mintPower 1 - 100 * @param minDay minimum mint length * @param maxDay maximum mint lenght * @param dayInterval day increase from previous mint length * @param countPerInterval how many mints per mint length */ function batchMintLadder( uint256 mintPower, uint256 minDay, uint256 maxDay, uint256 dayInterval, uint256 countPerInterval ) external payable nonReentrant dailyUpdate { if (dayInterval == 0) revert TitanX_InvalidMintLadderInterval(); if (maxDay < minDay || minDay == 0 || maxDay > MAX_MINT_LENGTH) revert TitanX_InvalidMintLadderRange(); uint256 count = getBatchMintLadderCount(minDay, maxDay, dayInterval, countPerInterval); if (count == 0 || count > MAX_BATCH_MINT_COUNT) revert TitanX_InvalidBatchCount(); if (getUserLatestMintId(_msgSender()) + count > MAX_MINT_PER_WALLET) revert TitanX_MaxedWalletMints(); uint256 mintCost = getBatchMintCost(mintPower, 1, getCurrentMintCost()); //only need 1 mint cost for all mints _startbatchMintLadder( _msgSender(), mintPower, minDay, maxDay, dayInterval, countPerInterval, getCurrentMintableTitan(), getCurrentMintPowerBonus(), getCurrentEAABonus(), getUserBurnAmplifierBonus(_msgSender()), mintCost ); _protocolFees(mintPower, count); } /** @notice claim a matured mint * @param id mint id */ function claimMint(uint256 id) external dailyUpdate nonReentrant { _mintReward(_claimMint(_msgSender(), id, MintAction.CLAIM)); } /** @notice batch claim matured mint of up to 100 claims per run */ function batchClaimMint() external dailyUpdate nonReentrant { _mintReward(_batchClaimMint(_msgSender())); } /**** Stake Functions *****/ /** @notice start a new stake * @param amount titan amount * @param numOfDays stake length */ function startStake(uint256 amount, uint256 numOfDays) external dailyUpdate nonReentrant { if (balanceOf(_msgSender()) < amount) revert TitanX_InsufficientBalance(); _burn(_msgSender(), amount); _initFirstSharesCycleIndex( _msgSender(), _startStake( _msgSender(), amount, numOfDays, getCurrentShareRate(), getCurrentContractDay(), getGlobalPayoutTriggered() ) ); } /** @notice end a stake * @param id stake id */ function endStake(uint256 id) external dailyUpdate nonReentrant { _mint( _msgSender(), _endStake( _msgSender(), id, getCurrentContractDay(), StakeAction.END, StakeAction.END_OWN, getGlobalPayoutTriggered() ) ); } /** @notice end a stake for others * @param user wallet address * @param id stake id */ function endStakeForOthers(address user, uint256 id) external dailyUpdate nonReentrant { _mint( user, _endStake( user, id, getCurrentContractDay(), StakeAction.END, StakeAction.END_OTHER, getGlobalPayoutTriggered() ) ); } /** @notice distribute the collected protocol fees into different pools/payouts * automatically send the incentive fee to caller, buyAndBurnFunds to BuyAndBurn contract, and genesis wallet */ function distributeETH() external dailyUpdate nonReentrant { (uint256 incentiveFee, uint256 buyAndBurnFunds, uint256 genesisWallet) = _distributeETH(); _sendFunds(incentiveFee, buyAndBurnFunds, genesisWallet); } /** @notice trigger cylce payouts for day 8, 28, 90, 369, 888 including the burn reward cycle 28 * As long as the cycle has met its maturiy day (eg. Cycle8 is day 8), payout can be triggered in any day onwards */ function triggerPayouts() external dailyUpdate nonReentrant { uint256 globalActiveShares = getGlobalShares() - getGlobalExpiredShares(); if (globalActiveShares < 1) revert TitanX_NoSharesExist(); uint256 incentiveFee; uint256 buyAndBurnFunds; uint256 genesisWallet; if (s_undistributedEth != 0) (incentiveFee, buyAndBurnFunds, genesisWallet) = _distributeETH(); uint256 currentContractDay = getCurrentContractDay(); PayoutTriggered isTriggered = PayoutTriggered.NO; _triggerCyclePayout(DAY8, globalActiveShares, currentContractDay) == PayoutTriggered.YES && isTriggered == PayoutTriggered.NO ? isTriggered = PayoutTriggered.YES : isTriggered; _triggerCyclePayout(DAY28, globalActiveShares, currentContractDay) == PayoutTriggered.YES && isTriggered == PayoutTriggered.NO ? isTriggered = PayoutTriggered.YES : isTriggered; _triggerCyclePayout(DAY90, globalActiveShares, currentContractDay) == PayoutTriggered.YES && isTriggered == PayoutTriggered.NO ? isTriggered = PayoutTriggered.YES : isTriggered; _triggerCyclePayout(DAY369, globalActiveShares, currentContractDay) == PayoutTriggered.YES && isTriggered == PayoutTriggered.NO ? isTriggered = PayoutTriggered.YES : isTriggered; _triggerCyclePayout(DAY888, globalActiveShares, currentContractDay) == PayoutTriggered.YES && isTriggered == PayoutTriggered.NO ? isTriggered = PayoutTriggered.YES : isTriggered; if (isTriggered == PayoutTriggered.YES) { if (getGlobalPayoutTriggered() == PayoutTriggered.NO) _setGlobalPayoutTriggered(); } if (incentiveFee != 0) _sendFunds(incentiveFee, buyAndBurnFunds, genesisWallet); } /** @notice claim all user available ETH payouts in one call */ function claimUserAvailableETHPayouts() external dailyUpdate nonReentrant { uint256 reward = _claimCyclePayout(DAY8, PayoutClaim.SHARES); reward += _claimCyclePayout(DAY28, PayoutClaim.SHARES); reward += _claimCyclePayout(DAY90, PayoutClaim.SHARES); reward += _claimCyclePayout(DAY369, PayoutClaim.SHARES); reward += _claimCyclePayout(DAY888, PayoutClaim.SHARES); if (reward == 0) revert TitanX_NoCycleRewardToClaim(); _sendViaCall(payable(_msgSender()), reward); emit RewardClaimed(_msgSender(), reward); } /** @notice claim all user available burn rewards in one call */ function claimUserAvailableETHBurnPool() external dailyUpdate nonReentrant { uint256 reward = _claimCyclePayout(DAY28, PayoutClaim.BURN); if (reward == 0) revert TitanX_NoCycleRewardToClaim(); _sendViaCall(payable(_msgSender()), reward); emit RewardClaimed(_msgSender(), reward); } /** @notice Set BuyAndBurn Contract Address - able to change to new contract that supports UniswapV4+ * Only owner can call this function * @param contractAddress BuyAndBurn contract address */ function setBuyAndBurnContractAddress(address contractAddress) external onlyOwner { if (contractAddress == address(0)) revert TitanX_InvalidAddress(); s_buyAndBurnAddress = contractAddress; } /** @notice enable burn pool to start accumulate reward. Only owner can call this function. */ function enableBurnPoolReward() external onlyOwner { s_burnPoolEnabled = BurnPoolEnabled.TRUE; } /** @notice Set to new genesis wallet. Only genesis wallet can call this function * @param newAddress new genesis wallet address */ function setNewGenesisAddress(address newAddress) external { if (_msgSender() != s_genesisAddress) revert TitanX_NotAllowed(); if (newAddress == address(0)) revert TitanX_InvalidAddress(); s_genesisAddress = newAddress; } /** @notice mint initial LP tokens. Only BuyAndBurn contract set by genesis wallet can call this function */ function mintLPTokens() external { if (_msgSender() != s_buyAndBurnAddress) revert TitanX_NotAllowed(); if (s_initialLPMinted == InitialLPMinted.YES) revert TitanX_LPTokensHasMinted(); s_initialLPMinted = InitialLPMinted.YES; _mint(s_buyAndBurnAddress, INITAL_LP_TOKENS); } /** @notice burn all BuyAndBurn contract Titan */ function burnLPTokens() external dailyUpdate { _burn(s_buyAndBurnAddress, balanceOf(s_buyAndBurnAddress)); } //private functions /** @dev mint reward to user and 1% to genesis wallet * @param reward titan amount */ function _mintReward(uint256 reward) private { _mint(_msgSender(), reward); _mint(s_genesisAddress, (reward * 800) / PERCENT_BPS); } /** @dev send ETH to respective parties * @param incentiveFee fees for caller to run distributeETH() * @param buyAndBurnFunds funds for buy and burn * @param genesisWalletFunds funds for genesis wallet */ function _sendFunds( uint256 incentiveFee, uint256 buyAndBurnFunds, uint256 genesisWalletFunds ) private { _sendViaCall(payable(_msgSender()), incentiveFee); _sendViaCall(payable(s_genesisAddress), genesisWalletFunds); _sendViaCall(payable(s_buyAndBurnAddress), buyAndBurnFunds); } /** @dev calculation to distribute collected protocol fees into different pools/parties */ function _distributeETH() private returns (uint256 incentiveFee, uint256 buyAndBurnFunds, uint256 genesisWallet) { uint256 accumulatedFees = s_undistributedEth; if (accumulatedFees == 0) revert TitanX_EmptyUndistributeFees(); s_undistributedEth = 0; emit ETHDistributed(_msgSender(), accumulatedFees); incentiveFee = (accumulatedFees * INCENTIVE_FEE_PERCENT) / INCENTIVE_FEE_PERCENT_BASE; //0.01% accumulatedFees -= incentiveFee; buyAndBurnFunds = (accumulatedFees * PERCENT_TO_BUY_AND_BURN) / PERCENT_BPS; uint256 cylceBurnReward = (accumulatedFees * PERCENT_TO_BURN_PAYOUTS) / PERCENT_BPS; genesisWallet = (accumulatedFees * PERCENT_TO_GENESIS) / PERCENT_BPS; uint256 cycleRewardPool = accumulatedFees - buyAndBurnFunds - cylceBurnReward - genesisWallet; if (s_burnPoolEnabled == BurnPoolEnabled.TRUE) s_cycleBurnReward += uint88(cylceBurnReward); else buyAndBurnFunds += cylceBurnReward; //cycle payout if (cycleRewardPool != 0) { uint256 cycle8Reward = (cycleRewardPool * CYCLE_8_PERCENT) / PERCENT_BPS; uint256 cycle28Reward = (cycleRewardPool * CYCLE_28_PERCENT) / PERCENT_BPS; uint256 cycle90Reward = (cycleRewardPool * CYCLE_90_PERCENT) / PERCENT_BPS; uint256 cycle369Reward = (cycleRewardPool * CYCLE_369_PERCENT) / PERCENT_BPS; _setCyclePayoutPool(DAY8, cycle8Reward); _setCyclePayoutPool(DAY28, cycle28Reward); _setCyclePayoutPool(DAY90, cycle90Reward); _setCyclePayoutPool(DAY369, cycle369Reward); _setCyclePayoutPool( DAY888, cycleRewardPool - cycle8Reward - cycle28Reward - cycle90Reward - cycle369Reward ); } } /** @dev calcualte required protocol fees, and return the balance (if any) * @param mintPower mint power 1-100 * @param count how many mints */ function _protocolFees(uint256 mintPower, uint256 count) private { uint256 protocolFee; protocolFee = getBatchMintCost(mintPower, count, getCurrentMintCost()); if (msg.value < protocolFee) revert TitanX_InsufficientProtocolFees(); uint256 feeBalance; s_undistributedEth += uint88(protocolFee); feeBalance = msg.value - protocolFee; if (feeBalance != 0) { _sendViaCall(payable(_msgSender()), feeBalance); } emit ProtocolFeeRecevied(_msgSender(), getCurrentContractDay(), protocolFee); } /** @dev calculate payouts for each cycle day tracked by cycle index * @param cycleNo cylce day 8, 28, 90, 369, 888 * @param globalActiveShares global active shares * @param currentContractDay current contract day * @return triggered is payout triggered succesfully */ function _triggerCyclePayout( uint256 cycleNo, uint256 globalActiveShares, uint256 currentContractDay ) private returns (PayoutTriggered triggered) { //check against cylce payout maturity day if (currentContractDay < getNextCyclePayoutDay(cycleNo)) return PayoutTriggered.NO; //update the next cycle payout day regardless of payout triggered succesfully or not _setNextCyclePayoutDay(cycleNo); uint256 reward = getCyclePayoutPool(cycleNo); if (reward == 0) return PayoutTriggered.NO; //calculate cycle reward per share and get new cycle Index uint256 cycleIndex = _calculateCycleRewardPerShare(cycleNo, reward, globalActiveShares); //calculate burn reward if cycle is 28 uint256 totalCycleBurn = getCycleBurnTotal(cycleIndex); uint256 burnReward; if (cycleNo == DAY28 && totalCycleBurn != 0) { burnReward = s_cycleBurnReward; if (burnReward != 0) { s_cycleBurnReward = 0; _calculateCycleBurnRewardPerToken(cycleIndex, burnReward, totalCycleBurn); } } emit CyclePayoutTriggered(_msgSender(), cycleNo, reward, burnReward); return PayoutTriggered.YES; } /** @dev calculate user reward with specified cycle day and claim type (shares/burn) and update user's last claim cycle index * @param cycleNo cycle day 8, 28, 90, 369, 888 * @param payoutClaim claim type - (Shares=0/Burn=1) */ function _claimCyclePayout(uint256 cycleNo, PayoutClaim payoutClaim) private returns (uint256) { ( uint256 reward, uint256 userClaimCycleIndex, uint256 userClaimSharesIndex, uint256 userClaimBurnCycleIndex ) = _calculateUserCycleReward(_msgSender(), cycleNo, payoutClaim); if (payoutClaim == PayoutClaim.SHARES) _updateUserClaimIndexes( _msgSender(), cycleNo, userClaimCycleIndex, userClaimSharesIndex ); if (payoutClaim == PayoutClaim.BURN) { _updateUserBurnCycleClaimIndex(_msgSender(), cycleNo, userClaimBurnCycleIndex); } return reward; } /** @dev burn liquid Titan through other project. * called by other contracts for proof of burn 2.0 with up to 8% for both builder fee and user rebate * @param user user address * @param amount liquid titan amount * @param userRebatePercentage percentage for user rebate in liquid titan (0 - 8) * @param rewardPaybackPercentage percentage for builder fee in liquid titan (0 - 8) * @param rewardPaybackAddress builder can opt to receive fee in another address */ function _burnLiquidTitan( address user, uint256 amount, uint256 userRebatePercentage, uint256 rewardPaybackPercentage, address rewardPaybackAddress ) private { if (amount == 0) revert TitanX_InvalidAmount(); if (balanceOf(user) < amount) revert TitanX_InsufficientBalance(); _spendAllowance(user, _msgSender(), amount); _burnbefore(userRebatePercentage, rewardPaybackPercentage); _burn(user, amount); _burnAfter( user, amount, userRebatePercentage, rewardPaybackPercentage, rewardPaybackAddress, BurnSource.LIQUID ); } /** @dev burn stake through other project. * called by other contracts for proof of burn 2.0 with up to 8% for both builder fee and user rebate * @param user user address * @param id stake id * @param userRebatePercentage percentage for user rebate in liquid titan (0 - 8) * @param rewardPaybackPercentage percentage for builder fee in liquid titan (0 - 8) * @param rewardPaybackAddress builder can opt to receive fee in another address */ function _burnStake( address user, uint256 id, uint256 userRebatePercentage, uint256 rewardPaybackPercentage, address rewardPaybackAddress ) private { _spendBurnStakeAllowance(user); _burnbefore(userRebatePercentage, rewardPaybackPercentage); _burnAfter( user, _endStake( user, id, getCurrentContractDay(), StakeAction.BURN, StakeAction.END_OWN, getGlobalPayoutTriggered() ), userRebatePercentage, rewardPaybackPercentage, rewardPaybackAddress, BurnSource.STAKE ); } /** @dev burn mint through other project. * called by other contracts for proof of burn 2.0 * burn mint has no builder reward and no user rebate * @param user user address * @param id mint id */ function _burnMint(address user, uint256 id) private { _spendBurnMintAllowance(user); _burnbefore(0, 0); uint256 amount = _claimMint(user, id, MintAction.BURN); _mint(s_genesisAddress, (amount * 800) / PERCENT_BPS); _burnAfter(user, amount, 0, 0, _msgSender(), BurnSource.MINT); } /** @dev perform checks before burning starts. * check reward percentage and check if called by supported contract * @param userRebatePercentage percentage for user rebate * @param rewardPaybackPercentage percentage for builder fee */ function _burnbefore( uint256 userRebatePercentage, uint256 rewardPaybackPercentage ) private view { if (rewardPaybackPercentage + userRebatePercentage > MAX_BURN_REWARD_PERCENT) revert TitanX_InvalidBurnRewardPercent(); //Only supported contracts is allowed to call this function if ( !IERC165(_msgSender()).supportsInterface(IERC165.supportsInterface.selector) || !IERC165(_msgSender()).supportsInterface(type(ITitanOnBurn).interfaceId) ) revert TitanX_NotSupportedContract(); } /** @dev update burn stats and mint reward to builder or user if applicable * @param user user address * @param amount titan amount burned * @param userRebatePercentage percentage for user rebate in liquid titan (0 - 8) * @param rewardPaybackPercentage percentage for builder fee in liquid titan (0 - 8) * @param rewardPaybackAddress builder can opt to receive fee in another address * @param source liquid/mint/stake */ function _burnAfter( address user, uint256 amount, uint256 userRebatePercentage, uint256 rewardPaybackPercentage, address rewardPaybackAddress, BurnSource source ) private { uint256 index = getCurrentCycleIndex(DAY28) + 1; /** set to the latest cylceIndex + 1 for fresh wallet * same concept as _initFirstSharesCycleIndex, refer to its dev comment */ if (getUserBurnTotal(user) == 0) _updateUserBurnCycleClaimIndex(user, DAY28, index); _updateBurnAmount(user, _msgSender(), amount, index, source); uint256 devFee; uint256 userRebate; if (rewardPaybackPercentage != 0) devFee = (amount * rewardPaybackPercentage * PERCENT_BPS) / (100 * PERCENT_BPS); if (userRebatePercentage != 0) userRebate = (amount * userRebatePercentage * PERCENT_BPS) / (100 * PERCENT_BPS); if (devFee != 0) _mint(rewardPaybackAddress, devFee); if (userRebate != 0) _mint(user, userRebate); ITitanOnBurn(_msgSender()).onBurn(user, amount); } /** @dev Recommended method to use to send native coins. * @param to receiving address. * @param amount in wei. */ function _sendViaCall(address payable to, uint256 amount) private { if (to == address(0)) revert TitanX_InvalidAddress(); (bool sent, ) = to.call{value: amount}(""); if (!sent) revert TitanX_FailedToSendAmount(); } /** @dev reduce user's allowance for caller (spender/project) by 1 (burn 1 stake at a time) * Does not update the allowance amount in case of infinite allowance. * Revert if not enough allowance is available. * @param user user address */ function _spendBurnStakeAllowance(address user) private { uint256 currentAllowance = allowanceBurnStakes(user, _msgSender()); if (currentAllowance != type(uint256).max) { if (currentAllowance == 0) revert TitanX_InsufficientBurnAllowance(); --s_allowanceBurnStakes[user][_msgSender()]; } } /** @dev reduce user's allowance for caller (spender/project) by 1 (burn 1 mint at a time) * Does not update the allowance amount in case of infinite allowance. * Revert if not enough allowance is available. * @param user user address */ function _spendBurnMintAllowance(address user) private { uint256 currentAllowance = allowanceBurnMints(user, _msgSender()); if (currentAllowance != type(uint256).max) { if (currentAllowance == 0) revert TitanX_InsufficientBurnAllowance(); --s_allowanceBurnMints[user][_msgSender()]; } } //Views /** @dev calculate user payout reward with specified cycle day and claim type (shares/burn). * it loops through all the unclaimed cylce index until the latest cycle index * @param user user address * @param cycleNo cycle day 8, 28, 90, 369, 888 * @param payoutClaim claim type (Shares=0/Burn=1) * @return rewards calculated reward * @return userClaimCycleIndex last claim cycle index * @return userClaimSharesIndex last claim shares index * @return userClaimBurnCycleIndex last claim burn cycle index */ function _calculateUserCycleReward( address user, uint256 cycleNo, PayoutClaim payoutClaim ) private view returns ( uint256 rewards, uint256 userClaimCycleIndex, uint256 userClaimSharesIndex, uint256 userClaimBurnCycleIndex ) { uint256 cycleMaxIndex = getCurrentCycleIndex(cycleNo); if (payoutClaim == PayoutClaim.SHARES) { (userClaimCycleIndex, userClaimSharesIndex) = getUserLastClaimIndex(user, cycleNo); uint256 sharesMaxIndex = getUserLatestShareIndex(user); for (uint256 i = userClaimCycleIndex; i <= cycleMaxIndex; i++) { (uint256 payoutPerShare, uint256 payoutDay) = getPayoutPerShare(cycleNo, i); uint256 shares; //loop shares indexes to find the last updated shares before/same triggered payout day for (uint256 j = userClaimSharesIndex; j <= sharesMaxIndex; j++) { if (getUserActiveSharesDay(user, j) <= payoutDay) shares = getUserActiveShares(user, j); else break; userClaimSharesIndex = j; } if (payoutPerShare != 0 && shares != 0) { //reward has 18 decimals scaling, so here divide by 1e18 rewards += (shares * payoutPerShare) / SCALING_FACTOR_1e18; } userClaimCycleIndex = i + 1; } } else if (cycleNo == DAY28 && payoutClaim == PayoutClaim.BURN) { userClaimBurnCycleIndex = getUserLastBurnClaimIndex(user, cycleNo); for (uint256 i = userClaimBurnCycleIndex; i <= cycleMaxIndex; i++) { uint256 burnPayoutPerToken = getCycleBurnPayoutPerToken(i); rewards += (burnPayoutPerToken != 0) ? (burnPayoutPerToken * _getUserCycleBurnTotal(user, i)) / SCALING_FACTOR_1e18 : 0; userClaimBurnCycleIndex = i + 1; } } } /** @notice get contract ETH balance * @return balance eth balance */ function getBalance() public view returns (uint256) { return address(this).balance; } /** @notice get undistributed ETH balance * @return amount eth amount */ function getUndistributedEth() public view returns (uint256) { return s_undistributedEth; } /** @notice get user ETH payout for all cycles * @param user user address * @return reward total reward */ function getUserETHClaimableTotal(address user) public view returns (uint256 reward) { uint256 _reward; (_reward, , , ) = _calculateUserCycleReward(user, DAY8, PayoutClaim.SHARES); reward += _reward; (_reward, , , ) = _calculateUserCycleReward(user, DAY28, PayoutClaim.SHARES); reward += _reward; (_reward, , , ) = _calculateUserCycleReward(user, DAY90, PayoutClaim.SHARES); reward += _reward; (_reward, , , ) = _calculateUserCycleReward(user, DAY369, PayoutClaim.SHARES); reward += _reward; (_reward, , , ) = _calculateUserCycleReward(user, DAY888, PayoutClaim.SHARES); reward += _reward; } /** @notice get user burn reward ETH payout * @param user user address * @return reward burn reward */ function getUserBurnPoolETHClaimableTotal(address user) public view returns (uint256 reward) { (reward, , , ) = _calculateUserCycleReward(user, DAY28, PayoutClaim.BURN); } /** @notice get total penalties from mint and stake * @return amount total penalties */ function getTotalPenalties() public view returns (uint256) { return getTotalMintPenalty() + getTotalStakePenalty(); } /** @notice get burn pool reward * @return reward burn pool reward */ function getCycleBurnPool() public view returns (uint256) { return s_cycleBurnReward; } /** @notice get user current burn cycle percentage * @return percentage in 18 decimals */ function getCurrentUserBurnCyclePercentage() public view returns (uint256) { uint256 index = getCurrentCycleIndex(DAY28) + 1; uint256 cycleBurnTotal = getCycleBurnTotal(index); return cycleBurnTotal == 0 ? 0 : (_getUserCycleBurnTotal(_msgSender(), index) * 100 * SCALING_FACTOR_1e18) / cycleBurnTotal; } /** @notice get user current cycle total titan burned * @param user user address * @return burnTotal total titan burned in curreny burn cycle */ function getUserCycleBurnTotal(address user) public view returns (uint256) { return _getUserCycleBurnTotal(user, getCurrentCycleIndex(DAY28) + 1); } function isBurnPoolEnabled() public view returns (BurnPoolEnabled) { return s_burnPoolEnabled; } /** @notice returns user's burn stakes allowance of a project * @param user user address * @param spender project address */ function allowanceBurnStakes(address user, address spender) public view returns (uint256) { return s_allowanceBurnStakes[user][spender]; } /** @notice returns user's burn mints allowance of a project * @param user user address * @param spender project address */ function allowanceBurnMints(address user, address spender) public view returns (uint256) { return s_allowanceBurnMints[user][spender]; } //Public functions for devs to intergrate with Titan /** @notice allow anyone to sync dailyUpdate manually */ function manualDailyUpdate() public dailyUpdate {} /** @notice Burn Titan tokens and creates Proof-Of-Burn record to be used by connected DeFi and fee is paid to specified address * @param user user address * @param amount titan amount * @param userRebatePercentage percentage for user rebate in liquid titan (0 - 8) * @param rewardPaybackPercentage percentage for builder fee in liquid titan (0 - 8) * @param rewardPaybackAddress builder can opt to receive fee in another address */ function burnTokensToPayAddress( address user, uint256 amount, uint256 userRebatePercentage, uint256 rewardPaybackPercentage, address rewardPaybackAddress ) public dailyUpdate nonReentrant { _burnLiquidTitan( user, amount, userRebatePercentage, rewardPaybackPercentage, rewardPaybackAddress ); } /** @notice Burn Titan tokens and creates Proof-Of-Burn record to be used by connected DeFi and fee is paid to specified address * @param user user address * @param amount titan amount * @param userRebatePercentage percentage for user rebate in liquid titan (0 - 8) * @param rewardPaybackPercentage percentage for builder fee in liquid titan (0 - 8) */ function burnTokens( address user, uint256 amount, uint256 userRebatePercentage, uint256 rewardPaybackPercentage ) public dailyUpdate nonReentrant { _burnLiquidTitan(user, amount, userRebatePercentage, rewardPaybackPercentage, _msgSender()); } /** @notice allows user to burn liquid titan directly from contract * @param amount titan amount */ function userBurnTokens(uint256 amount) public dailyUpdate nonReentrant { if (amount == 0) revert TitanX_InvalidAmount(); if (balanceOf(_msgSender()) < amount) revert TitanX_InsufficientBalance(); _burn(_msgSender(), amount); _updateBurnAmount( _msgSender(), address(0), amount, getCurrentCycleIndex(DAY28) + 1, BurnSource.LIQUID ); } /** @notice Burn stake and creates Proof-Of-Burn record to be used by connected DeFi and fee is paid to specified address * @param user user address * @param id stake id * @param userRebatePercentage percentage for user rebate in liquid titan (0 - 8) * @param rewardPaybackPercentage percentage for builder fee in liquid titan (0 - 8) * @param rewardPaybackAddress builder can opt to receive fee in another address */ function burnStakeToPayAddress( address user, uint256 id, uint256 userRebatePercentage, uint256 rewardPaybackPercentage, address rewardPaybackAddress ) public dailyUpdate nonReentrant { _burnStake(user, id, userRebatePercentage, rewardPaybackPercentage, rewardPaybackAddress); } /** @notice Burn stake and creates Proof-Of-Burn record to be used by connected DeFi and fee is paid to project contract address * @param user user address * @param id stake id * @param userRebatePercentage percentage for user rebate in liquid titan (0 - 8) * @param rewardPaybackPercentage percentage for builder fee in liquid titan (0 - 8) */ function burnStake( address user, uint256 id, uint256 userRebatePercentage, uint256 rewardPaybackPercentage ) public dailyUpdate nonReentrant { _burnStake(user, id, userRebatePercentage, rewardPaybackPercentage, _msgSender()); } /** @notice allows user to burn stake directly from contract * @param id stake id */ function userBurnStake(uint256 id) public dailyUpdate nonReentrant { _updateBurnAmount( _msgSender(), address(0), _endStake( _msgSender(), id, getCurrentContractDay(), StakeAction.BURN, StakeAction.END_OWN, getGlobalPayoutTriggered() ), getCurrentCycleIndex(DAY28) + 1, BurnSource.STAKE ); } /** @notice Burn mint and creates Proof-Of-Burn record to be used by connected DeFi. * Burn mint has no project reward or user rebate * @param user user address * @param id mint id */ function burnMint(address user, uint256 id) public dailyUpdate nonReentrant { _burnMint(user, id); } /** @notice allows user to burn mint directly from contract * @param id mint id */ function userBurnMint(uint256 id) public dailyUpdate nonReentrant { _updateBurnAmount( _msgSender(), address(0), _claimMint(_msgSender(), id, MintAction.BURN), getCurrentCycleIndex(DAY28) + 1, BurnSource.MINT ); } /** @notice Sets `amount` as the allowance of `spender` over the caller's (user) mints. * @param spender contract address * @param amount allowance amount */ function approveBurnMints(address spender, uint256 amount) public returns (bool) { if (spender == address(0)) revert TitanX_InvalidAddress(); s_allowanceBurnMints[_msgSender()][spender] = amount; emit ApproveBurnMints(_msgSender(), spender, amount); return true; } /** @notice Sets `amount` as the allowance of `spender` over the caller's (user) stakes. * @param spender contract address * @param amount allowance amount */ function approveBurnStakes(address spender, uint256 amount) public returns (bool) { if (spender == address(0)) revert TitanX_InvalidAddress(); s_allowanceBurnStakes[_msgSender()][spender] = amount; emit ApproveBurnStakes(_msgSender(), spender, amount); return true; } } // SPDX-License-Identifier: UNLICENSED pragma solidity ^0.8.10; import "./openzeppelin/utils/Context.sol"; error TitanX_NotOnwer(); abstract contract OwnerInfo is Context { address private s_owner; /** * @dev Initializes the contract setting the deployer as the initial owner. */ constructor() { s_owner = _msgSender(); } /** * @dev Throws if called by any account other than the owner. */ modifier onlyOwner() { _checkOwner(); _; } /** * @dev Throws if the sender is not the owner. */ function _checkOwner() internal view virtual { if (s_owner != _msgSender()) revert TitanX_NotOnwer(); } /** * @dev Leaves the contract without owner. It will not be possible to call * `onlyOwner` functions. Can only be called by the current owner. * * NOTE: Renouncing ownership will leave the contract without an owner, * thereby disabling any functionality that is only available to the owner. */ function renounceOwnership() public onlyOwner { _setOwner(address(0)); } /** * @dev Transfers ownership of the contract to a new account (`newOwner`). * Can only be called by the current owner. */ function transferOwnership(address newOwner) public onlyOwner { _setOwner(newOwner); } function _setOwner(address newOwner) private { s_owner = newOwner; } } // SPDX-License-Identifier: UNLICENSED pragma solidity ^0.8.10; import "../libs/constant.sol"; import "../libs/enum.sol"; /** * @title BurnInfo * @dev this contract is meant to be inherited into main contract * @notice It has the variables and functions specifically for tracking burn amount and reward */ abstract contract BurnInfo { //Variables //track the total titan burn amount uint256 private s_totalTitanBurned; //mappings //track wallet address -> total titan burn amount mapping(address => uint256) private s_userBurnAmount; //track contract/project address -> total titan burn amount mapping(address => uint256) private s_project_BurnAmount; //track contract/project address, wallet address -> total titan burn amount mapping(address => mapping(address => uint256)) private s_projectUser_BurnAmount; /** @dev cycleIndex is increased when triggerPayouts() was called successfully * so we track data in current cycleIndex + 1 which means tracking for the next cycle payout * cycleIndex is passed from the TITANX contract during function call */ //track cycleIndex + 1 -> total burn amount mapping(uint256 => uint256) private s_cycle28TotalBurn; //track address, cycleIndex + 1 -> total burn amount mapping(address => mapping(uint256 => uint256)) private s_userCycle28TotalBurn; //track cycleIndex + 1 -> burn payout per token mapping(uint256 => uint256) private s_cycle28BurnPayoutPerToken; //events /** @dev log user burn titan event * project can be address(0) if user burns Titan directly from Titan contract * burnPoolCycleIndex is the cycle 28 index, which reuse the same index as Day 28 cycle index * titanSource 0=Liquid, 1=Mint, 2=Stake */ event TitanBurned( address indexed user, address indexed project, uint256 indexed burnPoolCycleIndex, uint256 amount, BurnSource titanSource ); //functions /** @dev update the burn amount in each 28-cylce for user and project (if any) * @param user wallet address * @param project contract address * @param amount titan amount burned * @param cycleIndex cycle payout triggered index */ function _updateBurnAmount( address user, address project, uint256 amount, uint256 cycleIndex, BurnSource source ) internal { s_userBurnAmount[user] += amount; s_totalTitanBurned += amount; s_cycle28TotalBurn[cycleIndex] += amount; s_userCycle28TotalBurn[user][cycleIndex] += amount; if (project != address(0)) { s_project_BurnAmount[project] += amount; s_projectUser_BurnAmount[project][user] += amount; } emit TitanBurned(user, project, cycleIndex, amount, source); } /** * @dev calculate burn reward per titan burned based on total reward / total titan burned in current cycle * @param cycleIndex wallet address * @param reward contract address * @param cycleBurnAmount titan amount burned */ function _calculateCycleBurnRewardPerToken( uint256 cycleIndex, uint256 reward, uint256 cycleBurnAmount ) internal { //add 18 decimals to reward for better precision in calculation s_cycle28BurnPayoutPerToken[cycleIndex] = (reward * SCALING_FACTOR_1e18) / cycleBurnAmount; } /** @dev returned value is in 18 decimals, need to divide it by 1e18 and 100 (percentage) when using this value for reward calculation * The burn amplifier percentage is applied to all future mints. Capped at MAX_BURN_AMP_PERCENT (8%) * @param user wallet address * @return percentage returns percentage value in 18 decimals */ function getUserBurnAmplifierBonus(address user) public view returns (uint256) { uint256 userBurnTotal = getUserBurnTotal(user); if (userBurnTotal == 0) return 0; if (userBurnTotal >= MAX_BURN_AMP_BASE) return MAX_BURN_AMP_PERCENT; return (MAX_BURN_AMP_PERCENT * userBurnTotal) / MAX_BURN_AMP_BASE; } //views /** @notice return total burned titan amount from all users burn or projects burn * @return totalBurnAmount returns entire burned titan */ function getTotalBurnTotal() public view returns (uint256) { return s_totalTitanBurned; } /** @notice return user address total burned titan * @return userBurnAmount returns user address total burned titan */ function getUserBurnTotal(address user) public view returns (uint256) { return s_userBurnAmount[user]; } /** @notice return project address total burned titan amount * @return projectTotalBurnAmount returns project total burned titan */ function getProjectBurnTotal(address contractAddress) public view returns (uint256) { return s_project_BurnAmount[contractAddress]; } /** @notice return user address total burned titan amount via a project address * @param contractAddress project address * @param user user address * @return projectUserTotalBurnAmount returns user address total burned titan via a project address */ function getProjectUserBurnTotal( address contractAddress, address user ) public view returns (uint256) { return s_projectUser_BurnAmount[contractAddress][user]; } /** @notice return cycle28 total burned titan amount with the specified cycleIndex * @param cycleIndex cycle index * @return cycle28TotalBurn returns cycle28 total burned titan amount with the specified cycleIndex */ function getCycleBurnTotal(uint256 cycleIndex) public view returns (uint256) { return s_cycle28TotalBurn[cycleIndex]; } /** @notice return cycle28 total burned titan amount with the specified cycleIndex * @param user user address * @param cycleIndex cycle index * @return cycle28TotalBurn returns cycle28 user address total burned titan amount with the specified cycleIndex */ function _getUserCycleBurnTotal( address user, uint256 cycleIndex ) internal view returns (uint256) { return s_userCycle28TotalBurn[user][cycleIndex]; } /** @notice return cycle28 burn payout per titan with the specified cycleIndex * @param cycleIndex cycle index * @return cycle28TotalBurn returns cycle28 burn payout per titan with the specified cycleIndex */ function getCycleBurnPayoutPerToken(uint256 cycleIndex) public view returns (uint256) { return s_cycle28BurnPayoutPerToken[cycleIndex]; } } // SPDX-License-Identifier: UNLICENSED pragma solidity ^0.8.10; import "../libs/calcFunctions.sol"; //custom errors error TitanX_InvalidStakeLength(); error TitanX_RequireOneMinimumShare(); error TitanX_ExceedMaxAmountPerStake(); error TitanX_NoStakeExists(); error TitanX_StakeHasEnded(); error TitanX_StakeNotMatured(); error TitanX_StakeHasBurned(); error TitanX_MaxedWalletStakes(); abstract contract StakeInfo { //Variables /** @dev track global stake Id */ uint256 private s_globalStakeId; /** @dev track global shares */ uint256 private s_globalShares; /** @dev track global expired shares */ uint256 private s_globalExpiredShares; /** @dev track global staked titan */ uint256 private s_globalTitanStaked; /** @dev track global end stake penalty */ uint256 private s_globalStakePenalty; /** @dev track global ended stake */ uint256 private s_globalStakeEnd; /** @dev track global burned stake */ uint256 private s_globalStakeBurn; //mappings /** @dev track address => stakeId */ mapping(address => uint256) private s_addressSId; /** @dev track address, stakeId => global stake Id */ mapping(address => mapping(uint256 => uint256)) private s_addressSIdToGlobalStakeId; /** @dev track global stake Id => stake info */ mapping(uint256 => UserStakeInfo) private s_globalStakeIdToStakeInfo; /** @dev track address => shares Index */ mapping(address => uint256) private s_userSharesIndex; /** @dev track user total active shares by user shares index * s_addressIdToActiveShares[user][index] = UserActiveShares (contract day, total user active shares) * works like a snapshot or log when user shares has changed (increase/decrease) */ mapping(address => mapping(uint256 => UserActiveShares)) private s_addressIdToActiveShares; //structs struct UserStakeInfo { uint152 titanAmount; uint128 shares; uint16 numOfDays; uint48 stakeStartTs; uint48 maturityTs; StakeStatus status; } struct UserStake { uint256 sId; uint256 globalStakeId; UserStakeInfo stakeInfo; } struct UserActiveShares { uint256 day; uint256 activeShares; } //events event StakeStarted( address indexed user, uint256 indexed globalStakeId, uint256 numOfDays, UserStakeInfo indexed userStakeInfo ); event StakeEnded( address indexed user, uint256 indexed globalStakeId, uint256 titanAmount, uint256 indexed penalty, uint256 penaltyAmount ); //functions /** @dev create a new stake * @param user user address * @param amount titan amount * @param numOfDays stake lenght * @param shareRate current share rate * @param day current contract day * @param isPayoutTriggered has global payout triggered * @return isFirstShares first created shares or not */ function _startStake( address user, uint256 amount, uint256 numOfDays, uint256 shareRate, uint256 day, PayoutTriggered isPayoutTriggered ) internal returns (uint256 isFirstShares) { uint256 sId = ++s_addressSId[user]; if (sId > MAX_STAKE_PER_WALLET) revert TitanX_MaxedWalletStakes(); if (numOfDays < MIN_STAKE_LENGTH || numOfDays > MAX_STAKE_LENGTH) revert TitanX_InvalidStakeLength(); //calculate shares uint256 shares = calculateShares(amount, numOfDays, shareRate); if (shares / SCALING_FACTOR_1e18 < 1) revert TitanX_RequireOneMinimumShare(); uint256 currentGStakeId = ++s_globalStakeId; uint256 maturityTs; maturityTs = block.timestamp + (numOfDays * SECONDS_IN_DAY); UserStakeInfo memory userStakeInfo = UserStakeInfo({ titanAmount: uint152(amount), shares: uint128(shares), numOfDays: uint16(numOfDays), stakeStartTs: uint48(block.timestamp), maturityTs: uint48(maturityTs), status: StakeStatus.ACTIVE }); /** s_addressSId[user] tracks stake Id for each address * s_addressSIdToGlobalStakeId[user][id] tracks stack id to global stake Id * s_globalStakeIdToStakeInfo[currentGStakeId] stores stake info */ s_addressSIdToGlobalStakeId[user][sId] = currentGStakeId; s_globalStakeIdToStakeInfo[currentGStakeId] = userStakeInfo; //update shares changes isFirstShares = _updateSharesStats( user, shares, amount, day, isPayoutTriggered, StakeAction.START ); emit StakeStarted(user, currentGStakeId, numOfDays, userStakeInfo); } /** @dev end stake and calculate pinciple with penalties (if any) or burn stake * @param user user address * @param id stake Id * @param day current contract day * @param action end stake or burn stake * @param payOther is end stake for others * @param isPayoutTriggered has global payout triggered * @return titan titan principle */ function _endStake( address user, uint256 id, uint256 day, StakeAction action, StakeAction payOther, PayoutTriggered isPayoutTriggered ) internal returns (uint256 titan) { uint256 globalStakeId = s_addressSIdToGlobalStakeId[user][id]; if (globalStakeId == 0) revert TitanX_NoStakeExists(); UserStakeInfo memory userStakeInfo = s_globalStakeIdToStakeInfo[globalStakeId]; if (userStakeInfo.status == StakeStatus.ENDED) revert TitanX_StakeHasEnded(); if (userStakeInfo.status == StakeStatus.BURNED) revert TitanX_StakeHasBurned(); //end stake for others requires matured stake to prevent EES for others if (payOther == StakeAction.END_OTHER && block.timestamp < userStakeInfo.maturityTs) revert TitanX_StakeNotMatured(); //update shares changes uint256 shares = userStakeInfo.shares; _updateSharesStats(user, shares, userStakeInfo.titanAmount, day, isPayoutTriggered, action); if (action == StakeAction.END) { ++s_globalStakeEnd; s_globalStakeIdToStakeInfo[globalStakeId].status = StakeStatus.ENDED; } else if (action == StakeAction.BURN) { ++s_globalStakeBurn; s_globalStakeIdToStakeInfo[globalStakeId].status = StakeStatus.BURNED; } titan = _calculatePrinciple(user, globalStakeId, userStakeInfo, action); } /** @dev update shares changes to track when user shares has changed, this affect the payout calculation * @param user user address * @param shares shares * @param amount titan amount * @param day current contract day * @param isPayoutTriggered has global payout triggered * @param action start stake or end stake * @return isFirstShares first created shares or not */ function _updateSharesStats( address user, uint256 shares, uint256 amount, uint256 day, PayoutTriggered isPayoutTriggered, StakeAction action ) private returns (uint256 isFirstShares) { //Get previous active shares to calculate new shares change uint256 index = s_userSharesIndex[user]; uint256 previousShares = s_addressIdToActiveShares[user][index].activeShares; if (action == StakeAction.START) { //return 1 if this is a new wallet address //this is used to initialize last claim index to the latest cycle index if (index == 0) isFirstShares = 1; s_addressIdToActiveShares[user][++index].activeShares = previousShares + shares; s_globalShares += shares; s_globalTitanStaked += amount; } else { s_addressIdToActiveShares[user][++index].activeShares = previousShares - shares; s_globalExpiredShares += shares; s_globalTitanStaked -= amount; } //If global payout hasn't triggered, use current contract day to eligible for payout //If global payout has triggered, then start with next contract day as it's no longer eligible to claim latest payout s_addressIdToActiveShares[user][index].day = uint128( isPayoutTriggered == PayoutTriggered.NO ? day : day + 1 ); s_userSharesIndex[user] = index; } /** @dev calculate stake principle and apply penalty (if any) * @param user user address * @param globalStakeId global stake Id * @param userStakeInfo stake info * @param action end stake or burn stake * @return principle calculated principle after penalty (if any) */ function _calculatePrinciple( address user, uint256 globalStakeId, UserStakeInfo memory userStakeInfo, StakeAction action ) internal returns (uint256 principle) { uint256 titanAmount = userStakeInfo.titanAmount; //penalty is in percentage uint256 penalty = calculateEndStakePenalty( userStakeInfo.stakeStartTs, userStakeInfo.maturityTs, block.timestamp, action ); uint256 penaltyAmount; penaltyAmount = (titanAmount * penalty) / 100; principle = titanAmount - penaltyAmount; s_globalStakePenalty += penaltyAmount; emit StakeEnded(user, globalStakeId, principle, penalty, penaltyAmount); } //Views /** @notice get global shares * @return globalShares global shares */ function getGlobalShares() public view returns (uint256) { return s_globalShares; } /** @notice get global expired shares * @return globalExpiredShares global expired shares */ function getGlobalExpiredShares() public view returns (uint256) { return s_globalExpiredShares; } /** @notice get global active shares * @return globalActiveShares global active shares */ function getGlobalActiveShares() public view returns (uint256) { return s_globalShares - s_globalExpiredShares; } /** @notice get total titan staked * @return totalTitanStaked total titan staked */ function getTotalTitanStaked() public view returns (uint256) { return s_globalTitanStaked; } /** @notice get global stake id * @return globalStakeId global stake id */ function getGlobalStakeId() public view returns (uint256) { return s_globalStakeId; } /** @notice get global active stakes * @return globalActiveStakes global active stakes */ function getGlobalActiveStakes() public view returns (uint256) { return s_globalStakeId - getTotalStakeEnd(); } /** @notice get total stake ended * @return totalStakeEnded total stake ended */ function getTotalStakeEnd() public view returns (uint256) { return s_globalStakeEnd; } /** @notice get total stake burned * @return totalStakeBurned total stake burned */ function getTotalStakeBurn() public view returns (uint256) { return s_globalStakeBurn; } /** @notice get total end stake penalty * @return totalEndStakePenalty total end stake penalty */ function getTotalStakePenalty() public view returns (uint256) { return s_globalStakePenalty; } /** @notice get user latest shares index * @return latestSharesIndex latest shares index */ function getUserLatestShareIndex(address user) public view returns (uint256) { return s_userSharesIndex[user]; } /** @notice get user current active shares * @return currentActiveShares current active shares */ function getUserCurrentActiveShares(address user) public view returns (uint256) { return s_addressIdToActiveShares[user][getUserLatestShareIndex(user)].activeShares; } /** @notice get user active shares at sharesIndex * @return activeShares active shares at sharesIndex */ function getUserActiveShares( address user, uint256 sharesIndex ) internal view returns (uint256) { return s_addressIdToActiveShares[user][sharesIndex].activeShares; } /** @notice get user active shares contract day at sharesIndex * @return activeSharesDay active shares contract day at sharesIndex */ function getUserActiveSharesDay( address user, uint256 sharesIndex ) internal view returns (uint256) { return s_addressIdToActiveShares[user][sharesIndex].day; } /** @notice get stake info with stake id * @return stakeInfo stake info */ function getUserStakeInfo(address user, uint256 id) public view returns (UserStakeInfo memory) { return s_globalStakeIdToStakeInfo[s_addressSIdToGlobalStakeId[user][id]]; } /** @notice get all stake info of an address * @return stakeInfos all stake info of an address */ function getUserStakes(address user) public view returns (UserStake[] memory) { uint256 count = s_addressSId[user]; UserStake[] memory stakes = new UserStake[](count); for (uint256 i = 1; i <= count; i++) { stakes[i - 1] = UserStake({ sId: i, globalStakeId: uint128(s_addressSIdToGlobalStakeId[user][i]), stakeInfo: getUserStakeInfo(user, i) }); } return stakes; } } // SPDX-License-Identifier: UNLICENSED pragma solidity ^0.8.10; import "../libs/calcFunctions.sol"; //custom errors error TitanX_InvalidMintLength(); error TitanX_InvalidMintPower(); error TitanX_NoMintExists(); error TitanX_MintHasClaimed(); error TitanX_MintNotMature(); error TitanX_MintHasBurned(); abstract contract MintInfo { //variables /** @dev track global tRank */ uint256 private s_globalTRank; /** @dev track total mint claimed */ uint256 private s_globalMintClaim; /** @dev track total mint burned */ uint256 private s_globalMintBurn; /** @dev track total titan minting */ uint256 private s_globalTitanMinting; /** @dev track total titan penalty */ uint256 private s_globalTitanMintPenalty; /** @dev track global mint power */ uint256 private s_globalMintPower; //mappings /** @dev track address => mintId */ mapping(address => uint256) private s_addressMId; /** @dev track address, mintId => tRank info (gTrank, gMintPower) */ mapping(address => mapping(uint256 => TRankInfo)) private s_addressMIdToTRankInfo; /** @dev track global tRank => mintInfo*/ mapping(uint256 => UserMintInfo) private s_tRankToMintInfo; //structs struct UserMintInfo { uint8 mintPower; uint16 numOfDays; uint96 mintableTitan; uint48 mintStartTs; uint48 maturityTs; uint32 mintPowerBonus; uint32 EAABonus; uint128 mintedTitan; uint64 mintCost; MintStatus status; } struct TRankInfo { uint256 tRank; uint256 gMintPower; } struct UserMint { uint256 mId; uint256 tRank; uint256 gMintPower; UserMintInfo mintInfo; } //events event MintStarted( address indexed user, uint256 indexed tRank, uint256 indexed gMintpower, UserMintInfo userMintInfo ); event MintClaimed( address indexed user, uint256 indexed tRank, uint256 rewardMinted, uint256 indexed penalty, uint256 mintPenalty ); //functions /** @dev create a new mint * @param user user address * @param mintPower mint power * @param numOfDays mint lenght * @param mintableTitan mintable titan * @param mintPowerBonus mint power bonus * @param EAABonus EAA bonus * @param burnAmpBonus burn amplifier bonus * @param gMintPower global mint power * @param currentTRank current global tRank * @param mintCost actual mint cost paid for a mint */ function _startMint( address user, uint256 mintPower, uint256 numOfDays, uint256 mintableTitan, uint256 mintPowerBonus, uint256 EAABonus, uint256 burnAmpBonus, uint256 gMintPower, uint256 currentTRank, uint256 mintCost ) internal returns (uint256 mintable) { if (numOfDays == 0 || numOfDays > MAX_MINT_LENGTH) revert TitanX_InvalidMintLength(); if (mintPower == 0 || mintPower > MAX_MINT_POWER_CAP) revert TitanX_InvalidMintPower(); //calculate mint reward up front with the provided params mintable = calculateMintReward(mintPower, numOfDays, mintableTitan, EAABonus, burnAmpBonus); //store variables into mint info UserMintInfo memory userMintInfo = UserMintInfo({ mintPower: uint8(mintPower), numOfDays: uint16(numOfDays), mintableTitan: uint96(mintable), mintPowerBonus: uint32(mintPowerBonus), EAABonus: uint32(EAABonus), mintStartTs: uint48(block.timestamp), maturityTs: uint48(block.timestamp + (numOfDays * SECONDS_IN_DAY)), mintedTitan: 0, mintCost: uint64(mintCost), status: MintStatus.ACTIVE }); /** s_addressMId[user] tracks mintId for each addrress * s_addressMIdToTRankInfo[user][id] tracks current mint tRank and gPowerMint * s_tRankToMintInfo[currentTRank] stores mint info */ uint256 id = ++s_addressMId[user]; s_addressMIdToTRankInfo[user][id].tRank = currentTRank; s_addressMIdToTRankInfo[user][id].gMintPower = gMintPower; s_tRankToMintInfo[currentTRank] = userMintInfo; emit MintStarted(user, currentTRank, gMintPower, userMintInfo); } /** @dev create new mint in a batch of up to max 100 mints with the same mint length * @param user user address * @param mintPower mint power * @param numOfDays mint lenght * @param mintableTitan mintable titan * @param mintPowerBonus mint power bonus * @param EAABonus EAA bonus * @param burnAmpBonus burn amplifier bonus * @param mintCost actual mint cost paid for a mint */ function _startBatchMint( address user, uint256 mintPower, uint256 numOfDays, uint256 mintableTitan, uint256 mintPowerBonus, uint256 EAABonus, uint256 burnAmpBonus, uint256 count, uint256 mintCost ) internal { uint256 gMintPower = s_globalMintPower; uint256 currentTRank = s_globalTRank; uint256 gMinting = s_globalTitanMinting; for (uint256 i = 0; i < count; i++) { gMintPower += mintPower; gMinting += _startMint( user, mintPower, numOfDays, mintableTitan, mintPowerBonus, EAABonus, burnAmpBonus, gMintPower, ++currentTRank, mintCost ); } _updateMintStats(currentTRank, gMintPower, gMinting); } /** @dev create new mint in a batch of up to max 100 mints with different mint length * @param user user address * @param mintPower mint power * @param minDay minimum start day * @param maxDay maximum end day * @param dayInterval days interval between each new mint length * @param countPerInterval number of mint(s) to create in each mint length interval * @param mintableTitan mintable titan * @param mintPowerBonus mint power bonus * @param EAABonus EAA bonus * @param burnAmpBonus burn amplifier bonus * @param mintCost actual mint cost paid for a mint */ function _startbatchMintLadder( address user, uint256 mintPower, uint256 minDay, uint256 maxDay, uint256 dayInterval, uint256 countPerInterval, uint256 mintableTitan, uint256 mintPowerBonus, uint256 EAABonus, uint256 burnAmpBonus, uint256 mintCost ) internal { uint256 gMintPower = s_globalMintPower; uint256 currentTRank = s_globalTRank; uint256 gMinting = s_globalTitanMinting; /**first for loop is used to determine mint length * minDay is the starting mint length * maxDay is the max mint length where it stops * dayInterval increases the minDay for the next mint */ for (; minDay <= maxDay; minDay += dayInterval) { /**first for loop is used to determine mint length * second for loop is to create number mints per mint length */ for (uint256 j = 0; j < countPerInterval; j++) { gMintPower += mintPower; gMinting += _startMint( user, mintPower, minDay, mintableTitan, mintPowerBonus, EAABonus, burnAmpBonus, gMintPower, ++currentTRank, mintCost ); } } _updateMintStats(currentTRank, gMintPower, gMinting); } /** @dev update variables * @param currentTRank current tRank * @param gMintPower current global mint power * @param gMinting current global minting */ function _updateMintStats(uint256 currentTRank, uint256 gMintPower, uint256 gMinting) internal { s_globalTRank = currentTRank; s_globalMintPower = gMintPower; s_globalTitanMinting = gMinting; } /** @dev calculate reward for claim mint or burn mint. * Claim mint has maturity check while burn mint would bypass maturity check. * @param user user address * @param id mint id * @param action claim mint or burn mint * @return reward calculated final reward after all bonuses and penalty (if any) */ function _claimMint( address user, uint256 id, MintAction action ) internal returns (uint256 reward) { uint256 tRank = s_addressMIdToTRankInfo[user][id].tRank; uint256 gMintPower = s_addressMIdToTRankInfo[user][id].gMintPower; if (tRank == 0) revert TitanX_NoMintExists(); UserMintInfo memory mint = s_tRankToMintInfo[tRank]; if (mint.status == MintStatus.CLAIMED) revert TitanX_MintHasClaimed(); if (mint.status == MintStatus.BURNED) revert TitanX_MintHasBurned(); //Only check maturity for claim mint action, burn mint bypass this check if (mint.maturityTs > block.timestamp && action == MintAction.CLAIM) revert TitanX_MintNotMature(); s_globalTitanMinting -= mint.mintableTitan; reward = _calculateClaimReward(user, tRank, gMintPower, mint, action); } /** @dev calculate reward up to 100 claims for batch claim function. Only calculate active and matured mints. * @param user user address * @return reward total batch claims final calculated reward after all bonuses and penalty (if any) */ function _batchClaimMint(address user) internal returns (uint256 reward) { uint256 maxId = s_addressMId[user]; uint256 claimCount; uint256 tRank; uint256 gMinting; UserMintInfo memory mint; for (uint256 i = 1; i <= maxId; i++) { tRank = s_addressMIdToTRankInfo[user][i].tRank; mint = s_tRankToMintInfo[tRank]; if (mint.status == MintStatus.ACTIVE && block.timestamp >= mint.maturityTs) { reward += _calculateClaimReward( user, tRank, s_addressMIdToTRankInfo[user][i].gMintPower, mint, MintAction.CLAIM ); gMinting += mint.mintableTitan; ++claimCount; } if (claimCount == 100) break; } s_globalTitanMinting -= gMinting; } /** @dev calculate final reward with bonuses and penalty (if any) * @param user user address * @param tRank mint's tRank * @param gMintPower mint's gMintPower * @param userMintInfo mint's info * @param action claim mint or burn mint * @return reward calculated final reward after all bonuses and penalty (if any) */ function _calculateClaimReward( address user, uint256 tRank, uint256 gMintPower, UserMintInfo memory userMintInfo, MintAction action ) private returns (uint256 reward) { if (action == MintAction.CLAIM) s_tRankToMintInfo[tRank].status = MintStatus.CLAIMED; if (action == MintAction.BURN) s_tRankToMintInfo[tRank].status = MintStatus.BURNED; uint256 penaltyAmount; uint256 penalty; uint256 bonus; //only calculate penalty when current block timestamp > maturity timestamp if (block.timestamp > userMintInfo.maturityTs) { penalty = calculateClaimMintPenalty(block.timestamp - userMintInfo.maturityTs); } //Only Claim action has mintPower bonus if (action == MintAction.CLAIM) { bonus = calculateMintPowerBonus( userMintInfo.mintPowerBonus, userMintInfo.mintPower, gMintPower, s_globalMintPower ); } //mintPowerBonus has scaling factor of 1e7, so divide by 1e7 reward = uint256(userMintInfo.mintableTitan) + (bonus / SCALING_FACTOR_1e7); penaltyAmount = (reward * penalty) / 100; reward -= penaltyAmount; if (action == MintAction.CLAIM) ++s_globalMintClaim; if (action == MintAction.BURN) ++s_globalMintBurn; if (penaltyAmount != 0) s_globalTitanMintPenalty += penaltyAmount; //only stored minted amount for claim mint if (action == MintAction.CLAIM) s_tRankToMintInfo[tRank].mintedTitan = uint128(reward); emit MintClaimed(user, tRank, reward, penalty, penaltyAmount); } //views /** @notice Returns the latest Mint Id of an address * @param user address * @return mId latest mint id */ function getUserLatestMintId(address user) public view returns (uint256) { return s_addressMId[user]; } /** @notice Returns mint info of an address + mint id * @param user address * @param id mint id * @return mintInfo user mint info */ function getUserMintInfo( address user, uint256 id ) public view returns (UserMintInfo memory mintInfo) { return s_tRankToMintInfo[s_addressMIdToTRankInfo[user][id].tRank]; } /** @notice Return all mints info of an address * @param user address * @return mintInfos all mints info of an address including mint id, tRank and gMintPower */ function getUserMints(address user) public view returns (UserMint[] memory mintInfos) { uint256 count = s_addressMId[user]; mintInfos = new UserMint[](count); for (uint256 i = 1; i <= count; i++) { mintInfos[i - 1] = UserMint({ mId: i, tRank: s_addressMIdToTRankInfo[user][i].tRank, gMintPower: s_addressMIdToTRankInfo[user][i].gMintPower, mintInfo: getUserMintInfo(user, i) }); } } /** @notice Return total mints burned * @return totalMintBurned total mints burned */ function getTotalMintBurn() public view returns (uint256) { return s_globalMintBurn; } /** @notice Return current gobal tRank * @return globalTRank global tRank */ function getGlobalTRank() public view returns (uint256) { return s_globalTRank; } /** @notice Return current gobal mint power * @return globalMintPower global mint power */ function getGlobalMintPower() public view returns (uint256) { return s_globalMintPower; } /** @notice Return total mints claimed * @return totalMintClaimed total mints claimed */ function getTotalMintClaim() public view returns (uint256) { return s_globalMintClaim; } /** @notice Return total active mints (exluded claimed and burned mints) * @return totalActiveMints total active mints */ function getTotalActiveMints() public view returns (uint256) { return s_globalTRank - s_globalMintClaim - s_globalMintBurn; } /** @notice Return total minting titan * @return totalMinting total minting titan */ function getTotalMinting() public view returns (uint256) { return s_globalTitanMinting; } /** @notice Return total titan penalty * @return totalTitanPenalty total titan penalty */ function getTotalMintPenalty() public view returns (uint256) { return s_globalTitanMintPenalty; } } // SPDX-License-Identifier: UNLICENSED pragma solidity ^0.8.10; import "../libs/enum.sol"; import "../libs/constant.sol"; abstract contract GlobalInfo { //Variables //deployed timestamp uint256 private immutable i_genesisTs; /** @dev track current contract day */ uint256 private s_currentContractDay; /** @dev shareRate starts 800 ether and increases capped at 2800 ether, uint72 has enough size */ uint72 private s_currentshareRate; /** @dev mintCost starts 0.2 ether increases and capped at 1 ether, uint64 has enough size */ uint64 private s_currentMintCost; /** @dev mintableTitan starts 8m ether decreases and capped at 800 ether, uint96 has enough size */ uint96 private s_currentMintableTitan; /** @dev mintPowerBonus starts 350_000_000 and decreases capped at 35_000, uint32 has enough size */ uint32 private s_currentMintPowerBonus; /** @dev EAABonus starts 10_000_000 and decreases to 0, uint32 has enough size */ uint32 private s_currentEAABonus; /** @dev track if any of the cycle day 8, 28, 90, 369, 888 has payout triggered succesfully * this is used in end stake where either the shares change should be tracked in current/next payout cycle */ PayoutTriggered private s_isGlobalPayoutTriggered; /** @dev track payouts based on every cycle day 8, 28, 90, 369, 888 when distributeETH() is called */ mapping(uint256 => uint256) private s_cyclePayouts; /** @dev track payout index for each cycle day, increased by 1 when triggerPayouts() is called succesfully * eg. curent index is 2, s_cyclePayoutIndex[DAY8] = 2 */ mapping(uint256 => uint256) private s_cyclePayoutIndex; /** @dev track payout info (day and payout per share) for each cycle day * eg. s_cyclePayoutIndex is 2, * s_CyclePayoutPerShare[DAY8][2].day = 8 * s_CyclePayoutPerShare[DAY8][2].payoutPerShare = 0.1 */ mapping(uint256 => mapping(uint256 => CycleRewardPerShare)) private s_cyclePayoutPerShare; /** @dev track user last payout reward claim index for cycleIndex, burnCycleIndex and sharesIndex * so calculation would start from next index instead of the first index * [address][DAY8].cycleIndex = 1 * [address][DAY8].burnCycleIndex = 1 * [address][DAY8].sharesIndex = 2 * cycleIndex is the last stop in s_cyclePayoutPerShare * sharesIndex is the last stop in s_addressIdToActiveShares */ mapping(address => mapping(uint256 => UserCycleClaimIndex)) private s_addressCycleToLastClaimIndex; /** @dev track when is the next cycle payout day for each cycle day * eg. s_nextCyclePayoutDay[DAY8] = 8 * s_nextCyclePayoutDay[DAY28] = 28 */ mapping(uint256 => uint256) s_nextCyclePayoutDay; //structs struct CycleRewardPerShare { uint256 day; uint256 payoutPerShare; } struct UserCycleClaimIndex { uint96 cycleIndex; uint96 burnCycleIndex; uint64 sharesIndex; } //event event GlobalDailyUpdateStats( uint256 indexed day, uint256 indexed mintCost, uint256 indexed shareRate, uint256 mintableTitan, uint256 mintPowerBonus, uint256 EAABonus ); /** @dev Update variables in terms of day, modifier is used in all external/public functions (exclude view) * Every interaction to the contract would run this function to update variables */ modifier dailyUpdate() { _dailyUpdate(); _; } constructor() { i_genesisTs = block.timestamp; s_currentContractDay = 1; s_currentMintCost = uint64(START_MAX_MINT_COST); s_currentMintableTitan = uint96(START_MAX_MINTABLE_PER_DAY); s_currentshareRate = uint72(START_SHARE_RATE); s_currentMintPowerBonus = uint32(START_MINTPOWER_INCREASE_BONUS); s_currentEAABonus = uint32(EAA_START); s_nextCyclePayoutDay[DAY8] = DAY8; s_nextCyclePayoutDay[DAY28] = DAY28; s_nextCyclePayoutDay[DAY90] = DAY90; s_nextCyclePayoutDay[DAY369] = DAY369; s_nextCyclePayoutDay[DAY888] = DAY888; } /** @dev calculate and update variables daily and reset triggers flag */ function _dailyUpdate() private { uint256 currentContractDay = s_currentContractDay; uint256 currentBlockDay = ((block.timestamp - i_genesisTs) / 1 days) + 1; if (currentBlockDay > currentContractDay) { //get last day info ready for calculation uint256 newMintCost = s_currentMintCost; uint256 newShareRate = s_currentshareRate; uint256 newMintableTitan = s_currentMintableTitan; uint256 newMintPowerBonus = s_currentMintPowerBonus; uint256 newEAABonus = s_currentEAABonus; uint256 dayDifference = currentBlockDay - currentContractDay; /** Reason for a for loop to update Mint supply * Ideally, user interaction happens daily, so Mint supply is synced in every day * (cylceDifference = 1) * However, if there's no interaction for more than 1 day, then * Mint supply isn't updated correctly due to cylceDifference > 1 day * Eg. 2 days of no interaction, then interaction happens in 3rd day. * It's incorrect to only decrease the Mint supply one time as now it's in 3rd day. * And if this happens, there will be no tracked data for the skipped days as not needed */ for (uint256 i; i < dayDifference; i++) { newMintCost = (newMintCost * DAILY_MINT_COST_INCREASE_STEP) / PERCENT_BPS; newShareRate = (newShareRate * DAILY_SHARE_RATE_INCREASE_STEP) / PERCENT_BPS; newMintableTitan = (newMintableTitan * DAILY_SUPPLY_MINTABLE_REDUCTION) / PERCENT_BPS; newMintPowerBonus = (newMintPowerBonus * DAILY_MINTPOWER_INCREASE_BONUS_REDUCTION) / PERCENT_BPS; if (newMintCost > 1 ether) { newMintCost = CAPPED_MAX_MINT_COST; } if (newShareRate > CAPPED_MAX_RATE) newShareRate = CAPPED_MAX_RATE; if (newMintableTitan < CAPPED_MIN_DAILY_TITAN_MINTABLE) { newMintableTitan = CAPPED_MIN_DAILY_TITAN_MINTABLE; } if (newMintPowerBonus < CAPPED_MIN_MINTPOWER_BONUS) { newMintPowerBonus = CAPPED_MIN_MINTPOWER_BONUS; } if (currentBlockDay <= MAX_BONUS_DAY) { newEAABonus -= EAA_BONUSE_FIXED_REDUCTION_PER_DAY; } else { newEAABonus = EAA_END; } emit GlobalDailyUpdateStats( ++currentContractDay, newMintCost, newShareRate, newMintableTitan, newMintPowerBonus, newEAABonus ); } s_currentMintCost = uint64(newMintCost); s_currentshareRate = uint72(newShareRate); s_currentMintableTitan = uint96(newMintableTitan); s_currentMintPowerBonus = uint32(newMintPowerBonus); s_currentEAABonus = uint32(newEAABonus); s_currentContractDay = currentBlockDay; s_isGlobalPayoutTriggered = PayoutTriggered.NO; } } /** @dev first created shares will start from the last payout index + 1 (next cycle payout) * as first shares will always disqualified from past payouts * reduce gas cost needed to loop from first index * @param user user address * @param isFirstShares flag to only initialize when address is fresh wallet */ function _initFirstSharesCycleIndex(address user, uint256 isFirstShares) internal { if (isFirstShares == 1) { if (s_cyclePayoutIndex[DAY8] != 0) { s_addressCycleToLastClaimIndex[user][DAY8].cycleIndex = uint96( s_cyclePayoutIndex[DAY8] + 1 ); s_addressCycleToLastClaimIndex[user][DAY28].cycleIndex = uint96( s_cyclePayoutIndex[DAY28] + 1 ); s_addressCycleToLastClaimIndex[user][DAY90].cycleIndex = uint96( s_cyclePayoutIndex[DAY90] + 1 ); s_addressCycleToLastClaimIndex[user][DAY369].cycleIndex = uint96( s_cyclePayoutIndex[DAY369] + 1 ); s_addressCycleToLastClaimIndex[user][DAY888].cycleIndex = uint96( s_cyclePayoutIndex[DAY888] + 1 ); } } } /** @dev first created shares will start from the last payout index + 1 (next cycle payout) * as first shares will always disqualified from past payouts * reduce gas cost needed to loop from first index * @param cycleNo cylce day 8, 28, 90, 369, 888 * @param reward total accumulated reward in cycle day 8, 28, 90, 369, 888 * @param globalActiveShares global active shares * @return index return latest current cycleIndex */ function _calculateCycleRewardPerShare( uint256 cycleNo, uint256 reward, uint256 globalActiveShares ) internal returns (uint256 index) { s_cyclePayouts[cycleNo] = 0; index = ++s_cyclePayoutIndex[cycleNo]; //add 18 decimals to reward for better precision in calculation s_cyclePayoutPerShare[cycleNo][index].payoutPerShare = (reward * SCALING_FACTOR_1e18) / globalActiveShares; s_cyclePayoutPerShare[cycleNo][index].day = getCurrentContractDay(); } /** @dev update with the last index where a user has claimed the payout reward * @param user user address * @param cycleNo cylce day 8, 28, 90, 369, 888 * @param userClaimCycleIndex last claimed cycle index * @param userClaimSharesIndex last claimed shares index */ function _updateUserClaimIndexes( address user, uint256 cycleNo, uint256 userClaimCycleIndex, uint256 userClaimSharesIndex ) internal { if (userClaimCycleIndex != s_addressCycleToLastClaimIndex[user][cycleNo].cycleIndex) s_addressCycleToLastClaimIndex[user][cycleNo].cycleIndex = uint96(userClaimCycleIndex); if (userClaimSharesIndex != s_addressCycleToLastClaimIndex[user][cycleNo].sharesIndex) s_addressCycleToLastClaimIndex[user][cycleNo].sharesIndex = uint64( userClaimSharesIndex ); } /** @dev update with the last index where a user has claimed the burn payout reward * @param user user address * @param cycleNo cylce day 8, 28, 90, 369, 888 * @param userClaimBurnCycleIndex last claimed burn cycle index */ function _updateUserBurnCycleClaimIndex( address user, uint256 cycleNo, uint256 userClaimBurnCycleIndex ) internal { if (userClaimBurnCycleIndex != s_addressCycleToLastClaimIndex[user][cycleNo].burnCycleIndex) s_addressCycleToLastClaimIndex[user][cycleNo].burnCycleIndex = uint96( userClaimBurnCycleIndex ); } /** @dev set to YES when any of the cycle days payout is triggered * reset to NO in new contract day */ function _setGlobalPayoutTriggered() internal { s_isGlobalPayoutTriggered = PayoutTriggered.YES; } /** @dev add reward into cycle day 8, 28, 90, 369, 888 pool * @param cycleNo cycle day 8, 28, 90, 369, 888 * @param reward reward from distributeETH() */ function _setCyclePayoutPool(uint256 cycleNo, uint256 reward) internal { s_cyclePayouts[cycleNo] += reward; } /** @dev calculate and update the next payout day for specified cycleNo * the formula will update the payout day based on current contract day * this is to make sure the value is correct when for some reason has skipped more than one cycle payout * @param cycleNo cycle day 8, 28, 90, 369, 888 */ function _setNextCyclePayoutDay(uint256 cycleNo) internal { uint256 maturityDay = s_nextCyclePayoutDay[cycleNo]; uint256 currentContractDay = s_currentContractDay; if (currentContractDay >= maturityDay) { s_nextCyclePayoutDay[cycleNo] += cycleNo * (((currentContractDay - maturityDay) / cycleNo) + 1); } } /** Views */ /** @notice Returns current block timestamp * @return currentBlockTs current block timestamp */ function getCurrentBlockTimeStamp() public view returns (uint256) { return block.timestamp; } /** @notice Returns current contract day * @return currentContractDay current contract day */ function getCurrentContractDay() public view returns (uint256) { return s_currentContractDay; } /** @notice Returns current mint cost * @return currentMintCost current block timestamp */ function getCurrentMintCost() public view returns (uint256) { return s_currentMintCost; } /** @notice Returns current share rate * @return currentShareRate current share rate */ function getCurrentShareRate() public view returns (uint256) { return s_currentshareRate; } /** @notice Returns current mintable titan * @return currentMintableTitan current mintable titan */ function getCurrentMintableTitan() public view returns (uint256) { return s_currentMintableTitan; } /** @notice Returns current mint power bonus * @return currentMintPowerBonus current mint power bonus */ function getCurrentMintPowerBonus() public view returns (uint256) { return s_currentMintPowerBonus; } /** @notice Returns current contract EAA bonus * @return currentEAABonus current EAA bonus */ function getCurrentEAABonus() public view returns (uint256) { return s_currentEAABonus; } /** @notice Returns current cycle index for the specified cycle day * @param cycleNo cycle day 8, 28, 90, 369, 888 * @return currentCycleIndex current cycle index to track the payouts */ function getCurrentCycleIndex(uint256 cycleNo) public view returns (uint256) { return s_cyclePayoutIndex[cycleNo]; } /** @notice Returns whether payout is triggered successfully in any cylce day * @return isTriggered 0 or 1, 0= No, 1=Yes */ function getGlobalPayoutTriggered() public view returns (PayoutTriggered) { return s_isGlobalPayoutTriggered; } /** @notice Returns the distributed pool reward for the specified cycle day * @param cycleNo cycle day 8, 28, 90, 369, 888 * @return currentPayoutPool current accumulated payout pool */ function getCyclePayoutPool(uint256 cycleNo) public view returns (uint256) { return s_cyclePayouts[cycleNo]; } /** @notice Returns the calculated payout per share and contract day for the specified cycle day and index * @param cycleNo cycle day 8, 28, 90, 369, 888 * @param index cycle index * @return payoutPerShare calculated payout per share * @return triggeredDay the day when payout was triggered to perform calculation */ function getPayoutPerShare( uint256 cycleNo, uint256 index ) public view returns (uint256, uint256) { return ( s_cyclePayoutPerShare[cycleNo][index].payoutPerShare, s_cyclePayoutPerShare[cycleNo][index].day ); } /** @notice Returns user's last claimed shares payout indexes for the specified cycle day * @param user user address * @param cycleNo cycle day 8, 28, 90, 369, 888 * @return cycleIndex cycle index * @return sharesIndex shares index */ function getUserLastClaimIndex( address user, uint256 cycleNo ) public view returns (uint256 cycleIndex, uint256 sharesIndex) { return ( s_addressCycleToLastClaimIndex[user][cycleNo].cycleIndex, s_addressCycleToLastClaimIndex[user][cycleNo].sharesIndex ); } /** @notice Returns user's last claimed burn payout index for the specified cycle day * @param user user address * @param cycleNo cycle day 8, 28, 90, 369, 888 * @return burnCycleIndex burn cycle index */ function getUserLastBurnClaimIndex( address user, uint256 cycleNo ) public view returns (uint256 burnCycleIndex) { return s_addressCycleToLastClaimIndex[user][cycleNo].burnCycleIndex; } /** @notice Returns contract deployment block timestamp * @return genesisTs deployed timestamp */ function genesisTs() public view returns (uint256) { return i_genesisTs; } /** @notice Returns next payout day for the specified cycle day * @param cycleNo cycle day 8, 28, 90, 369, 888 * @return nextPayoutDay next payout day */ function getNextCyclePayoutDay(uint256 cycleNo) public view returns (uint256) { return s_nextCyclePayoutDay[cycleNo]; } } // SPDX-License-Identifier: UNLICENSED pragma solidity ^0.8.10; import "./constant.sol"; import "./enum.sol"; //TitanX /**@notice get batch mint ladder total count * @param minDay minimum mint length * @param maxDay maximum mint length, cap at 280 * @param dayInterval day increase from previous mint length * @param countPerInterval number of mints per minth length * @return count total mints */ function getBatchMintLadderCount( uint256 minDay, uint256 maxDay, uint256 dayInterval, uint256 countPerInterval ) pure returns (uint256 count) { if (maxDay > minDay) { count = (((maxDay - minDay) / dayInterval) + 1) * countPerInterval; } } /** @notice get incentive fee in 4 decimals scaling * @return fee fee */ function getIncentiveFeePercent() pure returns (uint256) { return (INCENTIVE_FEE_PERCENT * 1e4) / INCENTIVE_FEE_PERCENT_BASE; } /** @notice get batch mint cost * @param mintPower mint power (1 - 100) * @param count number of mints * @return mintCost total mint cost */ function getBatchMintCost( uint256 mintPower, uint256 count, uint256 mintCost ) pure returns (uint256) { return (mintCost * mintPower * count) / MAX_MINT_POWER_CAP; } //MintInfo /** @notice the formula to calculate mint reward at create new mint * @param mintPower mint power 1 - 100 * @param numOfDays mint length 1 - 280 * @param mintableTitan current contract day mintable titan * @param EAABonus current contract day EAA Bonus * @param burnAmpBonus user burn amplifier bonus from getUserBurnAmplifierBonus(user) * @return reward base titan amount */ function calculateMintReward( uint256 mintPower, uint256 numOfDays, uint256 mintableTitan, uint256 EAABonus, uint256 burnAmpBonus ) pure returns (uint256 reward) { uint256 baseReward = (mintableTitan * mintPower * numOfDays); if (numOfDays != 1) baseReward -= (baseReward * MINT_DAILY_REDUCTION * (numOfDays - 1)) / PERCENT_BPS; reward = baseReward; if (EAABonus != 0) { //EAA Bonus has 1e6 scaling, so here divide by 1e6 reward += ((baseReward * EAABonus) / 100 / SCALING_FACTOR_1e6); } if (burnAmpBonus != 0) { //burnAmpBonus has 1e18 scaling reward += (baseReward * burnAmpBonus) / 100 / SCALING_FACTOR_1e18; } reward /= MAX_MINT_POWER_CAP; } /** @notice the formula to calculate bonus reward * heavily influenced by the difference between current global mint power and user mint's global mint power * @param mintPowerBonus mint power bonus from mintinfo * @param mintPower mint power 1 - 100 from mintinfo * @param gMintPower global mint power from mintinfo * @param globalMintPower current global mint power * @return bonus bonus amount in titan */ function calculateMintPowerBonus( uint256 mintPowerBonus, uint256 mintPower, uint256 gMintPower, uint256 globalMintPower ) pure returns (uint256 bonus) { if (globalMintPower <= gMintPower) return 0; bonus = (((mintPowerBonus * mintPower * (globalMintPower - gMintPower)) * SCALING_FACTOR_1e18) / MAX_MINT_POWER_CAP); } /** @notice Return max mint length * @return maxMintLength max mint length */ function getMaxMintDays() pure returns (uint256) { return MAX_MINT_LENGTH; } /** @notice Return max mints per wallet * @return maxMintPerWallet max mints per wallet */ function getMaxMintsPerWallet() pure returns (uint256) { return MAX_MINT_PER_WALLET; } /** * @dev Return penalty percentage based on number of days late after the grace period of 7 days * @param secsLate seconds late (block timestamp - maturity timestamp) * @return penalty penalty in percentage */ function calculateClaimMintPenalty(uint256 secsLate) pure returns (uint256 penalty) { if (secsLate <= CLAIM_MINT_GRACE_PERIOD * SECONDS_IN_DAY) return 0; if (secsLate <= (CLAIM_MINT_GRACE_PERIOD + 1) * SECONDS_IN_DAY) return 1; if (secsLate <= (CLAIM_MINT_GRACE_PERIOD + 2) * SECONDS_IN_DAY) return 3; if (secsLate <= (CLAIM_MINT_GRACE_PERIOD + 3) * SECONDS_IN_DAY) return 8; if (secsLate <= (CLAIM_MINT_GRACE_PERIOD + 4) * SECONDS_IN_DAY) return 17; if (secsLate <= (CLAIM_MINT_GRACE_PERIOD + 5) * SECONDS_IN_DAY) return 35; if (secsLate <= (CLAIM_MINT_GRACE_PERIOD + 6) * SECONDS_IN_DAY) return 72; return 99; } //StakeInfo error TitanX_AtLeastHalfMaturity(); /** @notice get max stake length * @return maxStakeLength max stake length */ function getMaxStakeLength() pure returns (uint256) { return MAX_STAKE_LENGTH; } /** @notice calculate shares and shares bonus * @param amount titan amount * @param noOfDays stake length * @param shareRate current contract share rate * @return shares calculated shares in 18 decimals */ function calculateShares( uint256 amount, uint256 noOfDays, uint256 shareRate ) pure returns (uint256) { uint256 shares = amount; shares += (shares * calculateShareBonus(amount, noOfDays)) / SCALING_FACTOR_1e11; shares /= (shareRate / SCALING_FACTOR_1e18); return shares; } /** @notice calculate share bonus * @param amount titan amount * @param noOfDays stake length * @return shareBonus calculated shares bonus in 11 decimals */ function calculateShareBonus(uint256 amount, uint256 noOfDays) pure returns (uint256 shareBonus) { uint256 cappedExtraDays = noOfDays <= LPB_MAX_DAYS ? noOfDays : LPB_MAX_DAYS; uint256 cappedStakedTitan = amount <= BPB_MAX_TITAN ? amount : BPB_MAX_TITAN; shareBonus = ((cappedExtraDays * SCALING_FACTOR_1e11) / LPB_PER_PERCENT) + ((cappedStakedTitan * SCALING_FACTOR_1e11) / BPB_PER_PERCENT); return shareBonus; } /** @notice calculate end stake penalty * @param stakeStartTs start stake timestamp * @param maturityTs maturity timestamp * @param currentBlockTs current block timestamp * @param action end stake or burn stake * @return penalty penalty in percentage */ function calculateEndStakePenalty( uint256 stakeStartTs, uint256 maturityTs, uint256 currentBlockTs, StakeAction action ) view returns (uint256) { //Matured, then calculate and return penalty if (currentBlockTs > maturityTs) { uint256 lateSec = currentBlockTs - maturityTs; uint256 gracePeriodSec = END_STAKE_GRACE_PERIOD * SECONDS_IN_DAY; if (lateSec <= gracePeriodSec) return 0; return max((min((lateSec - gracePeriodSec), 1) / SECONDS_IN_DAY) + 1, 99); } //burn stake is excluded from penalty //if not matured and action is burn stake then return 0 if (action == StakeAction.BURN) return 0; //Emergency End Stake //Not allow to EES below 50% maturity if (block.timestamp < stakeStartTs + (maturityTs - stakeStartTs) / 2) revert TitanX_AtLeastHalfMaturity(); //50% penalty for EES before maturity timestamp return 50; } //a - input to check against b //b - minimum number function min(uint256 a, uint256 b) pure returns (uint256) { if (a > b) return a; return b; } //a - input to check against b //b - maximum number function max(uint256 a, uint256 b) pure returns (uint256) { if (a > b) return b; return a; } // SPDX-License-Identifier: UNLICENSED pragma solidity ^0.8.10; interface ITITANX { function balanceOf(address account) external returns (uint256); function getBalance() external; function mintLPTokens() external; function burnLPTokens() external; } // SPDX-License-Identifier: UNLICENSED pragma solidity ^0.8.10; interface ITitanOnBurn { function onBurn(address user, uint256 amount) external; } // SPDX-License-Identifier: MIT // OpenZeppelin Contracts v4.4.1 (interfaces/IERC165.sol) pragma solidity ^0.8.0; import "../utils/introspection/IERC165.sol"; // SPDX-License-Identifier: MIT // OpenZeppelin Contracts (last updated v4.8.0) (token/ERC20/ERC20.sol) pragma solidity ^0.8.0; import "./IERC20.sol"; import "./extensions/IERC20Metadata.sol"; import "../../utils/Context.sol"; /** * @dev Implementation of the {IERC20} interface. * * This implementation is agnostic to the way tokens are created. This means * that a supply mechanism has to be added in a derived contract using {_mint}. * For a generic mechanism see {ERC20PresetMinterPauser}. * * TIP: For a detailed writeup see our guide * https://forum.openzeppelin.com/t/how-to-implement-erc20-supply-mechanisms/226[How * to implement supply mechanisms]. * * We have followed general OpenZeppelin Contracts guidelines: functions revert * instead returning `false` on failure. This behavior is nonetheless * conventional and does not conflict with the expectations of ERC20 * applications. * * Additionally, an {Approval} event is emitted on calls to {transferFrom}. * This allows applications to reconstruct the allowance for all accounts just * by listening to said events. Other implementations of the EIP may not emit * these events, as it isn't required by the specification. * * Finally, the non-standard {decreaseAllowance} and {increaseAllowance} * functions have been added to mitigate the well-known issues around setting * allowances. See {IERC20-approve}. */ contract ERC20 is Context, IERC20, IERC20Metadata { mapping(address => uint256) private _balances; mapping(address => mapping(address => uint256)) private _allowances; uint256 private _totalSupply; string private _name; string private _symbol; /** * @dev Sets the values for {name} and {symbol}. * * The default value of {decimals} is 18. To select a different value for * {decimals} you should overload it. * * All two of these values are immutable: they can only be set once during * construction. */ constructor(string memory name_, string memory symbol_) { _name = name_; _symbol = symbol_; } /** * @dev Returns the name of the token. */ function name() public view virtual override returns (string memory) { return _name; } /** * @dev Returns the symbol of the token, usually a shorter version of the * name. */ function symbol() public view virtual override returns (string memory) { return _symbol; } /** * @dev Returns the number of decimals used to get its user representation. * For example, if `decimals` equals `2`, a balance of `505` tokens should * be displayed to a user as `5.05` (`505 / 10 ** 2`). * * Tokens usually opt for a value of 18, imitating the relationship between * Ether and Wei. This is the value {ERC20} uses, unless this function is * overridden; * * NOTE: This information is only used for _display_ purposes: it in * no way affects any of the arithmetic of the contract, including * {IERC20-balanceOf} and {IERC20-transfer}. */ function decimals() public view virtual override returns (uint8) { return 18; } /** * @dev See {IERC20-totalSupply}. */ function totalSupply() public view virtual override returns (uint256) { return _totalSupply; } /** * @dev See {IERC20-balanceOf}. */ function balanceOf(address account) public view virtual override returns (uint256) { return _balances[account]; } /** * @dev See {IERC20-transfer}. * * Requirements: * * - `to` cannot be the zero address. * - the caller must have a balance of at least `amount`. */ function transfer(address to, uint256 amount) public virtual override returns (bool) { address owner = _msgSender(); _transfer(owner, to, amount); return true; } /** * @dev See {IERC20-allowance}. */ function allowance( address owner, address spender ) public view virtual override returns (uint256) { return _allowances[owner][spender]; } /** * @dev See {IERC20-approve}. * * NOTE: If `amount` is the maximum `uint256`, the allowance is not updated on * `transferFrom`. This is semantically equivalent to an infinite approval. * * Requirements: * * - `spender` cannot be the zero address. */ function approve(address spender, uint256 amount) public virtual override returns (bool) { address owner = _msgSender(); _approve(owner, spender, amount); return true; } /** * @dev See {IERC20-transferFrom}. * * Emits an {Approval} event indicating the updated allowance. This is not * required by the EIP. See the note at the beginning of {ERC20}. * * NOTE: Does not update the allowance if the current allowance * is the maximum `uint256`. * * Requirements: * * - `from` and `to` cannot be the zero address. * - `from` must have a balance of at least `amount`. * - the caller must have allowance for ``from``'s tokens of at least * `amount`. */ function transferFrom( address from, address to, uint256 amount ) public virtual override returns (bool) { address spender = _msgSender(); _spendAllowance(from, spender, amount); _transfer(from, to, amount); return true; } /** * @dev Moves `amount` of tokens from `from` to `to`. * * This internal function is equivalent to {transfer}, and can be used to * e.g. implement automatic token fees, slashing mechanisms, etc. * * Emits a {Transfer} event. * * Requirements: * * - `from` cannot be the zero address. * - `to` cannot be the zero address. * - `from` must have a balance of at least `amount`. */ function _transfer(address from, address to, uint256 amount) internal virtual { require(from != address(0), "ERC20: transfer from the zero address"); require(to != address(0), "ERC20: transfer to the zero address"); _beforeTokenTransfer(from, to, amount); uint256 fromBalance = _balances[from]; require(fromBalance >= amount, "ERC20: transfer amount exceeds balance"); unchecked { _balances[from] = fromBalance - amount; // Overflow not possible: the sum of all balances is capped by totalSupply, and the sum is preserved by // decrementing then incrementing. _balances[to] += amount; } emit Transfer(from, to, amount); _afterTokenTransfer(from, to, amount); } /** @dev Creates `amount` tokens and assigns them to `account`, increasing * the total supply. * * Emits a {Transfer} event with `from` set to the zero address. * * Requirements: * * - `account` cannot be the zero address. */ function _mint(address account, uint256 amount) internal virtual { require(account != address(0), "ERC20: mint to the zero address"); _beforeTokenTransfer(address(0), account, amount); _totalSupply += amount; unchecked { // Overflow not possible: balance + amount is at most totalSupply + amount, which is checked above. _balances[account] += amount; } emit Transfer(address(0), account, amount); _afterTokenTransfer(address(0), account, amount); } /** * @dev Destroys `amount` tokens from `account`, reducing the * total supply. * * Emits a {Transfer} event with `to` set to the zero address. * * Requirements: * * - `account` cannot be the zero address. * - `account` must have at least `amount` tokens. */ function _burn(address account, uint256 amount) internal virtual { require(account != address(0), "ERC20: burn from the zero address"); _beforeTokenTransfer(account, address(0), amount); uint256 accountBalance = _balances[account]; require(accountBalance >= amount, "ERC20: burn amount exceeds balance"); unchecked { _balances[account] = accountBalance - amount; // Overflow not possible: amount <= accountBalance <= totalSupply. _totalSupply -= amount; } emit Transfer(account, address(0), amount); _afterTokenTransfer(account, address(0), amount); } /** * @dev Sets `amount` as the allowance of `spender` over the `owner` s tokens. * * This internal function is equivalent to `approve`, and can be used to * e.g. set automatic allowances for certain subsystems, etc. * * Emits an {Approval} event. * * Requirements: * * - `owner` cannot be the zero address. * - `spender` cannot be the zero address. */ function _approve(address owner, address spender, uint256 amount) internal virtual { require(owner != address(0), "ERC20: approve from the zero address"); require(spender != address(0), "ERC20: approve to the zero address"); _allowances[owner][spender] = amount; emit Approval(owner, spender, amount); } /** * @dev Updates `owner` s allowance for `spender` based on spent `amount`. * * Does not update the allowance amount in case of infinite allowance. * Revert if not enough allowance is available. * * Might emit an {Approval} event. */ function _spendAllowance(address owner, address spender, uint256 amount) internal virtual { uint256 currentAllowance = allowance(owner, spender); if (currentAllowance != type(uint256).max) { require(currentAllowance >= amount, "ERC20: insufficient allowance"); unchecked { _approve(owner, spender, currentAllowance - amount); } } } /** * @dev Hook that is called before any transfer of tokens. This includes * minting and burning. * * Calling conditions: * * - when `from` and `to` are both non-zero, `amount` of ``from``'s tokens * will be transferred to `to`. * - when `from` is zero, `amount` tokens will be minted for `to`. * - when `to` is zero, `amount` of ``from``'s tokens will be burned. * - `from` and `to` are never both zero. * * To learn more about hooks, head to xref:ROOT:extending-contracts.adoc#using-hooks[Using Hooks]. */ function _beforeTokenTransfer(address from, address to, uint256 amount) internal virtual {} /** * @dev Hook that is called after any transfer of tokens. This includes * minting and burning. * * Calling conditions: * * - when `from` and `to` are both non-zero, `amount` of ``from``'s tokens * has been transferred to `to`. * - when `from` is zero, `amount` tokens have been minted for `to`. * - when `to` is zero, `amount` of ``from``'s tokens have been burned. * - `from` and `to` are never both zero. * * To learn more about hooks, head to xref:ROOT:extending-contracts.adoc#using-hooks[Using Hooks]. */ function _afterTokenTransfer(address from, address to, uint256 amount) internal virtual {} } // SPDX-License-Identifier: MIT // OpenZeppelin Contracts (last updated v4.8.0) (security/ReentrancyGuard.sol) pragma solidity ^0.8.0; /** * @dev Contract module that helps prevent reentrant calls to a function. * * Inheriting from `ReentrancyGuard` will make the {nonReentrant} modifier * available, which can be applied to functions to make sure there are no nested * (reentrant) calls to them. * * Note that because there is a single `nonReentrant` guard, functions marked as * `nonReentrant` may not call one another. This can be worked around by making * those functions `private`, and then adding `external` `nonReentrant` entry * points to them. * * TIP: If you would like to learn more about reentrancy and alternative ways * to protect against it, check out our blog post * https://blog.openzeppelin.com/reentrancy-after-istanbul/[Reentrancy After Istanbul]. */ abstract contract ReentrancyGuard { // Booleans are more expensive than uint256 or any type that takes up a full // word because each write operation emits an extra SLOAD to first read the // slot's contents, replace the bits taken up by the boolean, and then write // back. This is the compiler's defense against contract upgrades and // pointer aliasing, and it cannot be disabled. // The values being non-zero value makes deployment a bit more expensive, // but in exchange the refund on every call to nonReentrant will be lower in // amount. Since refunds are capped to a percentage of the total // transaction's gas, it is best to keep them low in cases like this one, to // increase the likelihood of the full refund coming into effect. uint256 private constant _NOT_ENTERED = 1; uint256 private constant _ENTERED = 2; uint256 private _status; constructor() { _status = _NOT_ENTERED; } /** * @dev Prevents a contract from calling itself, directly or indirectly. * Calling a `nonReentrant` function from another `nonReentrant` * function is not supported. It is possible to prevent this from happening * by making the `nonReentrant` function external, and making it call a * `private` function that does the actual work. */ modifier nonReentrant() { _nonReentrantBefore(); _; _nonReentrantAfter(); } function _nonReentrantBefore() private { // On the first call to nonReentrant, _status will be _NOT_ENTERED require(_status != _ENTERED, "ReentrancyGuard: reentrant call"); // Any calls to nonReentrant after this point will fail _status = _ENTERED; } function _nonReentrantAfter() private { // By storing the original value once again, a refund is triggered (see // https://eips.ethereum.org/EIPS/eip-2200) _status = _NOT_ENTERED; } /** * @dev Returns true if the reentrancy guard is currently set to "entered", which indicates there is a * `nonReentrant` function in the call stack. */ function _reentrancyGuardEntered() internal view returns (bool) { return _status == _ENTERED; } } // SPDX-License-Identifier: UNLICENSED pragma solidity ^0.8.10; enum MintAction { CLAIM, BURN } enum MintStatus { ACTIVE, CLAIMED, BURNED } enum StakeAction { START, END, BURN, END_OWN, END_OTHER } enum StakeStatus { ACTIVE, ENDED, BURNED } enum PayoutTriggered { NO, YES } enum InitialLPMinted { NO, YES } enum PayoutClaim { SHARES, BURN } enum BurnSource { LIQUID, MINT, STAKE } enum BurnPoolEnabled { FALSE, TRUE } // SPDX-License-Identifier: UNLICENSED pragma solidity ^0.8.10; // ===================== common ========================================== uint256 constant SECONDS_IN_DAY = 86400; uint256 constant SCALING_FACTOR_1e3 = 1e3; uint256 constant SCALING_FACTOR_1e6 = 1e6; uint256 constant SCALING_FACTOR_1e7 = 1e7; uint256 constant SCALING_FACTOR_1e11 = 1e11; uint256 constant SCALING_FACTOR_1e18 = 1e18; // ===================== TITANX ========================================== uint256 constant PERCENT_TO_BUY_AND_BURN = 62_00; uint256 constant PERCENT_TO_CYCLE_PAYOUTS = 28_00; uint256 constant PERCENT_TO_BURN_PAYOUTS = 7_00; uint256 constant PERCENT_TO_GENESIS = 3_00; uint256 constant INCENTIVE_FEE_PERCENT = 3300; uint256 constant INCENTIVE_FEE_PERCENT_BASE = 1_000_000; uint256 constant INITAL_LP_TOKENS = 100_000_000_000 ether; // ===================== globalInfo ========================================== //Titan Supply Variables uint256 constant START_MAX_MINTABLE_PER_DAY = 8_000_000 ether; uint256 constant CAPPED_MIN_DAILY_TITAN_MINTABLE = 800 ether; uint256 constant DAILY_SUPPLY_MINTABLE_REDUCTION = 99_65; //EAA Variables uint256 constant EAA_START = 10 * SCALING_FACTOR_1e6; uint256 constant EAA_BONUSE_FIXED_REDUCTION_PER_DAY = 28_571; uint256 constant EAA_END = 0; uint256 constant MAX_BONUS_DAY = 350; //Mint Cost Variables uint256 constant START_MAX_MINT_COST = 0.2 ether; uint256 constant CAPPED_MAX_MINT_COST = 1 ether; uint256 constant DAILY_MINT_COST_INCREASE_STEP = 100_08; //mintPower Bonus Variables uint256 constant START_MINTPOWER_INCREASE_BONUS = 35 * SCALING_FACTOR_1e7; //starts at 35 with 1e7 scaling factor uint256 constant CAPPED_MIN_MINTPOWER_BONUS = 35 * SCALING_FACTOR_1e3; //capped min of 0.0035 * 1e7 = 35 * 1e3 uint256 constant DAILY_MINTPOWER_INCREASE_BONUS_REDUCTION = 99_65; //Share Rate Variables uint256 constant START_SHARE_RATE = 800 ether; uint256 constant DAILY_SHARE_RATE_INCREASE_STEP = 100_03; uint256 constant CAPPED_MAX_RATE = 2_800 ether; //Cycle Variables uint256 constant DAY8 = 8; uint256 constant DAY28 = 28; uint256 constant DAY90 = 90; uint256 constant DAY369 = 369; uint256 constant DAY888 = 888; uint256 constant CYCLE_8_PERCENT = 28_00; uint256 constant CYCLE_28_PERCENT = 28_00; uint256 constant CYCLE_90_PERCENT = 18_00; uint256 constant CYCLE_369_PERCENT = 18_00; uint256 constant CYCLE_888_PERCENT = 8_00; uint256 constant PERCENT_BPS = 100_00; // ===================== mintInfo ========================================== uint256 constant MAX_MINT_POWER_CAP = 100; uint256 constant MAX_MINT_LENGTH = 280; uint256 constant CLAIM_MINT_GRACE_PERIOD = 7; uint256 constant MAX_BATCH_MINT_COUNT = 100; uint256 constant MAX_MINT_PER_WALLET = 1000; uint256 constant MAX_BURN_AMP_BASE = 80 * 1e9 * 1 ether; uint256 constant MAX_BURN_AMP_PERCENT = 8 ether; uint256 constant MINT_DAILY_REDUCTION = 11; // ===================== stakeInfo ========================================== uint256 constant MAX_STAKE_PER_WALLET = 1000; uint256 constant MIN_STAKE_LENGTH = 28; uint256 constant MAX_STAKE_LENGTH = 3500; uint256 constant END_STAKE_GRACE_PERIOD = 7; /* Stake Longer Pays Better bonus */ uint256 constant LPB_MAX_DAYS = 2888; uint256 constant LPB_PER_PERCENT = 825; /* Stake Bigger Pays Better bonus */ uint256 constant BPB_MAX_TITAN = 100 * 1e9 * SCALING_FACTOR_1e18; //100 billion uint256 constant BPB_PER_PERCENT = 1_250_000_000_000 * SCALING_FACTOR_1e18; // ===================== burnInfo ========================================== uint256 constant MAX_BURN_REWARD_PERCENT = 8; // SPDX-License-Identifier: MIT // OpenZeppelin Contracts v4.4.1 (utils/Context.sol) pragma solidity ^0.8.0; /** * @dev Provides information about the current execution context, including the * sender of the transaction and its data. While these are generally available * via msg.sender and msg.data, they should not be accessed in such a direct * manner, since when dealing with meta-transactions the account sending and * paying for execution may not be the actual sender (as far as an application * is concerned). * * This contract is only required for intermediate, library-like contracts. */ abstract contract Context { function _msgSender() internal view virtual returns (address) { return msg.sender; } function _msgData() internal view virtual returns (bytes calldata) { return msg.data; } } // SPDX-License-Identifier: MIT // OpenZeppelin Contracts v4.4.1 (token/ERC20/extensions/IERC20Metadata.sol) pragma solidity ^0.8.0; import "../IERC20.sol"; /** * @dev Interface for the optional metadata functions from the ERC20 standard. * * _Available since v4.1._ */ interface IERC20Metadata is IERC20 { /** * @dev Returns the name of the token. */ function name() external view returns (string memory); /** * @dev Returns the symbol of the token. */ function symbol() external view returns (string memory); /** * @dev Returns the decimals places of the token. */ function decimals() external view returns (uint8); } // SPDX-License-Identifier: MIT // OpenZeppelin Contracts (last updated v4.6.0) (token/ERC20/IERC20.sol) pragma solidity ^0.8.0; /** * @dev Interface of the ERC20 standard as defined in the EIP. */ interface IERC20 { /** * @dev Emitted when `value` tokens are moved from one account (`from`) to * another (`to`). * * Note that `value` may be zero. */ event Transfer(address indexed from, address indexed to, uint256 value); /** * @dev Emitted when the allowance of a `spender` for an `owner` is set by * a call to {approve}. `value` is the new allowance. */ event Approval(address indexed owner, address indexed spender, uint256 value); /** * @dev Returns the amount of tokens in existence. */ function totalSupply() external view returns (uint256); /** * @dev Returns the amount of tokens owned by `account`. */ function balanceOf(address account) external view returns (uint256); /** * @dev Moves `amount` tokens from the caller's account to `to`. * * Returns a boolean value indicating whether the operation succeeded. * * Emits a {Transfer} event. */ function transfer(address to, uint256 amount) external returns (bool); /** * @dev Returns the remaining number of tokens that `spender` will be * allowed to spend on behalf of `owner` through {transferFrom}. This is * zero by default. * * This value changes when {approve} or {transferFrom} are called. */ function allowance(address owner, address spender) external view returns (uint256); /** * @dev Sets `amount` as the allowance of `spender` over the caller's tokens. * * Returns a boolean value indicating whether the operation succeeded. * * IMPORTANT: Beware that changing an allowance with this method brings the risk * that someone may use both the old and the new allowance by unfortunate * transaction ordering. One possible solution to mitigate this race * condition is to first reduce the spender's allowance to 0 and set the * desired value afterwards: * https://github.com/ethereum/EIPs/issues/20#issuecomment-263524729 * * Emits an {Approval} event. */ function approve(address spender, uint256 amount) external returns (bool); /** * @dev Moves `amount` tokens from `from` to `to` using the * allowance mechanism. `amount` is then deducted from the caller's * allowance. * * Returns a boolean value indicating whether the operation succeeded. * * Emits a {Transfer} event. */ function transferFrom( address from, address to, uint256 amount ) external returns (bool); } // SPDX-License-Identifier: MIT // OpenZeppelin Contracts v4.4.1 (utils/introspection/IERC165.sol) pragma solidity ^0.8.0; /** * @dev Interface of the ERC165 standard, as defined in the * https://eips.ethereum.org/EIPS/eip-165[EIP]. * * Implementers can declare support of contract interfaces, which can then be * queried by others ({ERC165Checker}). * * For an implementation, see {ERC165}. */ interface IERC165 { /** * @dev Returns true if this contract implements the interface defined by * `interfaceId`. See the corresponding * https://eips.ethereum.org/EIPS/eip-165#how-interfaces-are-identified[EIP section] * to learn more about how these ids are created. * * This function call must use less than 30 000 gas. */ function supportsInterface(bytes4 interfaceId) external view returns (bool); }