Source Code
Overview
MON Balance
MON Value
$0.00| Transaction Hash |
Method
|
Block
|
From
|
To
|
|||||
|---|---|---|---|---|---|---|---|---|---|
Latest 1 internal transaction
Advanced mode:
| Parent Transaction Hash | Block | From | To | |||
|---|---|---|---|---|---|---|
| 37101074 | 66 days ago | Contract Creation | 0 MON |
Loading...
Loading
Contract Name:
PriceOracleV3
Compiler Version
v0.8.23+commit.f704f362
Optimization Enabled:
Yes with 1000 runs
Other Settings:
shanghai EvmVersion
Contract Source Code (Solidity Standard Json-Input format)
// SPDX-License-Identifier: BUSL-1.1
// Gearbox Protocol. Generalized leverage for DeFi protocols
// (c) Gearbox Foundation, 2024.
pragma solidity ^0.8.17;
import {ERC20} from "@openzeppelin/contracts/token/ERC20/ERC20.sol";
import {Address} from "@openzeppelin/contracts/utils/Address.sol";
import {Math} from "@openzeppelin/contracts/utils/math/Math.sol";
import {EnumerableSet} from "@openzeppelin/contracts/utils/structs/EnumerableSet.sol";
import {
AddressIsNotContractException,
IncorrectTokenContractException,
PriceFeedDoesNotExistException,
PriceFeedIsNotUpdatableException
} from "../interfaces/IExceptions.sol";
import {IPriceOracleV3, PriceFeedParams} from "../interfaces/IPriceOracleV3.sol";
import {IUpdatablePriceFeed} from "../interfaces/base/IPriceFeed.sol";
import {ACLTrait} from "../traits/ACLTrait.sol";
import {PriceFeedValidationTrait} from "../traits/PriceFeedValidationTrait.sol";
import {SanityCheckTrait} from "../traits/SanityCheckTrait.sol";
/// @title Price oracle V3
/// @notice Acts as router that dispatches calls to corresponding price feeds.
/// - Underlying price feeds can be arbitrary, but they must adhere to Chainlink interface, i.e., implement
/// `latestRoundData` and always return answers with 8 decimals. They may also implement their own price
/// checks, in which case they may incidcate it by returning `skipPriceCheck = true`.
/// - Price oracle also provides "safe" pricing, which uses minimum of main and reserve feed answers. These
/// two feeds are allowed to be the same, which effectively makes it trusted, but to reduce chances of
/// this happening accidentally, reserve price feed must be explicitly set after the main one.
/// The primary purpose of reserve price feeds is to upper-bound main ones during the collateral check after
/// operations that allow users to offload mispriced tokens on Gearbox and withdraw underlying; they should
/// not be used for general collateral evaluation, including decisions on whether accounts are liquidatable.
contract PriceOracleV3 is ACLTrait, PriceFeedValidationTrait, SanityCheckTrait, IPriceOracleV3 {
using EnumerableSet for EnumerableSet.AddressSet;
/// @notice Contract version
uint256 public constant override version = 3_10;
/// @notice Contract type
bytes32 public constant override contractType = "PRICE_ORACLE";
/// @dev Mapping from token address to price feed params
mapping(address => PriceFeedParams) internal _priceFeedsParams;
/// @dev Set of all tokens that have price feeds
EnumerableSet.AddressSet internal _tokensSet;
/// @notice Constructor
/// @param _acl ACL contract address
constructor(address _acl) ACLTrait(_acl) {}
/// @notice Returns all tokens that have price feeds
function getTokens() external view override returns (address[] memory) {
return _tokensSet.values();
}
/// @notice Returns main price feed for `token`
function priceFeeds(address token) external view override returns (address) {
return priceFeedParams(token).priceFeed;
}
/// @notice Returns reserve price feed for `token`
function reservePriceFeeds(address token) external view override returns (address) {
return reservePriceFeedParams(token).priceFeed;
}
/// @notice Returns main price feed params for `token`
function priceFeedParams(address token) public view override returns (PriceFeedParams memory) {
return _priceFeedsParams[token];
}
/// @notice Returns reserve price feed params for `token`
function reservePriceFeedParams(address token) public view override returns (PriceFeedParams memory) {
return _priceFeedsParams[_getTokenReserveKey(token)];
}
// ---------- //
// CONVERSION //
// ---------- //
/// @notice Returns `token`'s price in USD (with 8 decimals)
function getPrice(address token) external view override returns (uint256 price) {
(price,) = _getPrice(token);
}
/// @notice Returns `token`'s safe price in USD (with 8 decimals)
function getSafePrice(address token) external view override returns (uint256 price) {
(price,) = _getSafePrice(token);
}
/// @notice Returns `token`'s price in USD (with 8 decimals) from its reserve price feed
function getReservePrice(address token) external view override returns (uint256 price) {
(price,) = _getReservePrice(token);
}
/// @notice Converts `amount` of `token` into USD amount (with 8 decimals)
function convertToUSD(uint256 amount, address token) external view override returns (uint256) {
(uint256 price, uint256 scale) = _getPrice(token);
return amount * price / scale;
}
/// @notice Converts `amount` of USD (with 8 decimals) into `token` amount
function convertFromUSD(uint256 amount, address token) external view override returns (uint256) {
(uint256 price, uint256 scale) = _getPrice(token);
return amount * scale / price;
}
/// @notice Converts `amount` of `tokenFrom` into `tokenTo` amount
function convert(uint256 amount, address tokenFrom, address tokenTo) external view override returns (uint256) {
(uint256 priceFrom, uint256 scaleFrom) = _getPrice(tokenFrom);
(uint256 priceTo, uint256 scaleTo) = _getPrice(tokenTo);
return amount * priceFrom * scaleTo / (priceTo * scaleFrom);
}
/// @notice Converts `amount` of `token` into USD amount (with 8 decimals) using safe price
function safeConvertToUSD(uint256 amount, address token) external view override returns (uint256) {
(uint256 price, uint256 scale) = _getSafePrice(token);
return amount * price / scale;
}
// ------------- //
// CONFIGURATION //
// ------------- //
/// @notice Sets `priceFeed` as `token`'s main price feed
/// @dev If new main price feed coincides with reserve one, unsets the latter
/// @custom:tests U:[PO-3]
function setPriceFeed(address token, address priceFeed, uint32 stalenessPeriod)
external
override
nonZeroAddress(token)
nonZeroAddress(priceFeed)
configuratorOnly
{
PriceFeedParams memory params = priceFeedParams(token);
if (params.priceFeed == address(0)) {
params.tokenDecimals = _validateToken(token);
_tokensSet.add(token);
}
bool skipCheck = _validatePriceFeed(priceFeed, stalenessPeriod);
_priceFeedsParams[token] = PriceFeedParams({
priceFeed: priceFeed,
stalenessPeriod: stalenessPeriod,
skipCheck: skipCheck,
tokenDecimals: params.tokenDecimals
});
emit SetPriceFeed(token, priceFeed, stalenessPeriod, skipCheck);
if (priceFeed == reservePriceFeedParams(token).priceFeed) {
delete _priceFeedsParams[_getTokenReserveKey(token)];
emit SetReservePriceFeed(token, address(0), 0, false);
}
}
/// @notice Sets `priceFeed` as `token`'s reserve price feed
/// @dev Main price feed for the token must already be set
/// @custom:tests U:[PO-4]
function setReservePriceFeed(address token, address priceFeed, uint32 stalenessPeriod)
external
override
nonZeroAddress(token)
nonZeroAddress(priceFeed)
configuratorOnly
{
PriceFeedParams memory params = priceFeedParams(token);
if (params.priceFeed == address(0)) revert PriceFeedDoesNotExistException();
bool skipCheck = _validatePriceFeed(priceFeed, stalenessPeriod);
_priceFeedsParams[_getTokenReserveKey(token)] = PriceFeedParams({
priceFeed: priceFeed,
stalenessPeriod: stalenessPeriod,
skipCheck: skipCheck,
tokenDecimals: params.tokenDecimals
});
emit SetReservePriceFeed(token, priceFeed, stalenessPeriod, skipCheck);
}
// --------- //
// INTERNALS //
// --------- //
/// @dev Returns `token`'s price and scale from its main price feed
/// @custom:tests U:[PO-1]
function _getPrice(address token) internal view returns (uint256 price, uint256 scale) {
PriceFeedParams memory params = priceFeedParams(token);
if (params.priceFeed == address(0)) revert PriceFeedDoesNotExistException();
return (_getPrice(params), _getScale(params));
}
/// @dev Returns `token`'s safe price and scale computed as minimum between main and reserve feed prices
/// @custom:tests U:[PO-2]
function _getSafePrice(address token) internal view returns (uint256 price, uint256 scale) {
PriceFeedParams memory params = priceFeedParams(token);
PriceFeedParams memory reserveParams = reservePriceFeedParams(token);
if (params.priceFeed == address(0)) revert PriceFeedDoesNotExistException();
if (reserveParams.priceFeed == address(0)) return (0, _getScale(params));
if (reserveParams.priceFeed == params.priceFeed) return (_getPrice(params), _getScale(params));
return (Math.min(_getPrice(params), _getPrice(reserveParams)), _getScale(params));
}
/// @dev Returns `token`'s price and scale from its reserve price feed
/// @custom:tests U:[PO-2]
function _getReservePrice(address token) internal view returns (uint256 price, uint256 scale) {
PriceFeedParams memory params = reservePriceFeedParams(token);
if (params.priceFeed == address(0)) revert PriceFeedDoesNotExistException();
return (_getPrice(params), _getScale(params));
}
/// @dev Returns token's price, optionally performs sanity and staleness checks
function _getPrice(PriceFeedParams memory params) internal view returns (uint256 price) {
int256 answer = _getValidatedPrice(params.priceFeed, params.stalenessPeriod, params.skipCheck);
// NOTE: `_getValidatedPrice` ensures that `answer` is non-negative
price = uint256(answer);
}
/// @dev Returns token's scale
function _getScale(PriceFeedParams memory params) internal pure returns (uint256 scale) {
unchecked {
scale = 10 ** params.tokenDecimals;
}
}
/// @dev Returns key that is used to store `token`'s reserve feed in `_priceFeedsParams`
/// @custom:tests U:[PO-6]
function _getTokenReserveKey(address token) internal pure returns (address key) {
// address(uint160(uint256(keccak256(abi.encodePacked("RESERVE", token)))))
assembly {
mstore(0x0, or("RESERVE", shl(0x28, token)))
key := keccak256(0x0, 0x1b)
}
}
/// @dev Validates that `token` is a contract that returns `decimals` within allowed range
/// @custom:tests U:[PO-7]
function _validateToken(address token) internal view returns (uint8 decimals) {
if (!Address.isContract(token)) revert AddressIsNotContractException(token);
try ERC20(token).decimals() returns (uint8 _decimals) {
if (_decimals == 0 || _decimals > 18) revert IncorrectTokenContractException();
decimals = _decimals;
} catch {
revert IncorrectTokenContractException();
}
}
}// 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 (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: MIT
// OpenZeppelin Contracts (last updated v4.9.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].
*
* The default value of {decimals} is 18. To change this, you should override
* this function so it returns a different value.
*
* 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}.
*
* 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 default value returned by this function, unless
* it's 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 Atomically increases the allowance granted to `spender` by the caller.
*
* This is an alternative to {approve} that can be used as a mitigation for
* problems described in {IERC20-approve}.
*
* Emits an {Approval} event indicating the updated allowance.
*
* Requirements:
*
* - `spender` cannot be the zero address.
*/
function increaseAllowance(address spender, uint256 addedValue) public virtual returns (bool) {
address owner = _msgSender();
_approve(owner, spender, allowance(owner, spender) + addedValue);
return true;
}
/**
* @dev Atomically decreases the allowance granted to `spender` by the caller.
*
* This is an alternative to {approve} that can be used as a mitigation for
* problems described in {IERC20-approve}.
*
* Emits an {Approval} event indicating the updated allowance.
*
* Requirements:
*
* - `spender` cannot be the zero address.
* - `spender` must have allowance for the caller of at least
* `subtractedValue`.
*/
function decreaseAllowance(address spender, uint256 subtractedValue) public virtual returns (bool) {
address owner = _msgSender();
uint256 currentAllowance = allowance(owner, spender);
require(currentAllowance >= subtractedValue, "ERC20: decreased allowance below zero");
unchecked {
_approve(owner, spender, currentAllowance - subtractedValue);
}
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.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: BUSL-1.1
// Gearbox Protocol. Generalized leverage for DeFi protocols
// (c) Gearbox Foundation, 2024.
pragma solidity ^0.8.17;
import {Address} from "@openzeppelin/contracts/utils/Address.sol";
import {IACL} from "../interfaces/base/IACL.sol";
import {IACLTrait} from "../interfaces/base/IACLTrait.sol";
import {
AddressIsNotContractException,
CallerNotConfiguratorException,
CallerNotPausableAdminException,
CallerNotUnpausableAdminException,
ZeroAddressException
} from "../interfaces/IExceptions.sol";
/// @title ACL trait
/// @notice Utility class for ACL (access-control list) consumers
abstract contract ACLTrait is IACLTrait {
using Address for address;
/// @notice ACL contract address
address public immutable override acl;
/// @dev Ensures that function caller has configurator role
modifier configuratorOnly() {
_ensureCallerIsConfigurator();
_;
}
/// @dev Ensures that function caller has pausable admin role
modifier pausableAdminsOnly() {
_ensureCallerIsPausableAdmin();
_;
}
/// @dev Ensures that function caller has unpausable admin role
modifier unpausableAdminsOnly() {
_ensureCallerIsUnpausableAdmin();
_;
}
/// @notice Constructor
/// @param _acl ACL contract address
constructor(address _acl) {
if (_acl == address(0)) revert ZeroAddressException();
if (!_acl.isContract()) revert AddressIsNotContractException(_acl);
acl = _acl;
}
/// @dev Reverts if the caller is not the configurator
/// @dev Used to cut contract size on modifiers
function _ensureCallerIsConfigurator() internal view {
if (!_isConfigurator(msg.sender)) revert CallerNotConfiguratorException();
}
/// @dev Checks whether given account has configurator role
function _isConfigurator(address account) internal view returns (bool) {
return IACL(acl).isConfigurator(account);
}
/// @dev Reverts if the caller is not pausable admin
/// @dev Used to cut contract size on modifiers
function _ensureCallerIsPausableAdmin() internal view {
if (!_hasRole("PAUSABLE_ADMIN", msg.sender)) revert CallerNotPausableAdminException();
}
/// @dev Reverts if the caller is not unpausable admin
/// @dev Used to cut contract size on modifiers
function _ensureCallerIsUnpausableAdmin() internal view {
if (!_hasRole("UNPAUSABLE_ADMIN", msg.sender)) revert CallerNotUnpausableAdminException();
}
/// @dev Whether account `account` has role `role`
/// @dev Used to cut contract size on external calls
function _hasRole(bytes32 role, address account) internal view returns (bool) {
return IACL(acl).hasRole(role, account);
}
}// SPDX-License-Identifier: MIT
// OpenZeppelin Contracts (last updated v4.9.0) (utils/structs/EnumerableSet.sol)
// This file was procedurally generated from scripts/generate/templates/EnumerableSet.js.
pragma solidity ^0.8.0;
/**
* @dev Library for managing
* https://en.wikipedia.org/wiki/Set_(abstract_data_type)[sets] of primitive
* types.
*
* Sets have the following properties:
*
* - Elements are added, removed, and checked for existence in constant time
* (O(1)).
* - Elements are enumerated in O(n). No guarantees are made on the ordering.
*
* ```solidity
* contract Example {
* // Add the library methods
* using EnumerableSet for EnumerableSet.AddressSet;
*
* // Declare a set state variable
* EnumerableSet.AddressSet private mySet;
* }
* ```
*
* As of v3.3.0, sets of type `bytes32` (`Bytes32Set`), `address` (`AddressSet`)
* and `uint256` (`UintSet`) are supported.
*
* [WARNING]
* ====
* Trying to delete such a structure from storage will likely result in data corruption, rendering the structure
* unusable.
* See https://github.com/ethereum/solidity/pull/11843[ethereum/solidity#11843] for more info.
*
* In order to clean an EnumerableSet, you can either remove all elements one by one or create a fresh instance using an
* array of EnumerableSet.
* ====
*/
library EnumerableSet {
// To implement this library for multiple types with as little code
// repetition as possible, we write it in terms of a generic Set type with
// bytes32 values.
// The Set implementation uses private functions, and user-facing
// implementations (such as AddressSet) are just wrappers around the
// underlying Set.
// This means that we can only create new EnumerableSets for types that fit
// in bytes32.
struct Set {
// Storage of set values
bytes32[] _values;
// Position of the value in the `values` array, plus 1 because index 0
// means a value is not in the set.
mapping(bytes32 => uint256) _indexes;
}
/**
* @dev Add a value to a set. O(1).
*
* Returns true if the value was added to the set, that is if it was not
* already present.
*/
function _add(Set storage set, bytes32 value) private returns (bool) {
if (!_contains(set, value)) {
set._values.push(value);
// The value is stored at length-1, but we add 1 to all indexes
// and use 0 as a sentinel value
set._indexes[value] = set._values.length;
return true;
} else {
return false;
}
}
/**
* @dev Removes a value from a set. O(1).
*
* Returns true if the value was removed from the set, that is if it was
* present.
*/
function _remove(Set storage set, bytes32 value) private returns (bool) {
// We read and store the value's index to prevent multiple reads from the same storage slot
uint256 valueIndex = set._indexes[value];
if (valueIndex != 0) {
// Equivalent to contains(set, value)
// To delete an element from the _values array in O(1), we swap the element to delete with the last one in
// the array, and then remove the last element (sometimes called as 'swap and pop').
// This modifies the order of the array, as noted in {at}.
uint256 toDeleteIndex = valueIndex - 1;
uint256 lastIndex = set._values.length - 1;
if (lastIndex != toDeleteIndex) {
bytes32 lastValue = set._values[lastIndex];
// Move the last value to the index where the value to delete is
set._values[toDeleteIndex] = lastValue;
// Update the index for the moved value
set._indexes[lastValue] = valueIndex; // Replace lastValue's index to valueIndex
}
// Delete the slot where the moved value was stored
set._values.pop();
// Delete the index for the deleted slot
delete set._indexes[value];
return true;
} else {
return false;
}
}
/**
* @dev Returns true if the value is in the set. O(1).
*/
function _contains(Set storage set, bytes32 value) private view returns (bool) {
return set._indexes[value] != 0;
}
/**
* @dev Returns the number of values on the set. O(1).
*/
function _length(Set storage set) private view returns (uint256) {
return set._values.length;
}
/**
* @dev Returns the value stored at position `index` in the set. O(1).
*
* Note that there are no guarantees on the ordering of values inside the
* array, and it may change when more values are added or removed.
*
* Requirements:
*
* - `index` must be strictly less than {length}.
*/
function _at(Set storage set, uint256 index) private view returns (bytes32) {
return set._values[index];
}
/**
* @dev Return the entire set in an array
*
* WARNING: This operation will copy the entire storage to memory, which can be quite expensive. This is designed
* to mostly be used by view accessors that are queried without any gas fees. Developers should keep in mind that
* this function has an unbounded cost, and using it as part of a state-changing function may render the function
* uncallable if the set grows to a point where copying to memory consumes too much gas to fit in a block.
*/
function _values(Set storage set) private view returns (bytes32[] memory) {
return set._values;
}
// Bytes32Set
struct Bytes32Set {
Set _inner;
}
/**
* @dev Add a value to a set. O(1).
*
* Returns true if the value was added to the set, that is if it was not
* already present.
*/
function add(Bytes32Set storage set, bytes32 value) internal returns (bool) {
return _add(set._inner, value);
}
/**
* @dev Removes a value from a set. O(1).
*
* Returns true if the value was removed from the set, that is if it was
* present.
*/
function remove(Bytes32Set storage set, bytes32 value) internal returns (bool) {
return _remove(set._inner, value);
}
/**
* @dev Returns true if the value is in the set. O(1).
*/
function contains(Bytes32Set storage set, bytes32 value) internal view returns (bool) {
return _contains(set._inner, value);
}
/**
* @dev Returns the number of values in the set. O(1).
*/
function length(Bytes32Set storage set) internal view returns (uint256) {
return _length(set._inner);
}
/**
* @dev Returns the value stored at position `index` in the set. O(1).
*
* Note that there are no guarantees on the ordering of values inside the
* array, and it may change when more values are added or removed.
*
* Requirements:
*
* - `index` must be strictly less than {length}.
*/
function at(Bytes32Set storage set, uint256 index) internal view returns (bytes32) {
return _at(set._inner, index);
}
/**
* @dev Return the entire set in an array
*
* WARNING: This operation will copy the entire storage to memory, which can be quite expensive. This is designed
* to mostly be used by view accessors that are queried without any gas fees. Developers should keep in mind that
* this function has an unbounded cost, and using it as part of a state-changing function may render the function
* uncallable if the set grows to a point where copying to memory consumes too much gas to fit in a block.
*/
function values(Bytes32Set storage set) internal view returns (bytes32[] memory) {
bytes32[] memory store = _values(set._inner);
bytes32[] memory result;
/// @solidity memory-safe-assembly
assembly {
result := store
}
return result;
}
// AddressSet
struct AddressSet {
Set _inner;
}
/**
* @dev Add a value to a set. O(1).
*
* Returns true if the value was added to the set, that is if it was not
* already present.
*/
function add(AddressSet storage set, address value) internal returns (bool) {
return _add(set._inner, bytes32(uint256(uint160(value))));
}
/**
* @dev Removes a value from a set. O(1).
*
* Returns true if the value was removed from the set, that is if it was
* present.
*/
function remove(AddressSet storage set, address value) internal returns (bool) {
return _remove(set._inner, bytes32(uint256(uint160(value))));
}
/**
* @dev Returns true if the value is in the set. O(1).
*/
function contains(AddressSet storage set, address value) internal view returns (bool) {
return _contains(set._inner, bytes32(uint256(uint160(value))));
}
/**
* @dev Returns the number of values in the set. O(1).
*/
function length(AddressSet storage set) internal view returns (uint256) {
return _length(set._inner);
}
/**
* @dev Returns the value stored at position `index` in the set. O(1).
*
* Note that there are no guarantees on the ordering of values inside the
* array, and it may change when more values are added or removed.
*
* Requirements:
*
* - `index` must be strictly less than {length}.
*/
function at(AddressSet storage set, uint256 index) internal view returns (address) {
return address(uint160(uint256(_at(set._inner, index))));
}
/**
* @dev Return the entire set in an array
*
* WARNING: This operation will copy the entire storage to memory, which can be quite expensive. This is designed
* to mostly be used by view accessors that are queried without any gas fees. Developers should keep in mind that
* this function has an unbounded cost, and using it as part of a state-changing function may render the function
* uncallable if the set grows to a point where copying to memory consumes too much gas to fit in a block.
*/
function values(AddressSet storage set) internal view returns (address[] memory) {
bytes32[] memory store = _values(set._inner);
address[] memory result;
/// @solidity memory-safe-assembly
assembly {
result := store
}
return result;
}
// UintSet
struct UintSet {
Set _inner;
}
/**
* @dev Add a value to a set. O(1).
*
* Returns true if the value was added to the set, that is if it was not
* already present.
*/
function add(UintSet storage set, uint256 value) internal returns (bool) {
return _add(set._inner, bytes32(value));
}
/**
* @dev Removes a value from a set. O(1).
*
* Returns true if the value was removed from the set, that is if it was
* present.
*/
function remove(UintSet storage set, uint256 value) internal returns (bool) {
return _remove(set._inner, bytes32(value));
}
/**
* @dev Returns true if the value is in the set. O(1).
*/
function contains(UintSet storage set, uint256 value) internal view returns (bool) {
return _contains(set._inner, bytes32(value));
}
/**
* @dev Returns the number of values in the set. O(1).
*/
function length(UintSet storage set) internal view returns (uint256) {
return _length(set._inner);
}
/**
* @dev Returns the value stored at position `index` in the set. O(1).
*
* Note that there are no guarantees on the ordering of values inside the
* array, and it may change when more values are added or removed.
*
* Requirements:
*
* - `index` must be strictly less than {length}.
*/
function at(UintSet storage set, uint256 index) internal view returns (uint256) {
return uint256(_at(set._inner, index));
}
/**
* @dev Return the entire set in an array
*
* WARNING: This operation will copy the entire storage to memory, which can be quite expensive. This is designed
* to mostly be used by view accessors that are queried without any gas fees. Developers should keep in mind that
* this function has an unbounded cost, and using it as part of a state-changing function may render the function
* uncallable if the set grows to a point where copying to memory consumes too much gas to fit in a block.
*/
function values(UintSet storage set) internal view returns (uint256[] memory) {
bytes32[] memory store = _values(set._inner);
uint256[] memory result;
/// @solidity memory-safe-assembly
assembly {
result := store
}
return result;
}
}// SPDX-License-Identifier: MIT
// Gearbox Protocol. Generalized leverage for DeFi protocols
// (c) Gearbox Foundation, 2024.
pragma solidity ^0.8.17;
interface IACL {
function isConfigurator(address account) external view returns (bool);
function hasRole(bytes32 role, address account) external view returns (bool);
}// SPDX-License-Identifier: MIT // Gearbox Protocol. Generalized leverage for DeFi protocols // (c) Gearbox Foundation, 2024. pragma solidity ^0.8.17; // ------- // // GENERAL // // ------- // /// @notice Thrown on attempting to set an important address to zero address error ZeroAddressException(); /// @notice Thrown when attempting to pass a zero amount to a funding-related operation error AmountCantBeZeroException(); /// @notice Thrown on incorrect input parameter error IncorrectParameterException(); /// @notice Thrown when balance is insufficient to perform an operation error InsufficientBalanceException(); /// @notice Thrown if parameter is out of range error ValueOutOfRangeException(); /// @notice Thrown when trying to send ETH to a contract that is not allowed to receive ETH directly error ReceiveIsNotAllowedException(); /// @notice Thrown on attempting to set an EOA as an important contract in the system error AddressIsNotContractException(address); /// @notice Thrown on attempting to receive a token that is not a collateral token or was forbidden error TokenNotAllowedException(); /// @notice Thrown on attempting to add a token that is already in a collateral list error TokenAlreadyAddedException(); /// @notice Thrown when attempting to use quota-related logic for a token that is not quoted in quota keeper error TokenIsNotQuotedException(); /// @notice Thrown on attempting to interact with an address that is not a valid target contract error TargetContractNotAllowedException(); /// @notice Thrown if function is not implemented error NotImplementedException(); // ------------------ // // CONTRACTS REGISTER // // ------------------ // /// @notice Thrown when an address is expected to be a registered credit manager, but is not error RegisteredCreditManagerOnlyException(); /// @notice Thrown when an address is expected to be a registered pool, but is not error RegisteredPoolOnlyException(); // ---------------- // // ADDRESS PROVIDER // // ---------------- // /// @notice Reverts if address key isn't found in address provider error AddressNotFoundException(); // ----------------- // // POOL, PQK, GAUGES // // ----------------- // /// @notice Thrown by pool-adjacent contracts when a credit manager being connected has a wrong pool address error IncompatibleCreditManagerException(); /// @notice Thrown when attempting to set an incompatible successor staking contract error IncompatibleSuccessorException(); /// @notice Thrown when attempting to vote in a non-approved contract error VotingContractNotAllowedException(); /// @notice Thrown when attempting to unvote more votes than there are error InsufficientVotesException(); /// @notice Thrown when attempting to borrow more than the second point on a two-point curve error BorrowingMoreThanU2ForbiddenException(); /// @notice Thrown when a credit manager attempts to borrow more than its limit in the current block, or in general error CreditManagerCantBorrowException(); /// @notice Thrown when attempting to connect a quota keeper to an incompatible pool error IncompatiblePoolQuotaKeeperException(); /// @notice Thrown when attempting to connect a gauge to an incompatible pool quota keeper error IncompatibleGaugeException(); /// @notice Thrown when the quota is outside of min/max bounds error QuotaIsOutOfBoundsException(); // -------------- // // CREDIT MANAGER // // -------------- // /// @notice Thrown on failing a full collateral check after multicall error NotEnoughCollateralException(); /// @notice Thrown if an attempt to approve a collateral token to adapter's target contract fails error AllowanceFailedException(); /// @notice Thrown on attempting to perform an action for a credit account that does not exist error CreditAccountDoesNotExistException(); /// @notice Thrown on configurator attempting to add more than 255 collateral tokens error TooManyTokensException(); /// @notice Thrown if more than the maximum number of tokens were enabled on a credit account error TooManyEnabledTokensException(); /// @notice Thrown when attempting to execute a protocol interaction without active credit account set error ActiveCreditAccountNotSetException(); /// @notice Thrown when trying to update credit account's debt more than once in the same block error DebtUpdatedTwiceInOneBlockException(); /// @notice Thrown when trying to repay all debt while having active quotas error DebtToZeroWithActiveQuotasException(); /// @notice Thrown when a zero-debt account attempts to update quota error UpdateQuotaOnZeroDebtAccountException(); /// @notice Thrown when attempting to close an account with non-zero debt error CloseAccountWithNonZeroDebtException(); /// @notice Thrown when value of funds remaining on the account after liquidation is insufficient error InsufficientRemainingFundsException(); /// @notice Thrown when Credit Facade tries to write over a non-zero active Credit Account error ActiveCreditAccountOverridenException(); // ------------------- // // CREDIT CONFIGURATOR // // ------------------- // /// @notice Thrown on attempting to use a non-ERC20 contract or an EOA as a token error IncorrectTokenContractException(); /// @notice Thrown if the newly set LT if zero or greater than the underlying's LT error IncorrectLiquidationThresholdException(); /// @notice Thrown if borrowing limits are incorrect: minLimit > maxLimit or maxLimit > blockLimit error IncorrectLimitsException(); /// @notice Thrown if the new expiration date is less than the current expiration date or current timestamp error IncorrectExpirationDateException(); /// @notice Thrown if a contract returns a wrong credit manager or reverts when trying to retrieve it error IncompatibleContractException(); /// @notice Thrown if attempting to forbid an adapter that is not registered in the credit manager error AdapterIsNotRegisteredException(); /// @notice Thrown if new credit configurator's set of allowed adapters differs from the current one error IncorrectAdaptersSetException(); /// @notice Thrown if attempting to schedule a token's LT ramping that is too short in duration error RampDurationTooShortException(); /// @notice Thrown if attempting to set liquidation fees such that the sum of premium and fee changes error InconsistentLiquidationFeesException(); /// @notice Thrown if attempting to set expired liquidation fees such that the sum of premium and fee changes error InconsistentExpiredLiquidationFeesException(); // ------------- // // CREDIT FACADE // // ------------- // /// @notice Thrown when attempting to perform an action that is forbidden in whitelisted mode error ForbiddenInWhitelistedModeException(); /// @notice Thrown if credit facade is not expirable, and attempted aciton requires expirability error NotAllowedWhenNotExpirableException(); /// @notice Thrown if a selector that doesn't match any allowed function is passed to the credit facade in a multicall error UnknownMethodException(bytes4 selector); /// @notice Thrown if a liquidator tries to liquidate an account with a health factor above 1 error CreditAccountNotLiquidatableException(); /// @notice Thrown if a liquidator tries to liquidate an account with loss but violates the loss policy error CreditAccountNotLiquidatableWithLossException(); /// @notice Thrown if too much new debt was taken within a single block error BorrowedBlockLimitException(); /// @notice Thrown if the new debt principal for a credit account falls outside of borrowing limits error BorrowAmountOutOfLimitsException(); /// @notice Thrown if a user attempts to open an account via an expired credit facade error NotAllowedAfterExpirationException(); /// @notice Thrown if expected balances are attempted to be set twice without performing a slippage check error ExpectedBalancesAlreadySetException(); /// @notice Thrown if attempting to perform a slippage check when excepted balances are not set error ExpectedBalancesNotSetException(); /// @notice Thrown if balance of at least one token is less than expected during a slippage check error BalanceLessThanExpectedException(address token); /// @notice Thrown when trying to perform an action that is forbidden when credit account has enabled forbidden tokens error ForbiddenTokensException(uint256 forbiddenTokensMask); /// @notice Thrown when forbidden token quota is increased during the multicall error ForbiddenTokenQuotaIncreasedException(address token); /// @notice Thrown when enabled forbidden token balance is increased during the multicall error ForbiddenTokenBalanceIncreasedException(address token); /// @notice Thrown when the remaining token balance is increased during the liquidation error RemainingTokenBalanceIncreasedException(address token); /// @notice Thrown if `botMulticall` is called by an address that is not approved by account owner or is forbidden error NotApprovedBotException(address bot); /// @notice Thrown when attempting to perform a multicall action with no permission for it error NoPermissionException(uint256 permission); /// @notice Thrown when attempting to give a bot unexpected permissions error UnexpectedPermissionsException(uint256 permissions); /// @notice Thrown when a custom HF parameter lower than 10000 is passed into the full collateral check error CustomHealthFactorTooLowException(); /// @notice Thrown when submitted collateral hint is not a valid token mask error InvalidCollateralHintException(uint256 mask); /// @notice Thrown when trying to seize underlying token during partial liquidation error UnderlyingIsNotLiquidatableException(); /// @notice Thrown when amount of collateral seized during partial liquidation is less than required error SeizedLessThanRequiredException(uint256 seizedAmount); // ------ // // ACCESS // // ------ // /// @notice Thrown on attempting to call an access restricted function not as credit account owner error CallerNotCreditAccountOwnerException(); /// @notice Thrown on attempting to call an access restricted function not as configurator error CallerNotConfiguratorException(); /// @notice Thrown on attempting to call an access-restructed function not as account factory error CallerNotAccountFactoryException(); /// @notice Thrown on attempting to call an access restricted function not as credit manager error CallerNotCreditManagerException(); /// @notice Thrown on attempting to call an access restricted function not as credit facade error CallerNotCreditFacadeException(); /// @notice Thrown on attempting to pause a contract without pausable admin rights error CallerNotPausableAdminException(); /// @notice Thrown on attempting to unpause a contract without unpausable admin rights error CallerNotUnpausableAdminException(); /// @notice Thrown on attempting to call an access restricted function not as gauge error CallerNotGaugeException(); /// @notice Thrown on attempting to call an access restricted function not as quota keeper error CallerNotPoolQuotaKeeperException(); /// @notice Thrown on attempting to call an access restricted function not as voter error CallerNotVoterException(); /// @notice Thrown on attempting to call an access restricted function not as allowed adapter error CallerNotAdapterException(); /// @notice Thrown on attempting to call an access restricted function not as migrator error CallerNotMigratorException(); /// @notice Thrown when an address that is not the designated executor attempts to execute a transaction error CallerNotExecutorException(); /// @notice Thrown on attempting to call an access restricted function not as veto admin error CallerNotVetoAdminException(); // -------- // // BOT LIST // // -------- // /// @notice Thrown when attempting to set non-zero permissions for a forbidden bot error InvalidBotException(); /// @notice Thrown when attempting to set permissions for a bot that don't meet its requirements error IncorrectBotPermissionsException(); /// @notice Thrown when attempting to set non-zero permissions for too many bots error TooManyActiveBotsException(); // --------------- // // ACCOUNT FACTORY // // --------------- // /// @notice Thrown when trying to deploy second master credit account for a credit manager error MasterCreditAccountAlreadyDeployedException(); /// @notice Thrown when trying to rescue funds from a credit account that is currently in use error CreditAccountIsInUseException(); // ------------ // // PRICE ORACLE // // ------------ // /// @notice Thrown on attempting to set a token price feed to an address that is not a correct price feed error IncorrectPriceFeedException(); /// @notice Thrown on attempting to interact with a price feed for a token not added to the price oracle error PriceFeedDoesNotExistException(); /// @notice Thrown when trying to apply an on-demand price update to a non-updatable price feed error PriceFeedIsNotUpdatableException(); /// @notice Thrown when price feed returns incorrect price for a token error IncorrectPriceException(); /// @notice Thrown when token's price feed becomes stale error StalePriceException();
// SPDX-License-Identifier: BUSL-1.1
// Gearbox Protocol. Generalized leverage for DeFi protocols
// (c) Gearbox Foundation, 2024.
pragma solidity ^0.8.17;
/// @title Optional call library
/// @notice Implements a function that calls a contract that may not have an expected selector.
/// Handles the case where the contract has a fallback function that may or may not change state.
library OptionalCall {
function staticCallOptionalSafe(address target, bytes memory data, uint256 gasAllowance)
internal
view
returns (bool, bytes memory)
{
(bool success, bytes memory returnData) = target.staticcall{gas: gasAllowance}(data);
return returnData.length > 0 ? (success, returnData) : (false, returnData);
}
}// SPDX-License-Identifier: BUSL-1.1
// Gearbox Protocol. Generalized leverage for DeFi protocols
// (c) Gearbox Foundation, 2024.
pragma solidity ^0.8.17;
import {ZeroAddressException} from "../interfaces/IExceptions.sol";
/// @title Sanity check trait
abstract contract SanityCheckTrait {
/// @dev Ensures that passed address is non-zero
modifier nonZeroAddress(address addr) {
_revertIfZeroAddress(addr);
_;
}
/// @dev Reverts if address is zero
function _revertIfZeroAddress(address addr) private pure {
if (addr == address(0)) revert ZeroAddressException();
}
}// SPDX-License-Identifier: MIT
// Gearbox Protocol. Generalized leverage for DeFi protocols
// (c) Gearbox Foundation, 2024.
pragma solidity ^0.8.17;
/// @title Version interface
/// @notice Defines contract version and type
interface IVersion {
/// @notice Contract version
function version() external view returns (uint256);
/// @notice Contract type
function contractType() external view returns (bytes32);
}// SPDX-License-Identifier: MIT
// Gearbox Protocol. Generalized leverage for DeFi protocols
// (c) Gearbox Foundation, 2024.
pragma solidity ^0.8.17;
import {IACLTrait} from "./base/IACLTrait.sol";
import {IVersion} from "./base/IVersion.sol";
/// @notice Price feed params
/// @param priceFeed Price feed address
/// @param stalenessPeriod Period (in seconds) after which price feed's answer should be considered stale
/// @param skipCheck Whether price feed implements its own safety and staleness checks
/// @param tokenDecimals Token decimals
struct PriceFeedParams {
address priceFeed;
uint32 stalenessPeriod;
bool skipCheck;
uint8 tokenDecimals;
}
interface IPriceOracleV3Events {
/// @notice Emitted when new price feed is set for token
event SetPriceFeed(address indexed token, address indexed priceFeed, uint32 stalenessPeriod, bool skipCheck);
/// @notice Emitted when new reserve price feed is set for token
event SetReservePriceFeed(address indexed token, address indexed priceFeed, uint32 stalenessPeriod, bool skipCheck);
}
/// @title Price oracle V3 interface
interface IPriceOracleV3 is IVersion, IACLTrait, IPriceOracleV3Events {
function getTokens() external view returns (address[] memory);
function priceFeeds(address token) external view returns (address priceFeed);
function reservePriceFeeds(address token) external view returns (address);
function priceFeedParams(address token) external view returns (PriceFeedParams memory);
function reservePriceFeedParams(address token) external view returns (PriceFeedParams memory);
// ---------- //
// CONVERSION //
// ---------- //
function getPrice(address token) external view returns (uint256);
function getSafePrice(address token) external view returns (uint256);
function getReservePrice(address token) external view returns (uint256);
function convertToUSD(uint256 amount, address token) external view returns (uint256);
function convertFromUSD(uint256 amount, address token) external view returns (uint256);
function convert(uint256 amount, address tokenFrom, address tokenTo) external view returns (uint256);
function safeConvertToUSD(uint256 amount, address token) external view returns (uint256);
// ------------- //
// CONFIGURATION //
// ------------- //
function setPriceFeed(address token, address priceFeed, uint32 stalenessPeriod) external;
function setReservePriceFeed(address token, address priceFeed, uint32 stalenessPeriod) external;
}// SPDX-License-Identifier: MIT
// Gearbox Protocol. Generalized leverage for DeFi protocols
// (c) Gearbox Foundation, 2024.
pragma solidity ^0.8.17;
interface IACLTrait {
function acl() external view returns (address);
}// 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
// Gearbox Protocol. Generalized leverage for DeFi protocols
// (c) Gearbox Foundation, 2024.
pragma solidity ^0.8.17;
import {IVersion} from "./IVersion.sol";
import {IStateSerializer} from "./IStateSerializer.sol";
/// @title Price feed interface
/// @notice Interface for Chainlink-like price feeds that can be plugged into Gearbox's price oracle
/// @dev Price feeds must have type `PRICE_FEED::{POSTFIX}`
interface IPriceFeed is IVersion, IStateSerializer {
/// @notice Whether price feed implements its own staleness and sanity checks
function skipPriceCheck() external view returns (bool);
/// @notice Scale decimals of price feed answers
function decimals() external view returns (uint8);
/// @notice Price feed description
function description() external view returns (string memory);
/// @notice Price feed answer in standard Chainlink format, only `answer` and `updatedAt` fields are used
function latestRoundData() external view returns (uint80, int256 answer, uint256, uint256 updatedAt, uint80);
}
/// @title Updatable price feed interface
/// @notice Extended version of `IPriceFeed` for pull oracles that allow on-demand updates
interface IUpdatablePriceFeed is IPriceFeed {
/// @notice Emitted when price is updated
event UpdatePrice(uint256 price);
/// @notice Whether price feed is updatable
function updatable() external view returns (bool);
/// @notice Performs on-demand price update
function updatePrice(bytes calldata data) external;
}// SPDX-License-Identifier: BUSL-1.1
// Gearbox Protocol. Generalized leverage for DeFi protocols
// (c) Gearbox Foundation, 2024.
pragma solidity ^0.8.17;
import {Address} from "@openzeppelin/contracts/utils/Address.sol";
import {OptionalCall} from "../libraries/OptionalCall.sol";
import {
AddressIsNotContractException,
IncorrectParameterException,
IncorrectPriceException,
IncorrectPriceFeedException,
PriceFeedDoesNotExistException,
StalePriceException
} from "../interfaces/IExceptions.sol";
import {IPriceFeed, IUpdatablePriceFeed} from "../interfaces/base/IPriceFeed.sol";
/// @title Price feed validation trait
abstract contract PriceFeedValidationTrait {
using Address for address;
/// @dev Ensures that price feed's answer is positive and not stale.
/// If `skipCheck` is true, only checks that price is non-negative to allow zero price feed to be used.
/// @custom:tests U:[PO-9]
function _checkAnswer(int256 price, uint256 updatedAt, uint32 stalenessPeriod, bool skipCheck) internal view {
if (price < 0 || !skipCheck && price == 0) revert IncorrectPriceException();
if (!skipCheck && block.timestamp >= updatedAt + stalenessPeriod) revert StalePriceException();
}
/// @dev Validates that `priceFeed` is a contract that adheres to Chainlink interface
/// @dev Reverts if `priceFeed` does not have exactly 8 decimals
/// @dev Reverts if `stalenessPeriod` is inconsistent with `priceFeed`'s `skipPriceCheck()` flag
/// (which is considered to be false if `priceFeed` does not have this function)
/// @custom:tests U:[PO-8], U:[PO-10]
function _validatePriceFeedMetadata(address priceFeed, uint32 stalenessPeriod)
internal
view
returns (bool skipCheck)
{
if (!priceFeed.isContract()) revert AddressIsNotContractException(priceFeed);
try IPriceFeed(priceFeed).decimals() returns (uint8 _decimals) {
if (_decimals != 8) revert IncorrectPriceFeedException();
} catch {
revert IncorrectPriceFeedException();
}
// NOTE: Some external price feeds without `skipPriceCheck` may have a fallback function that changes state,
// which can cause a `THROW` that burns all gas, or does not change state and instead returns empty data.
// To handle these cases, we use a special call construction with a strict gas limit.
(bool success, bytes memory returnData) = OptionalCall.staticCallOptionalSafe({
target: priceFeed,
data: abi.encodeWithSelector(IPriceFeed.skipPriceCheck.selector),
gasAllowance: 10_000
});
if (success) skipCheck = abi.decode(returnData, (bool));
if (skipCheck && stalenessPeriod != 0 || !skipCheck && stalenessPeriod == 0) {
revert IncorrectParameterException();
}
}
/// @dev Validates that `priceFeed` is a contract that adheres to Chainlink interface and returns valid answer
/// @custom:tests U:[PO-8], U:[PO-10]
function _validatePriceFeed(address priceFeed, uint32 stalenessPeriod) internal view returns (bool skipCheck) {
skipCheck = _validatePriceFeedMetadata(priceFeed, stalenessPeriod);
try IPriceFeed(priceFeed).latestRoundData() returns (uint80, int256 answer, uint256, uint256 updatedAt, uint80)
{
_checkAnswer(answer, updatedAt, stalenessPeriod, skipCheck);
} catch {
revert IncorrectPriceFeedException();
}
}
/// @dev Returns answer from a price feed with optional sanity and staleness checks
/// @custom:tests U:[PO-9]
function _getValidatedPrice(address priceFeed, uint32 stalenessPeriod, bool skipCheck)
internal
view
returns (int256 answer)
{
uint256 updatedAt;
(, answer,, updatedAt,) = IPriceFeed(priceFeed).latestRoundData();
_checkAnswer(answer, updatedAt, stalenessPeriod, skipCheck);
}
}// SPDX-License-Identifier: MIT
// Gearbox Protocol. Generalized leverage for DeFi protocols
// (c) Gearbox Foundation, 2024.
pragma solidity ^0.8.17;
/// @title State serializer interface
/// @notice Generic interface for a contract that can serialize its state into a bytes array
interface IStateSerializer {
/// @notice Serializes the state of the contract into a bytes array `serializedData`
function serialize() external view returns (bytes memory serializedData);
}{
"remappings": [
"@1inch/=lib/@1inch/",
"@gearbox-protocol/=lib/@gearbox-protocol/",
"@openzeppelin/=lib/@openzeppelin/",
"@redstone-finance/=node_modules/@redstone-finance/",
"@solady/=lib/@solady/src/",
"ds-test/=lib/forge-std/lib/ds-test/src/",
"erc4626-tests/=lib/@openzeppelin/lib/erc4626-tests/",
"forge-std/=lib/forge-std/src/",
"openzeppelin/=lib/@openzeppelin/contracts/"
],
"optimizer": {
"runs": 1000,
"enabled": true
},
"metadata": {
"bytecodeHash": "none",
"useLiteralContent": true
},
"evmVersion": "shanghai",
"outputSelection": {
"*": {
"*": [
"evm.bytecode",
"evm.deployedBytecode",
"devdoc",
"userdoc",
"metadata",
"abi"
]
}
}
}Contract Security Audit
- No Contract Security Audit Submitted- Submit Audit Here
Contract ABI
API[{"inputs":[{"internalType":"address","name":"_acl","type":"address"}],"stateMutability":"nonpayable","type":"constructor"},{"inputs":[{"internalType":"address","name":"","type":"address"}],"name":"AddressIsNotContractException","type":"error"},{"inputs":[],"name":"CallerNotConfiguratorException","type":"error"},{"inputs":[],"name":"IncorrectParameterException","type":"error"},{"inputs":[],"name":"IncorrectPriceException","type":"error"},{"inputs":[],"name":"IncorrectPriceFeedException","type":"error"},{"inputs":[],"name":"IncorrectTokenContractException","type":"error"},{"inputs":[],"name":"PriceFeedDoesNotExistException","type":"error"},{"inputs":[],"name":"StalePriceException","type":"error"},{"inputs":[],"name":"ZeroAddressException","type":"error"},{"anonymous":false,"inputs":[{"indexed":true,"internalType":"address","name":"token","type":"address"},{"indexed":true,"internalType":"address","name":"priceFeed","type":"address"},{"indexed":false,"internalType":"uint32","name":"stalenessPeriod","type":"uint32"},{"indexed":false,"internalType":"bool","name":"skipCheck","type":"bool"}],"name":"SetPriceFeed","type":"event"},{"anonymous":false,"inputs":[{"indexed":true,"internalType":"address","name":"token","type":"address"},{"indexed":true,"internalType":"address","name":"priceFeed","type":"address"},{"indexed":false,"internalType":"uint32","name":"stalenessPeriod","type":"uint32"},{"indexed":false,"internalType":"bool","name":"skipCheck","type":"bool"}],"name":"SetReservePriceFeed","type":"event"},{"inputs":[],"name":"acl","outputs":[{"internalType":"address","name":"","type":"address"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"contractType","outputs":[{"internalType":"bytes32","name":"","type":"bytes32"}],"stateMutability":"view","type":"function"},{"inputs":[{"internalType":"uint256","name":"amount","type":"uint256"},{"internalType":"address","name":"tokenFrom","type":"address"},{"internalType":"address","name":"tokenTo","type":"address"}],"name":"convert","outputs":[{"internalType":"uint256","name":"","type":"uint256"}],"stateMutability":"view","type":"function"},{"inputs":[{"internalType":"uint256","name":"amount","type":"uint256"},{"internalType":"address","name":"token","type":"address"}],"name":"convertFromUSD","outputs":[{"internalType":"uint256","name":"","type":"uint256"}],"stateMutability":"view","type":"function"},{"inputs":[{"internalType":"uint256","name":"amount","type":"uint256"},{"internalType":"address","name":"token","type":"address"}],"name":"convertToUSD","outputs":[{"internalType":"uint256","name":"","type":"uint256"}],"stateMutability":"view","type":"function"},{"inputs":[{"internalType":"address","name":"token","type":"address"}],"name":"getPrice","outputs":[{"internalType":"uint256","name":"price","type":"uint256"}],"stateMutability":"view","type":"function"},{"inputs":[{"internalType":"address","name":"token","type":"address"}],"name":"getReservePrice","outputs":[{"internalType":"uint256","name":"price","type":"uint256"}],"stateMutability":"view","type":"function"},{"inputs":[{"internalType":"address","name":"token","type":"address"}],"name":"getSafePrice","outputs":[{"internalType":"uint256","name":"price","type":"uint256"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"getTokens","outputs":[{"internalType":"address[]","name":"","type":"address[]"}],"stateMutability":"view","type":"function"},{"inputs":[{"internalType":"address","name":"token","type":"address"}],"name":"priceFeedParams","outputs":[{"components":[{"internalType":"address","name":"priceFeed","type":"address"},{"internalType":"uint32","name":"stalenessPeriod","type":"uint32"},{"internalType":"bool","name":"skipCheck","type":"bool"},{"internalType":"uint8","name":"tokenDecimals","type":"uint8"}],"internalType":"struct PriceFeedParams","name":"","type":"tuple"}],"stateMutability":"view","type":"function"},{"inputs":[{"internalType":"address","name":"token","type":"address"}],"name":"priceFeeds","outputs":[{"internalType":"address","name":"","type":"address"}],"stateMutability":"view","type":"function"},{"inputs":[{"internalType":"address","name":"token","type":"address"}],"name":"reservePriceFeedParams","outputs":[{"components":[{"internalType":"address","name":"priceFeed","type":"address"},{"internalType":"uint32","name":"stalenessPeriod","type":"uint32"},{"internalType":"bool","name":"skipCheck","type":"bool"},{"internalType":"uint8","name":"tokenDecimals","type":"uint8"}],"internalType":"struct PriceFeedParams","name":"","type":"tuple"}],"stateMutability":"view","type":"function"},{"inputs":[{"internalType":"address","name":"token","type":"address"}],"name":"reservePriceFeeds","outputs":[{"internalType":"address","name":"","type":"address"}],"stateMutability":"view","type":"function"},{"inputs":[{"internalType":"uint256","name":"amount","type":"uint256"},{"internalType":"address","name":"token","type":"address"}],"name":"safeConvertToUSD","outputs":[{"internalType":"uint256","name":"","type":"uint256"}],"stateMutability":"view","type":"function"},{"inputs":[{"internalType":"address","name":"token","type":"address"},{"internalType":"address","name":"priceFeed","type":"address"},{"internalType":"uint32","name":"stalenessPeriod","type":"uint32"}],"name":"setPriceFeed","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"address","name":"token","type":"address"},{"internalType":"address","name":"priceFeed","type":"address"},{"internalType":"uint32","name":"stalenessPeriod","type":"uint32"}],"name":"setReservePriceFeed","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[],"name":"version","outputs":[{"internalType":"uint256","name":"","type":"uint256"}],"stateMutability":"view","type":"function"}]Contract Creation Code
60a060405234801561000f575f80fd5b506040516114b53803806114b583398101604081905261002e9161009f565b806001600160a01b03811661005657604051635919af9760e11b815260040160405180910390fd5b6001600160a01b0381163b61008d5760405163df4c572d60e01b81526001600160a01b038216600482015260240160405180910390fd5b6001600160a01b0316608052506100cc565b5f602082840312156100af575f80fd5b81516001600160a01b03811681146100c5575f80fd5b9392505050565b6080516113ca6100eb5f395f81816102bb0152610cbe01526113ca5ff3fe608060405234801561000f575f80fd5b5060043610610115575f3560e01c80637afb0104116100ad578063b66102df1161007d578063ccdd1ce311610063578063ccdd1ce3146102a3578063de287359146102b6578063f9a65030146102dd575f80fd5b8063b66102df14610269578063cb2ef6f71461027c575f80fd5b80637afb0104146102035780637c70dd51146102165780639dcb511a14610241578063aa6ca80814610254575f80fd5b80633c75f448116100e85780633c75f448146101c157806341976e09146101d457806354fd4d50146101e7578063553552fe146101f0575f80fd5b80630214433b146101195780630b51dadf1461012e5780631321acd81461014157806320a481e114610167575b5f80fd5b61012c61012736600461117c565b6102f0565b005b61012c61013c36600461117c565b61055f565b61015461014f3660046111c8565b610728565b6040519081526020015b60405180910390f35b61017a6101753660046111c8565b610739565b60405161015e919081516001600160a01b0316815260208083015163ffffffff169082015260408083015115159082015260609182015160ff169181019190915260800190565b6101546101cf3660046111c8565b6107d1565b6101546101e23660046111c8565b6107db565b61015461013681565b6101546101fe3660046111e1565b6107e5565b6101546102113660046111e1565b610816565b6102296102243660046111c8565b610832565b6040516001600160a01b03909116815260200161015e565b61022961024f3660046111c8565b610843565b61025c61084d565b60405161015e919061120b565b610154610277366004611257565b61085e565b6101547f50524943455f4f5241434c45000000000000000000000000000000000000000081565b61017a6102b13660046111c8565b6108b3565b6102297f000000000000000000000000000000000000000000000000000000000000000081565b6101546102eb3660046111e1565b610930565b826102fa8161093c565b826103048161093c565b61030c61097f565b5f610316866108b3565b80519091506001600160a01b031661034657610331866109c0565b60ff166060820152610344600187610aa9565b505b5f6103518686610ac4565b90506040518060800160405280876001600160a01b031681526020018663ffffffff1681526020018215158152602001836060015160ff168152505f80896001600160a01b03166001600160a01b031681526020019081526020015f205f820151815f015f6101000a8154816001600160a01b0302191690836001600160a01b031602179055506020820151815f0160146101000a81548163ffffffff021916908363ffffffff1602179055506040820151815f0160186101000a81548160ff0219169083151502179055506060820151815f0160196101000a81548160ff021916908360ff160217905550905050856001600160a01b0316876001600160a01b03167f54bafe4dd078667ca4498828ef773452f21b7c2b2f71c734bd085cab2a0f4f4b878460405161049892919063ffffffff9290921682521515602082015260400190565b60405180910390a36104a987610739565b5f01516001600160a01b0316866001600160a01b03160361055657665245534552564560c81b602888901b175f908152601b81206001600160a01b0390811682526020828152604080842080547fffffffffffff00000000000000000000000000000000000000000000000000001690558051848152918201849052918a16917f0622a3fd57e320160fa23aaad98e12139a7922016875937c646e76237005c01c91015b60405180910390a35b50505050505050565b826105698161093c565b826105738161093c565b61057b61097f565b5f610585866108b3565b80519091506001600160a01b03166105b057604051630d1b18db60e31b815260040160405180910390fd5b5f6105bb8686610ac4565b90506040518060800160405280876001600160a01b031681526020018663ffffffff1681526020018215158152602001836060015160ff168152505f806106198a665245534552564560c81b60289190911b175f908152601b902090565b6001600160a01b03908116825260208083019390935260409182015f208451815486860151878601516060909801519285167fffffffffffffffff00000000000000000000000000000000000000000000000090921691909117600160a01b63ffffffff92831602177fffffffffffff0000ffffffffffffffffffffffffffffffffffffffffffffffff16600160c01b971515979097027fffffffffffff00ffffffffffffffffffffffffffffffffffffffffffffffffff1696909617600160c81b60ff90921691909102179055815193891684528415159284019290925288821692918a16917f0622a3fd57e320160fa23aaad98e12139a7922016875937c646e76237005c01c910161054d565b5f61073282610b5f565b5092915050565b60408051608080820183525f8083526020808401829052838501829052606093840182905260289590951b665245534552564560c81b178152601b81206001600160a01b039081168252818652908490208451928301855254908116825263ffffffff600160a01b8204169482019490945260ff600160c01b85048116151593820193909352600160c81b9093049091169082015290565b5f61073282610bb4565b5f61073282610c6c565b5f805f6107f184610bb4565b90925090508061080183876112a4565b61080b91906112bb565b925050505b92915050565b5f805f61082284610c6c565b90925090508161080182876112a4565b5f61083c82610739565b5192915050565b5f61083c826108b3565b60606108596001610c78565b905090565b5f805f61086a85610c6c565b915091505f8061087986610c6c565b909250905061088883836112a4565b81610893868b6112a4565b61089d91906112a4565b6108a791906112bb565b98975050505050505050565b60408051608080820183525f808352602080840182905283850182905260609384018290526001600160a01b039586168252818152908490208451928301855254948516825263ffffffff600160a01b8604169082015260ff600160c01b85048116151593820193909352600160c81b9093049091169082015290565b5f805f6107f184610c6c565b6001600160a01b03811661097c576040517fb2335f2e00000000000000000000000000000000000000000000000000000000815260040160405180910390fd5b50565b61098833610c84565b6109be576040517f61081c1500000000000000000000000000000000000000000000000000000000815260040160405180910390fd5b565b5f6001600160a01b0382163b6109f95760405163df4c572d60e01b81526001600160a01b03831660048201526024015b60405180910390fd5b816001600160a01b031663313ce5676040518163ffffffff1660e01b8152600401602060405180830381865afa925050508015610a53575060408051601f3d908101601f19168201909252610a50918101906112da565b60015b610a705760405163528ca31d60e01b815260040160405180910390fd5b60ff81161580610a83575060128160ff16115b15610aa15760405163528ca31d60e01b815260040160405180910390fd5b90505b919050565b5f610abd836001600160a01b038416610d29565b9392505050565b5f610acf8383610d75565b9050826001600160a01b031663feaf968c6040518163ffffffff1660e01b815260040160a060405180830381865afa925050508015610b2b575060408051601f3d908101601f19168201909252610b2891810190611313565b60015b610b48576040516367a7cd4360e01b815260040160405180910390fd5b610b5484838989610f38565b505050505092915050565b5f805f610b6b84610739565b80519091506001600160a01b0316610b9657604051630d1b18db60e31b815260040160405180910390fd5b610b9f81610fde565b606082015160ff16600a0a9250925050915091565b5f805f610bc0846108b3565b90505f610bcc85610739565b82519091506001600160a01b0316610bf757604051630d1b18db60e31b815260040160405180910390fd5b80516001600160a01b0316610c23575f610c18836060015160ff16600a0a90565b935093505050915091565b815181516001600160a01b03918216911603610c5257610c4282610fde565b606083015160ff16600a0a610c18565b610c42610c5e83610fde565b610c6783610fde565b610ff6565b5f805f610b6b846108b3565b60605f610abd8361100b565b6040517f5f259aba0000000000000000000000000000000000000000000000000000000081526001600160a01b0382811660048301525f917f000000000000000000000000000000000000000000000000000000000000000090911690635f259aba90602401602060405180830381865afa158015610d05573d5f803e3d5ffd5b505050506040513d601f19601f82011682018060405250810190610810919061135f565b5f818152600183016020526040812054610d6e57508154600181810184555f848152602080822090930184905584548482528286019093526040902091909155610810565b505f610810565b5f6001600160a01b0383163b610da95760405163df4c572d60e01b81526001600160a01b03841660048201526024016109f0565b826001600160a01b031663313ce5676040518163ffffffff1660e01b8152600401602060405180830381865afa925050508015610e03575060408051601f3d908101601f19168201909252610e00918101906112da565b60015b610e20576040516367a7cd4360e01b815260040160405180910390fd5b8060ff16600814610e44576040516367a7cd4360e01b815260040160405180910390fd5b506040805160048152602481019091526020810180517bffffffffffffffffffffffffffffffffffffffffffffffffffffffff167fd62ada11000000000000000000000000000000000000000000000000000000001790525f908190610eae908690612710611064565b915091508115610ecf5780806020019051810190610ecc919061135f565b92505b828015610ee1575063ffffffff841615155b80610ef9575082158015610ef9575063ffffffff8416155b15610f30576040517f47fbaa9700000000000000000000000000000000000000000000000000000000815260040160405180910390fd5b505092915050565b5f841280610f4d575080158015610f4d575083155b15610f84576040517f53b798e200000000000000000000000000000000000000000000000000000000815260040160405180910390fd5b80158015610fa15750610f9d63ffffffff83168461137e565b4210155b15610fd8576040517f16dd0ffb00000000000000000000000000000000000000000000000000000000815260040160405180910390fd5b50505050565b5f80610abd835f0151846020015185604001516110e5565b5f8183106110045781610abd565b5090919050565b6060815f0180548060200260200160405190810160405280929190818152602001828054801561105857602002820191905f5260205f20905b815481526020019060010190808311611044575b50505050509050919050565b5f60605f80866001600160a01b031685876040516110829190611391565b5f604051808303818686fa925050503d805f81146110bb576040519150601f19603f3d011682016040523d82523d5f602084013e6110c0565b606091505b50915091505f8151116110d4575f816110d7565b81815b935093505050935093915050565b5f80846001600160a01b031663feaf968c6040518163ffffffff1660e01b815260040160a060405180830381865afa158015611123573d5f803e3d5ffd5b505050506040513d601f19601f820116820180604052508101906111479190611313565b5091945090925061115e9150839050828686610f38565b509392505050565b80356001600160a01b0381168114610aa4575f80fd5b5f805f6060848603121561118e575f80fd5b61119784611166565b92506111a560208501611166565b9150604084013563ffffffff811681146111bd575f80fd5b809150509250925092565b5f602082840312156111d8575f80fd5b610abd82611166565b5f80604083850312156111f2575f80fd5b8235915061120260208401611166565b90509250929050565b602080825282518282018190525f9190848201906040850190845b8181101561124b5783516001600160a01b031683529284019291840191600101611226565b50909695505050505050565b5f805f60608486031215611269575f80fd5b8335925061127960208501611166565b915061128760408501611166565b90509250925092565b634e487b7160e01b5f52601160045260245ffd5b808202811582820484141761081057610810611290565b5f826112d557634e487b7160e01b5f52601260045260245ffd5b500490565b5f602082840312156112ea575f80fd5b815160ff81168114610abd575f80fd5b805169ffffffffffffffffffff81168114610aa4575f80fd5b5f805f805f60a08688031215611327575f80fd5b611330866112fa565b9450602086015193506040860151925060608601519150611353608087016112fa565b90509295509295909350565b5f6020828403121561136f575f80fd5b81518015158114610abd575f80fd5b8082018082111561081057610810611290565b5f82515f5b818110156113b05760208186018101518583015201611396565b505f92019182525091905056fea164736f6c6343000817000a000000000000000000000000d070dbe6c6e11cc68a32dc67c4b5a32142d3543d
Deployed Bytecode
0x608060405234801561000f575f80fd5b5060043610610115575f3560e01c80637afb0104116100ad578063b66102df1161007d578063ccdd1ce311610063578063ccdd1ce3146102a3578063de287359146102b6578063f9a65030146102dd575f80fd5b8063b66102df14610269578063cb2ef6f71461027c575f80fd5b80637afb0104146102035780637c70dd51146102165780639dcb511a14610241578063aa6ca80814610254575f80fd5b80633c75f448116100e85780633c75f448146101c157806341976e09146101d457806354fd4d50146101e7578063553552fe146101f0575f80fd5b80630214433b146101195780630b51dadf1461012e5780631321acd81461014157806320a481e114610167575b5f80fd5b61012c61012736600461117c565b6102f0565b005b61012c61013c36600461117c565b61055f565b61015461014f3660046111c8565b610728565b6040519081526020015b60405180910390f35b61017a6101753660046111c8565b610739565b60405161015e919081516001600160a01b0316815260208083015163ffffffff169082015260408083015115159082015260609182015160ff169181019190915260800190565b6101546101cf3660046111c8565b6107d1565b6101546101e23660046111c8565b6107db565b61015461013681565b6101546101fe3660046111e1565b6107e5565b6101546102113660046111e1565b610816565b6102296102243660046111c8565b610832565b6040516001600160a01b03909116815260200161015e565b61022961024f3660046111c8565b610843565b61025c61084d565b60405161015e919061120b565b610154610277366004611257565b61085e565b6101547f50524943455f4f5241434c45000000000000000000000000000000000000000081565b61017a6102b13660046111c8565b6108b3565b6102297f000000000000000000000000d070dbe6c6e11cc68a32dc67c4b5a32142d3543d81565b6101546102eb3660046111e1565b610930565b826102fa8161093c565b826103048161093c565b61030c61097f565b5f610316866108b3565b80519091506001600160a01b031661034657610331866109c0565b60ff166060820152610344600187610aa9565b505b5f6103518686610ac4565b90506040518060800160405280876001600160a01b031681526020018663ffffffff1681526020018215158152602001836060015160ff168152505f80896001600160a01b03166001600160a01b031681526020019081526020015f205f820151815f015f6101000a8154816001600160a01b0302191690836001600160a01b031602179055506020820151815f0160146101000a81548163ffffffff021916908363ffffffff1602179055506040820151815f0160186101000a81548160ff0219169083151502179055506060820151815f0160196101000a81548160ff021916908360ff160217905550905050856001600160a01b0316876001600160a01b03167f54bafe4dd078667ca4498828ef773452f21b7c2b2f71c734bd085cab2a0f4f4b878460405161049892919063ffffffff9290921682521515602082015260400190565b60405180910390a36104a987610739565b5f01516001600160a01b0316866001600160a01b03160361055657665245534552564560c81b602888901b175f908152601b81206001600160a01b0390811682526020828152604080842080547fffffffffffff00000000000000000000000000000000000000000000000000001690558051848152918201849052918a16917f0622a3fd57e320160fa23aaad98e12139a7922016875937c646e76237005c01c91015b60405180910390a35b50505050505050565b826105698161093c565b826105738161093c565b61057b61097f565b5f610585866108b3565b80519091506001600160a01b03166105b057604051630d1b18db60e31b815260040160405180910390fd5b5f6105bb8686610ac4565b90506040518060800160405280876001600160a01b031681526020018663ffffffff1681526020018215158152602001836060015160ff168152505f806106198a665245534552564560c81b60289190911b175f908152601b902090565b6001600160a01b03908116825260208083019390935260409182015f208451815486860151878601516060909801519285167fffffffffffffffff00000000000000000000000000000000000000000000000090921691909117600160a01b63ffffffff92831602177fffffffffffff0000ffffffffffffffffffffffffffffffffffffffffffffffff16600160c01b971515979097027fffffffffffff00ffffffffffffffffffffffffffffffffffffffffffffffffff1696909617600160c81b60ff90921691909102179055815193891684528415159284019290925288821692918a16917f0622a3fd57e320160fa23aaad98e12139a7922016875937c646e76237005c01c910161054d565b5f61073282610b5f565b5092915050565b60408051608080820183525f8083526020808401829052838501829052606093840182905260289590951b665245534552564560c81b178152601b81206001600160a01b039081168252818652908490208451928301855254908116825263ffffffff600160a01b8204169482019490945260ff600160c01b85048116151593820193909352600160c81b9093049091169082015290565b5f61073282610bb4565b5f61073282610c6c565b5f805f6107f184610bb4565b90925090508061080183876112a4565b61080b91906112bb565b925050505b92915050565b5f805f61082284610c6c565b90925090508161080182876112a4565b5f61083c82610739565b5192915050565b5f61083c826108b3565b60606108596001610c78565b905090565b5f805f61086a85610c6c565b915091505f8061087986610c6c565b909250905061088883836112a4565b81610893868b6112a4565b61089d91906112a4565b6108a791906112bb565b98975050505050505050565b60408051608080820183525f808352602080840182905283850182905260609384018290526001600160a01b039586168252818152908490208451928301855254948516825263ffffffff600160a01b8604169082015260ff600160c01b85048116151593820193909352600160c81b9093049091169082015290565b5f805f6107f184610c6c565b6001600160a01b03811661097c576040517fb2335f2e00000000000000000000000000000000000000000000000000000000815260040160405180910390fd5b50565b61098833610c84565b6109be576040517f61081c1500000000000000000000000000000000000000000000000000000000815260040160405180910390fd5b565b5f6001600160a01b0382163b6109f95760405163df4c572d60e01b81526001600160a01b03831660048201526024015b60405180910390fd5b816001600160a01b031663313ce5676040518163ffffffff1660e01b8152600401602060405180830381865afa925050508015610a53575060408051601f3d908101601f19168201909252610a50918101906112da565b60015b610a705760405163528ca31d60e01b815260040160405180910390fd5b60ff81161580610a83575060128160ff16115b15610aa15760405163528ca31d60e01b815260040160405180910390fd5b90505b919050565b5f610abd836001600160a01b038416610d29565b9392505050565b5f610acf8383610d75565b9050826001600160a01b031663feaf968c6040518163ffffffff1660e01b815260040160a060405180830381865afa925050508015610b2b575060408051601f3d908101601f19168201909252610b2891810190611313565b60015b610b48576040516367a7cd4360e01b815260040160405180910390fd5b610b5484838989610f38565b505050505092915050565b5f805f610b6b84610739565b80519091506001600160a01b0316610b9657604051630d1b18db60e31b815260040160405180910390fd5b610b9f81610fde565b606082015160ff16600a0a9250925050915091565b5f805f610bc0846108b3565b90505f610bcc85610739565b82519091506001600160a01b0316610bf757604051630d1b18db60e31b815260040160405180910390fd5b80516001600160a01b0316610c23575f610c18836060015160ff16600a0a90565b935093505050915091565b815181516001600160a01b03918216911603610c5257610c4282610fde565b606083015160ff16600a0a610c18565b610c42610c5e83610fde565b610c6783610fde565b610ff6565b5f805f610b6b846108b3565b60605f610abd8361100b565b6040517f5f259aba0000000000000000000000000000000000000000000000000000000081526001600160a01b0382811660048301525f917f000000000000000000000000d070dbe6c6e11cc68a32dc67c4b5a32142d3543d90911690635f259aba90602401602060405180830381865afa158015610d05573d5f803e3d5ffd5b505050506040513d601f19601f82011682018060405250810190610810919061135f565b5f818152600183016020526040812054610d6e57508154600181810184555f848152602080822090930184905584548482528286019093526040902091909155610810565b505f610810565b5f6001600160a01b0383163b610da95760405163df4c572d60e01b81526001600160a01b03841660048201526024016109f0565b826001600160a01b031663313ce5676040518163ffffffff1660e01b8152600401602060405180830381865afa925050508015610e03575060408051601f3d908101601f19168201909252610e00918101906112da565b60015b610e20576040516367a7cd4360e01b815260040160405180910390fd5b8060ff16600814610e44576040516367a7cd4360e01b815260040160405180910390fd5b506040805160048152602481019091526020810180517bffffffffffffffffffffffffffffffffffffffffffffffffffffffff167fd62ada11000000000000000000000000000000000000000000000000000000001790525f908190610eae908690612710611064565b915091508115610ecf5780806020019051810190610ecc919061135f565b92505b828015610ee1575063ffffffff841615155b80610ef9575082158015610ef9575063ffffffff8416155b15610f30576040517f47fbaa9700000000000000000000000000000000000000000000000000000000815260040160405180910390fd5b505092915050565b5f841280610f4d575080158015610f4d575083155b15610f84576040517f53b798e200000000000000000000000000000000000000000000000000000000815260040160405180910390fd5b80158015610fa15750610f9d63ffffffff83168461137e565b4210155b15610fd8576040517f16dd0ffb00000000000000000000000000000000000000000000000000000000815260040160405180910390fd5b50505050565b5f80610abd835f0151846020015185604001516110e5565b5f8183106110045781610abd565b5090919050565b6060815f0180548060200260200160405190810160405280929190818152602001828054801561105857602002820191905f5260205f20905b815481526020019060010190808311611044575b50505050509050919050565b5f60605f80866001600160a01b031685876040516110829190611391565b5f604051808303818686fa925050503d805f81146110bb576040519150601f19603f3d011682016040523d82523d5f602084013e6110c0565b606091505b50915091505f8151116110d4575f816110d7565b81815b935093505050935093915050565b5f80846001600160a01b031663feaf968c6040518163ffffffff1660e01b815260040160a060405180830381865afa158015611123573d5f803e3d5ffd5b505050506040513d601f19601f820116820180604052508101906111479190611313565b5091945090925061115e9150839050828686610f38565b509392505050565b80356001600160a01b0381168114610aa4575f80fd5b5f805f6060848603121561118e575f80fd5b61119784611166565b92506111a560208501611166565b9150604084013563ffffffff811681146111bd575f80fd5b809150509250925092565b5f602082840312156111d8575f80fd5b610abd82611166565b5f80604083850312156111f2575f80fd5b8235915061120260208401611166565b90509250929050565b602080825282518282018190525f9190848201906040850190845b8181101561124b5783516001600160a01b031683529284019291840191600101611226565b50909695505050505050565b5f805f60608486031215611269575f80fd5b8335925061127960208501611166565b915061128760408501611166565b90509250925092565b634e487b7160e01b5f52601160045260245ffd5b808202811582820484141761081057610810611290565b5f826112d557634e487b7160e01b5f52601260045260245ffd5b500490565b5f602082840312156112ea575f80fd5b815160ff81168114610abd575f80fd5b805169ffffffffffffffffffff81168114610aa4575f80fd5b5f805f805f60a08688031215611327575f80fd5b611330866112fa565b9450602086015193506040860151925060608601519150611353608087016112fa565b90509295509295909350565b5f6020828403121561136f575f80fd5b81518015158114610abd575f80fd5b8082018082111561081057610810611290565b5f82515f5b818110156113b05760208186018101518583015201611396565b505f92019182525091905056fea164736f6c6343000817000a
Constructor Arguments (ABI-Encoded and is the last bytes of the Contract Creation Code above)
000000000000000000000000d070dbe6c6e11cc68a32dc67c4b5a32142d3543d
-----Decoded View---------------
Arg [0] : _acl (address): 0xD070dbe6C6E11cc68A32Dc67c4B5a32142D3543D
-----Encoded View---------------
1 Constructor Arguments found :
Arg [0] : 000000000000000000000000d070dbe6c6e11cc68a32dc67c4b5a32142d3543d
Loading...
Loading
Loading...
Loading
Loading...
Loading
Net Worth in USD
$0.00
Net Worth in MON
Multichain Portfolio | 35 Chains
| Chain | Token | Portfolio % | Price | Amount | Value |
|---|
Loading...
Loading
Loading...
Loading
[ Download: CSV Export ]
A contract address hosts a smart contract, which is a set of code stored on the blockchain that runs when predetermined conditions are met. Learn more about addresses in our Knowledge Base.