// SPDX-License-Identifier: MIT
pragma solidity ^0.8.0;
/**
* @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
* ====
*/
function isContract(address account) internal view returns (bool) {
// This method relies on extcodesize, which returns 0 for contracts in
// construction, since the code is only stored at the end of the
// constructor execution.
uint256 size;
assembly {
size := extcodesize(account)
}
return size > 0;
}
/**
* @dev Replacement for Solidity's `transfer`: sends `amount` wei to
* `recipient`, forwarding all available gas and reverting on errors.
*
* https://eips.ethereum.org/EIPS/eip-1884[EIP1884] increases the gas cost
* of certain opcodes, possibly making contracts go over the 2300 gas limit
* imposed by `transfer`, making them unable to receive funds via
* `transfer`. {sendValue} removes this limitation.
*
* https://diligence.consensys.net/posts/2019/09/stop-using-soliditys-transfer-now/[Learn more].
*
* IMPORTANT: because control is transferred to `recipient`, care must be
* taken to not create reentrancy vulnerabilities. Consider using
* {ReentrancyGuard} or the
* https://solidity.readthedocs.io/en/v0.5.11/security-considerations.html#use-the-checks-effects-interactions-pattern[checks-effects-interactions pattern].
*/
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 functionCall(target, data, "Address: low-level call failed");
}
/**
* @dev Same as {xref-Address-functionCall-address-bytes-}[`functionCall`], but with
* `errorMessage` as a fallback revert reason when `target` reverts.
*
* _Available since v3.1._
*/
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");
require(isContract(target), "Address: call to non-contract");
(bool success, bytes memory returndata) = target.call{value: value}(data);
return verifyCallResult(success, returndata, errorMessage);
}
/**
* @dev Same as {xref-Address-functionCall-address-bytes-}[`functionCall`],
* but performing a static call.
*
* _Available since v3.3._
*/
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) {
require(isContract(target), "Address: static call to non-contract");
(bool success, bytes memory returndata) = target.staticcall(data);
return verifyCallResult(success, returndata, errorMessage);
}
/**
* @dev Same as {xref-Address-functionCall-address-bytes-}[`functionCall`],
* but performing a delegate call.
*
* _Available since v3.4._
*/
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) {
require(isContract(target), "Address: delegate call to non-contract");
(bool success, bytes memory returndata) = target.delegatecall(data);
return verifyCallResult(success, returndata, errorMessage);
}
/**
* @dev Tool to verifies that a low level call was successful, and revert if it wasn't, either by bubbling the
* revert reason using the provided one.
*
* _Available since v4.3._
*/
function verifyCallResult(
bool success,
bytes memory returndata,
string memory errorMessage
) internal pure returns (bytes memory) {
if (success) {
return returndata;
} else {
// 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
assembly {
let returndata_size := mload(returndata)
revert(add(32, returndata), returndata_size)
}
} else {
revert(errorMessage);
}
}
}
}
// SPDX-License-Identifier: MIT
pragma solidity >=0.8.4 <0.9.0;
import './Governable.sol';
import '../../interfaces/utils/IDustCollector.sol';
import '@openzeppelin/contracts/token/ERC20/IERC20.sol';
import '@openzeppelin/contracts/token/ERC20/utils/SafeERC20.sol';
abstract contract DustCollector is IDustCollector, Governable {
using SafeERC20 for IERC20;
address public constant ETH_ADDRESS = 0xEeeeeEeeeEeEeeEeEeEeeEEEeeeeEeeeeeeeEEeE;
function sendDust(
address _token,
uint256 _amount,
address _to
) external override onlyGovernor {
if (_to == address(0)) revert ZeroAddress();
if (_token == ETH_ADDRESS) {
payable(_to).transfer(_amount);
} else {
IERC20(_token).safeTransfer(_to, _amount);
}
emit DustSent(_token, _amount, _to);
}
}
// SPDX-License-Identifier: MIT
pragma solidity >=0.8.4 <0.9.0;
/// @title Contains 512-bit math functions
/// @notice Facilitates multiplication and division that can have overflow of an intermediate value without any loss of precision
/// @dev Handles "phantom overflow" i.e., allows multiplication and division where an intermediate value overflows 256 bits
library FullMath {
/// @notice Calculates floor(a×b÷denominator) with full precision. Throws if result overflows a uint256 or denominator == 0
/// @param a The multiplicand
/// @param b The multiplier
/// @param denominator The divisor
/// @return result The 256-bit result
/// @dev Credit to Remco Bloemen under MIT license https://xn--2-umb.com/21/muldiv
function mulDiv(
uint256 a,
uint256 b,
uint256 denominator
) internal pure returns (uint256 result) {
unchecked {
// 512-bit multiply [prod1 prod0] = a * b
// Compute the product mod 2**256 and mod 2**256 - 1
// then 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(a, b, not(0))
prod0 := mul(a, b)
prod1 := sub(sub(mm, prod0), lt(mm, prod0))
}
// Handle non-overflow cases, 256 by 256 division
if (prod1 == 0) {
require(denominator > 0);
assembly {
result := div(prod0, denominator)
}
return result;
}
// Make sure the result is less than 2**256.
// Also prevents denominator == 0
require(denominator > prod1);
///////////////////////////////////////////////
// 512 by 256 division.
///////////////////////////////////////////////
// Make division exact by subtracting the remainder from [prod1 prod0]
// Compute remainder using mulmod
uint256 remainder;
assembly {
remainder := mulmod(a, b, denominator)
}
// Subtract 256 bit number from 512 bit number
assembly {
prod1 := sub(prod1, gt(remainder, prod0))
prod0 := sub(prod0, remainder)
}
// Factor powers of two out of denominator
// Compute largest power of two divisor of denominator.
// Always >= 1.
uint256 twos = (~denominator + 1) & denominator;
// Divide denominator by power of two
assembly {
denominator := div(denominator, twos)
}
// Divide [prod1 prod0] by the factors of two
assembly {
prod0 := div(prod0, twos)
}
// Shift in bits from prod1 into prod0. For this we need
// to flip `twos` such that it is 2**256 / twos.
// If twos is zero, then it becomes one
assembly {
twos := add(div(sub(0, twos), twos), 1)
}
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
// correct for four bits. That is, denominator * inv = 1 mod 2**4
uint256 inv = (3 * denominator) ^ 2;
// Now use 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.
inv *= 2 - denominator * inv; // inverse mod 2**8
inv *= 2 - denominator * inv; // inverse mod 2**16
inv *= 2 - denominator * inv; // inverse mod 2**32
inv *= 2 - denominator * inv; // inverse mod 2**64
inv *= 2 - denominator * inv; // inverse mod 2**128
inv *= 2 - denominator * inv; // 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 precoditions 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 * inv;
return result;
}
}
/// @notice Calculates ceil(a×b÷denominator) with full precision. Throws if result overflows a uint256 or denominator == 0
/// @param a The multiplicand
/// @param b The multiplier
/// @param denominator The divisor
/// @return result The 256-bit result
function mulDivRoundingUp(
uint256 a,
uint256 b,
uint256 denominator
) internal pure returns (uint256 result) {
unchecked {
result = mulDiv(a, b, denominator);
if (mulmod(a, b, denominator) > 0) {
require(result < type(uint256).max);
result++;
}
}
}
}
// SPDX-License-Identifier: MIT
pragma solidity >=0.8.4 <0.9.0;
import '../../interfaces/utils/IGovernable.sol';
abstract contract Governable is IGovernable {
address public override governor;
address public override pendingGovernor;
constructor(address _governor) {
if (_governor == address(0)) revert ZeroAddress();
governor = _governor;
}
function setPendingGovernor(address _pendingGovernor) external override onlyGovernor {
if (_pendingGovernor == address(0)) revert ZeroAddress();
pendingGovernor = _pendingGovernor;
emit PendingGovernorSet(governor, pendingGovernor);
}
function acceptPendingGovernor() external override onlyPendingGovernor {
governor = pendingGovernor;
pendingGovernor = address(0);
emit PendingGovernorAccepted(governor);
}
modifier onlyGovernor() {
if (msg.sender != governor) revert OnlyGovernor();
_;
}
modifier onlyPendingGovernor() {
if (msg.sender != pendingGovernor) revert OnlyPendingGovernor();
_;
}
}
// SPDX-License-Identifier: MIT
pragma solidity >=0.8.4 <0.9.0;
interface IBaseErrors {
/// @notice Throws if a variable is assigned to the zero address
error ZeroAddress();
}
// SPDX-License-Identifier: MIT
pragma solidity >=0.8.4 <0.9.0;
import './IGovernable.sol';
interface IDustCollector is IGovernable {
/// @notice Emitted when dust is sent
/// @param _to The address which wil received the funds
/// @param _token The token that will be transferred
/// @param _amount The amount of the token that will be transferred
event DustSent(address _token, uint256 _amount, address _to);
/// @notice Allows an authorized user to transfer the tokens or eth that may have been left in a contract
/// @param _token The token that will be transferred
/// @param _amount The amont of the token that will be transferred
/// @param _to The address that will receive the idle funds
function sendDust(
address _token,
uint256 _amount,
address _to
) external;
}
// SPDX-License-Identifier: MIT
pragma solidity ^0.8.0;
/**
* @dev Interface of the ERC20 standard as defined in the EIP.
*/
interface IERC20 {
/**
* @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 `recipient`.
*
* Returns a boolean value indicating whether the operation succeeded.
*
* Emits a {Transfer} event.
*/
function transfer(address recipient, 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 `sender` to `recipient` 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 sender,
address recipient,
uint256 amount
) external returns (bool);
/**
* @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);
}
// SPDX-License-Identifier: MIT
pragma solidity >=0.8.4 <0.9.0;
import './IBaseErrors.sol';
interface IGovernable is IBaseErrors {
// events
event PendingGovernorSet(address _governor, address _pendingGovernor);
event PendingGovernorAccepted(address _newGovernor);
// errors
error OnlyGovernor();
error OnlyPendingGovernor();
// variables
function governor() external view returns (address _governor);
function pendingGovernor() external view returns (address _pendingGovernor);
// methods
function setPendingGovernor(address _pendingGovernor) external;
function acceptPendingGovernor() external;
}
// SPDX-License-Identifier: MIT
pragma solidity >=0.8.4 <0.9.0;
interface IJob {
function work(bytes32 network, bytes calldata args) external;
function workable(bytes32 network) external returns (bool canWork, bytes memory args);
}
// SPDX-License-Identifier: MIT
pragma solidity >=0.8.4 <0.9.0;
import './IKeep3rJob.sol';
interface IKeep3rBondedJob is IKeep3rJob {
// Events
event Keep3rRequirementsSet(address _bond, uint256 _minBond, uint256 _earned, uint256 _age);
// Variables
function requiredBond() external view returns (address _requiredBond);
function requiredMinBond() external view returns (uint256 _requiredMinBond);
function requiredEarnings() external view returns (uint256 _requiredEarnings);
function requiredAge() external view returns (uint256 _requiredAge);
// Methods
function setKeep3rRequirements(
address _bond,
uint256 _minBond,
uint256 _earned,
uint256 _age
) external;
}
// SPDX-License-Identifier: MIT
pragma solidity >=0.8.0 <0.9.0;
/// @title Keep3rHelper contract
/// @notice Contains all the helper functions used throughout the different files.
interface IKeep3rHelper {
// Errors
/// @notice Throws when none of the tokens in the liquidity pair is KP3R
error LiquidityPairInvalid();
// Variables
/// @notice Address of KP3R token
/// @return _kp3r Address of KP3R token
// solhint-disable func-name-mixedcase
function KP3R() external view returns (address _kp3r);
/// @notice Address of KP3R-WETH pool to use as oracle
/// @return _kp3rWeth Address of KP3R-WETH pool to use as oracle
function KP3R_WETH_POOL() external view returns (address _kp3rWeth);
/// @notice The minimum multiplier used to calculate the amount of gas paid to the Keeper for the gas used to perform a job
/// For example: if the quoted gas used is 1000, then the minimum amount to be paid will be 1000 * MIN / BOOST_BASE
/// @return _multiplier The MIN multiplier
function MIN() external view returns (uint256 _multiplier);
/// @notice The maximum multiplier used to calculate the amount of gas paid to the Keeper for the gas used to perform a job
/// For example: if the quoted gas used is 1000, then the maximum amount to be paid will be 1000 * MAX / BOOST_BASE
/// @return _multiplier The MAX multiplier
function MAX() external view returns (uint256 _multiplier);
/// @notice The boost base used to calculate the boost rewards for the keeper
/// @return _base The boost base number
function BOOST_BASE() external view returns (uint256 _base);
/// @notice The targeted amount of bonded KP3Rs to max-up reward multiplier
/// For example: if the amount of KP3R the keeper has bonded is TARGETBOND or more, then the keeper will get
/// the maximum boost possible in his rewards, if it's less, the reward boost will be proportional
/// @return _target The amount of KP3R that comforms the TARGETBOND
function TARGETBOND() external view returns (uint256 _target);
// Methods
// solhint-enable func-name-mixedcase
/// @notice Calculates the amount of KP3R that corresponds to the ETH passed into the function
/// @dev This function allows us to calculate how much KP3R we should pay to a keeper for things expressed in ETH, like gas
/// @param _eth The amount of ETH
/// @return _amountOut The amount of KP3R
function quote(uint256 _eth) external view returns (uint256 _amountOut);
/// @notice Returns the amount of KP3R the keeper has bonded
/// @param _keeper The address of the keeper to check
/// @return _amountBonded The amount of KP3R the keeper has bonded
function bonds(address _keeper) external view returns (uint256 _amountBonded);
/// @notice Calculates the reward (in KP3R) that corresponds to a keeper for using gas
/// @param _keeper The address of the keeper to check
/// @param _gasUsed The amount of gas used that will be rewarded
/// @return _kp3r The amount of KP3R that should be awarded to the keeper
function getRewardAmountFor(address _keeper, uint256 _gasUsed) external view returns (uint256 _kp3r);
/// @notice Calculates the boost in the reward given to a keeper based on the amount of KP3R that keeper has bonded
/// @param _bonds The amount of KP3R tokens bonded by the keeper
/// @return _rewardBoost The reward boost that corresponds to the keeper
function getRewardBoostFor(uint256 _bonds) external view returns (uint256 _rewardBoost);
/// @notice Calculates the reward (in KP3R) that corresponds to tx.origin for using gas
/// @param _gasUsed The amount of gas used that will be rewarded
/// @return _amount The amount of KP3R that should be awarded to tx.origin
function getRewardAmount(uint256 _gasUsed) external view returns (uint256 _amount);
/// @notice Given a pool address, returns the underlying tokens of the pair
/// @param _pool Address of the correspondant pool
/// @return _token0 Address of the first token of the pair
/// @return _token1 Address of the second token of the pair
function getPoolTokens(address _pool) external view returns (address _token0, address _token1);
/// @notice Defines the order of the tokens in the pair for twap calculations
/// @param _pool Address of the correspondant pool
/// @return _isKP3RToken0 Boolean indicating the order of the tokens in the pair
function isKP3RToken0(address _pool) external view returns (bool _isKP3RToken0);
/// @notice Given an array of secondsAgo, returns UniswapV3 pool cumulatives at that moment
/// @param _pool Address of the pool to observe
/// @param _secondsAgo Array with time references to observe
/// @return _tickCumulative1 Cummulative sum of ticks until first time reference
/// @return _tickCumulative2 Cummulative sum of ticks until second time reference
/// @return _success Boolean indicating if the observe call was succesfull
function observe(address _pool, uint32[] memory _secondsAgo)
external
view
returns (
int56 _tickCumulative1,
int56 _tickCumulative2,
bool _success
);
/// @notice Given a tick and a liquidity amount, calculates the underlying KP3R tokens
/// @param _liquidityAmount Amount of liquidity to be converted
/// @param _tickDifference Tick value used to calculate the quote
/// @param _timeInterval Time value used to calculate the quote
/// @return _kp3rAmount Amount of KP3R tokens underlying on the given liquidity
function getKP3RsAtTick(
uint256 _liquidityAmount,
int56 _tickDifference,
uint256 _timeInterval
) external pure returns (uint256 _kp3rAmount);
/// @notice Given a tick and a token amount, calculates the output in correspondant token
/// @param _baseAmount Amount of token to be converted
/// @param _tickDifference Tick value used to calculate the quote
/// @param _timeInterval Time value used to calculate the quote
/// @return _quoteAmount Amount of credits deserved for the baseAmount at the tick value
function getQuoteAtTick(
uint128 _baseAmount,
int56 _tickDifference,
uint256 _timeInterval
) external pure returns (uint256 _quoteAmount);
}
// SPDX-License-Identifier: MIT
pragma solidity >=0.8.4 <0.9.0;
import './IGovernable.sol';
interface IKeep3rJob is IGovernable {
// events
event Keep3rSet(address _keep3r);
// errors
error KeeperNotValid();
// variables
function keep3r() external view returns (address _keep3r);
// methods
function setKeep3r(address _keep3r) external;
}
// SPDX-License-Identifier: MIT
pragma solidity >=0.8.4 <0.9.0;
import './IKeep3rMeteredJob.sol';
interface IKeep3rMeteredFallbackJob is IKeep3rMeteredJob {
// Events
event FallbackGasBonusSet(uint256 gasBonus);
event FallbackTokenAddressSet(address fallbackToken);
event FallbackTokenWETHPoolSet(address fallbackTokenWETHPool);
event TwapTimeSet(uint256 twapTime);
// Variables
function fallbackToken() external view returns (address _fallbackToken);
function fallbackTokenWETHPool() external view returns (address _fallbackTokenWETHPool);
function twapTime() external view returns (uint32 _twapTime);
function fallbackGasBonus() external view returns (uint256 _fallBackGasBonus);
// solhint-disable-next-line func-name-mixedcase, var-name-mixedcase
function WETH() external view returns (address _WETH);
// Methods
function setFallbackGasBonus(uint256 _fallbackGasBonus) external;
function setFallbackTokenWETHPool(address _fallbackTokenWETHPool) external;
function setFallbackToken(address _fallbackToken) external;
function setTwapTime(uint32 _twapTime) external;
}
// SPDX-License-Identifier: MIT
pragma solidity >=0.8.4 <0.9.0;
import './IKeep3rJob.sol';
interface IKeep3rMeteredJob is IKeep3rJob {
// Events
event Keep3rHelperSet(address keep3rHelper);
event GasBonusSet(uint256 gasBonus);
event GasMaximumSet(uint256 gasMaximum);
event GasMultiplierSet(uint256 gasMultiplier);
event GasMetered(uint256 initialGas, uint256 gasAfterWork, uint256 bonus);
// Variables
// solhint-disable-next-line func-name-mixedcase, var-name-mixedcase
function BASE() external view returns (uint32 _BASE);
function keep3rHelper() external view returns (address _keep3rHelper);
function gasBonus() external view returns (uint256 _gasBonus);
function gasMaximum() external view returns (uint256 _gasMultiplier);
function gasMultiplier() external view returns (uint256 _gasMultiplier);
// Methods
function setKeep3rHelper(address _keep3rHelper) external;
function setGasBonus(uint256 _gasBonus) external;
function setGasMaximum(uint256 _gasMaximum) external;
function setGasMultiplier(uint256 _gasMultiplier) external;
}
// SPDX-License-Identifier: MIT
pragma solidity >=0.8.4 <0.9.0;
interface IKeep3rV2 {
/// @notice Stores the tick information of the different liquidity pairs
struct TickCache {
int56 current; // Tracks the current tick
int56 difference; // Stores the difference between the current tick and the last tick
uint256 period; // Stores the period at which the last observation was made
}
// Events
/// @notice Emitted when the Keep3rHelper address is changed
/// @param _keep3rHelper The address of Keep3rHelper's contract
event Keep3rHelperChange(address _keep3rHelper);
/// @notice Emitted when the Keep3rV1 address is changed
/// @param _keep3rV1 The address of Keep3rV1's contract
event Keep3rV1Change(address _keep3rV1);
/// @notice Emitted when the Keep3rV1Proxy address is changed
/// @param _keep3rV1Proxy The address of Keep3rV1Proxy's contract
event Keep3rV1ProxyChange(address _keep3rV1Proxy);
/// @notice Emitted when the KP3R-WETH pool address is changed
/// @param _kp3rWethPool The address of the KP3R-WETH pool
event Kp3rWethPoolChange(address _kp3rWethPool);
/// @notice Emitted when bondTime is changed
/// @param _bondTime The new bondTime
event BondTimeChange(uint256 _bondTime);
/// @notice Emitted when _liquidityMinimum is changed
/// @param _liquidityMinimum The new _liquidityMinimum
event LiquidityMinimumChange(uint256 _liquidityMinimum);
/// @notice Emitted when _unbondTime is changed
/// @param _unbondTime The new _unbondTime
event UnbondTimeChange(uint256 _unbondTime);
/// @notice Emitted when _rewardPeriodTime is changed
/// @param _rewardPeriodTime The new _rewardPeriodTime
event RewardPeriodTimeChange(uint256 _rewardPeriodTime);
/// @notice Emitted when the inflationPeriod is changed
/// @param _inflationPeriod The new inflationPeriod
event InflationPeriodChange(uint256 _inflationPeriod);
/// @notice Emitted when the fee is changed
/// @param _fee The new token credits fee
event FeeChange(uint256 _fee);
/// @notice Emitted when a slasher is added
/// @param _slasher Address of the added slasher
event SlasherAdded(address _slasher);
/// @notice Emitted when a slasher is removed
/// @param _slasher Address of the removed slasher
event SlasherRemoved(address _slasher);
/// @notice Emitted when a disputer is added
/// @param _disputer Address of the added disputer
event DisputerAdded(address _disputer);
/// @notice Emitted when a disputer is removed
/// @param _disputer Address of the removed disputer
event DisputerRemoved(address _disputer);
/// @notice Emitted when the bonding process of a new keeper begins
/// @param _keeper The caller of Keep3rKeeperFundable#bond function
/// @param _bonding The asset the keeper has bonded
/// @param _amount The amount the keeper has bonded
event Bonding(address indexed _keeper, address indexed _bonding, uint256 _amount);
/// @notice Emitted when a keeper or job begins the unbonding process to withdraw the funds
/// @param _keeperOrJob The keeper or job that began the unbonding process
/// @param _unbonding The liquidity pair or asset being unbonded
/// @param _amount The amount being unbonded
event Unbonding(address indexed _keeperOrJob, address indexed _unbonding, uint256 _amount);
/// @notice Emitted when Keep3rKeeperFundable#activate is called
/// @param _keeper The keeper that has been activated
/// @param _bond The asset the keeper has bonded
/// @param _amount The amount of the asset the keeper has bonded
event Activation(address indexed _keeper, address indexed _bond, uint256 _amount);
/// @notice Emitted when Keep3rKeeperFundable#withdraw is called
/// @param _keeper The caller of Keep3rKeeperFundable#withdraw function
/// @param _bond The asset to withdraw from the bonding pool
/// @param _amount The amount of funds withdrawn
event Withdrawal(address indexed _keeper, address indexed _bond, uint256 _amount);
/// @notice Emitted when Keep3rKeeperDisputable#slash is called
/// @param _keeper The slashed keeper
/// @param _slasher The user that called Keep3rKeeperDisputable#slash
/// @param _amount The amount of credits slashed from the keeper
event KeeperSlash(address indexed _keeper, address indexed _slasher, uint256 _amount);
/// @notice Emitted when Keep3rKeeperDisputable#revoke is called
/// @param _keeper The revoked keeper
/// @param _slasher The user that called Keep3rKeeperDisputable#revoke
event KeeperRevoke(address indexed _keeper, address indexed _slasher);
/// @notice Emitted when Keep3rJobFundableCredits#addTokenCreditsToJob is called
/// @param _job The address of the job being credited
/// @param _token The address of the token being provided
/// @param _provider The user that calls the function
/// @param _amount The amount of credit being added to the job
event TokenCreditAddition(address indexed _job, address indexed _token, address indexed _provider, uint256 _amount);
/// @notice Emitted when Keep3rJobFundableCredits#withdrawTokenCreditsFromJob is called
/// @param _job The address of the job from which the credits are withdrawn
/// @param _token The credit being withdrawn from the job
/// @param _receiver The user that receives the tokens
/// @param _amount The amount of credit withdrawn
event TokenCreditWithdrawal(address indexed _job, address indexed _token, address indexed _receiver, uint256 _amount);
/// @notice Emitted when Keep3rJobFundableLiquidity#approveLiquidity function is called
/// @param _liquidity The address of the liquidity pair being approved
event LiquidityApproval(address _liquidity);
/// @notice Emitted when Keep3rJobFundableLiquidity#revokeLiquidity function is called
/// @param _liquidity The address of the liquidity pair being revoked
event LiquidityRevocation(address _liquidity);
/// @notice Emitted when IKeep3rJobFundableLiquidity#addLiquidityToJob function is called
/// @param _job The address of the job to which liquidity will be added
/// @param _liquidity The address of the liquidity being added
/// @param _provider The user that calls the function
/// @param _amount The amount of liquidity being added
event LiquidityAddition(address indexed _job, address indexed _liquidity, address indexed _provider, uint256 _amount);
/// @notice Emitted when IKeep3rJobFundableLiquidity#withdrawLiquidityFromJob function is called
/// @param _job The address of the job of which liquidity will be withdrawn from
/// @param _liquidity The address of the liquidity being withdrawn
/// @param _receiver The receiver of the liquidity tokens
/// @param _amount The amount of liquidity being withdrawn from the job
event LiquidityWithdrawal(address indexed _job, address indexed _liquidity, address indexed _receiver, uint256 _amount);
/// @notice Emitted when Keep3rJobFundableLiquidity#addLiquidityToJob function is called
/// @param _job The address of the job whose credits will be updated
/// @param _rewardedAt The time at which the job was last rewarded
/// @param _currentCredits The current credits of the job
/// @param _periodCredits The credits of the job for the current period
event LiquidityCreditsReward(address indexed _job, uint256 _rewardedAt, uint256 _currentCredits, uint256 _periodCredits);
/// @notice Emitted when Keep3rJobFundableLiquidity#forceLiquidityCreditsToJob function is called
/// @param _job The address of the job whose credits will be updated
/// @param _rewardedAt The time at which the job was last rewarded
/// @param _currentCredits The current credits of the job
event LiquidityCreditsForced(address indexed _job, uint256 _rewardedAt, uint256 _currentCredits);
/// @notice Emitted when Keep3rJobManager#addJob is called
/// @param _job The address of the job to add
/// @param _jobOwner The job's owner
event JobAddition(address indexed _job, address indexed _jobOwner);
/// @notice Emitted when a keeper is validated before a job
/// @param _gasLeft The amount of gas that the transaction has left at the moment of keeper validation
event KeeperValidation(uint256 _gasLeft);
/// @notice Emitted when a keeper works a job
/// @param _credit The address of the asset in which the keeper is paid
/// @param _job The address of the job the keeper has worked
/// @param _keeper The address of the keeper that has worked the job
/// @param _amount The amount that has been paid out to the keeper in exchange for working the job
/// @param _gasLeft The amount of gas that the transaction has left at the moment of payment
event KeeperWork(address indexed _credit, address indexed _job, address indexed _keeper, uint256 _amount, uint256 _gasLeft);
/// @notice Emitted when Keep3rJobOwnership#changeJobOwnership is called
/// @param _job The address of the job proposed to have a change of owner
/// @param _owner The current owner of the job
/// @param _pendingOwner The new address proposed to be the owner of the job
event JobOwnershipChange(address indexed _job, address indexed _owner, address indexed _pendingOwner);
/// @notice Emitted when Keep3rJobOwnership#JobOwnershipAssent is called
/// @param _job The address of the job which the proposed owner will now own
/// @param _previousOwner The previous owner of the job
/// @param _newOwner The newowner of the job
event JobOwnershipAssent(address indexed _job, address indexed _previousOwner, address indexed _newOwner);
/// @notice Emitted when Keep3rJobMigration#migrateJob function is called
/// @param _fromJob The address of the job that requests to migrate
/// @param _toJob The address at which the job requests to migrate
event JobMigrationRequested(address indexed _fromJob, address _toJob);
/// @notice Emitted when Keep3rJobMigration#acceptJobMigration function is called
/// @param _fromJob The address of the job that requested to migrate
/// @param _toJob The address at which the job had requested to migrate
event JobMigrationSuccessful(address _fromJob, address indexed _toJob);
/// @notice Emitted when Keep3rJobDisputable#slashTokenFromJob is called
/// @param _job The address of the job from which the token will be slashed
/// @param _token The address of the token being slashed
/// @param _slasher The user that slashes the token
/// @param _amount The amount of the token being slashed
event JobSlashToken(address indexed _job, address _token, address indexed _slasher, uint256 _amount);
/// @notice Emitted when Keep3rJobDisputable#slashLiquidityFromJob is called
/// @param _job The address of the job from which the liquidity will be slashed
/// @param _liquidity The address of the liquidity being slashed
/// @param _slasher The user that slashes the liquidity
/// @param _amount The amount of the liquidity being slashed
event JobSlashLiquidity(address indexed _job, address _liquidity, address indexed _slasher, uint256 _amount);
/// @notice Emitted when a keeper or a job is disputed
/// @param _jobOrKeeper The address of the disputed keeper/job
/// @param _disputer The user that called the function and disputed the keeper
event Dispute(address indexed _jobOrKeeper, address indexed _disputer);
/// @notice Emitted when a dispute is resolved
/// @param _jobOrKeeper The address of the disputed keeper/job
/// @param _resolver The user that called the function and resolved the dispute
event Resolve(address indexed _jobOrKeeper, address indexed _resolver);
// Errors
/// @notice Throws if the reward period is less than the minimum reward period time
error MinRewardPeriod();
/// @notice Throws if either a job or a keeper is disputed
error Disputed();
/// @notice Throws if there are no bonded assets
error BondsUnexistent();
/// @notice Throws if the time required to bond an asset has not passed yet
error BondsLocked();
/// @notice Throws if there are no bonds to withdraw
error UnbondsUnexistent();
/// @notice Throws if the time required to withdraw the bonds has not passed yet
error UnbondsLocked();
/// @notice Throws if the address is already a registered slasher
error SlasherExistent();
/// @notice Throws if caller is not a registered slasher
error SlasherUnexistent();
/// @notice Throws if the address is already a registered disputer
error DisputerExistent();
/// @notice Throws if caller is not a registered disputer
error DisputerUnexistent();
/// @notice Throws if the msg.sender is not a slasher or is not a part of governance
error OnlySlasher();
/// @notice Throws if the msg.sender is not a disputer or is not a part of governance
error OnlyDisputer();
/// @notice Throws when an address is passed as a job, but that address is not a job
error JobUnavailable();
/// @notice Throws when an action that requires an undisputed job is applied on a disputed job
error JobDisputed();
/// @notice Throws when the address that is trying to register as a job is already a job
error AlreadyAJob();
/// @notice Throws when the token is KP3R, as it should not be used for direct token payments
error TokenUnallowed();
/// @notice Throws when the token withdraw cooldown has not yet passed
error JobTokenCreditsLocked();
/// @notice Throws when the user tries to withdraw more tokens than it has
error InsufficientJobTokenCredits();
/// @notice Throws when trying to add a job that has already been added
error JobAlreadyAdded();
/// @notice Throws when the address that is trying to register as a keeper is already a keeper
error AlreadyAKeeper();
/// @notice Throws when the liquidity being approved has already been approved
error LiquidityPairApproved();
/// @notice Throws when the liquidity being removed has not been approved
error LiquidityPairUnexistent();
/// @notice Throws when trying to add liquidity to an unapproved pool
error LiquidityPairUnapproved();
/// @notice Throws when the job doesn't have the requested liquidity
error JobLiquidityUnexistent();
/// @notice Throws when trying to remove more liquidity than the job has
error JobLiquidityInsufficient();
/// @notice Throws when trying to add less liquidity than the minimum liquidity required
error JobLiquidityLessThanMin();
/// @notice Throws if a variable is assigned to the zero address
error ZeroAddress();
/// @notice Throws if the address claiming to be a job is not in the list of approved jobs
error JobUnapproved();
/// @notice Throws if the amount of funds in the job is less than the payment that must be paid to the keeper that works that job
error InsufficientFunds();
/// @notice Throws when the caller of the function is not the job owner
error OnlyJobOwner();
/// @notice Throws when the caller of the function is not the pending job owner
error OnlyPendingJobOwner();
/// @notice Throws when the address of the job that requests to migrate wants to migrate to its same address
error JobMigrationImpossible();
/// @notice Throws when the _toJob address differs from the address being tracked in the pendingJobMigrations mapping
error JobMigrationUnavailable();
/// @notice Throws when cooldown between migrations has not yet passed
error JobMigrationLocked();
/// @notice Throws when the token trying to be slashed doesn't exist
error JobTokenUnexistent();
/// @notice Throws when someone tries to slash more tokens than the job has
error JobTokenInsufficient();
/// @notice Throws when a job or keeper is already disputed
error AlreadyDisputed();
/// @notice Throws when a job or keeper is not disputed and someone tries to resolve the dispute
error NotDisputed();
// Variables
/// @notice Address of Keep3rHelper's contract
/// @return _keep3rHelper The address of Keep3rHelper's contract
function keep3rHelper() external view returns (address _keep3rHelper);
/// @notice Address of Keep3rV1's contract
/// @return _keep3rV1 The address of Keep3rV1's contract
function keep3rV1() external view returns (address _keep3rV1);
/// @notice Address of Keep3rV1Proxy's contract
/// @return _keep3rV1Proxy The address of Keep3rV1Proxy's contract
function keep3rV1Proxy() external view returns (address _keep3rV1Proxy);
/// @notice Address of the KP3R-WETH pool
/// @return _kp3rWethPool The address of KP3R-WETH pool
function kp3rWethPool() external view returns (address _kp3rWethPool);
/// @notice The amount of time required to pass after a keeper has bonded assets for it to be able to activate
/// @return _days The required bondTime in days
function bondTime() external view returns (uint256 _days);
/// @notice The amount of time required to pass before a keeper can unbond what he has bonded
/// @return _days The required unbondTime in days
function unbondTime() external view returns (uint256 _days);
/// @notice The minimum amount of liquidity required to fund a job per liquidity
/// @return _amount The minimum amount of liquidity in KP3R
function liquidityMinimum() external view returns (uint256 _amount);
/// @notice The amount of time between each scheduled credits reward given to a job
/// @return _days The reward period in days
function rewardPeriodTime() external view returns (uint256 _days);
/// @notice The inflation period is the denominator used to regulate the emission of KP3R
/// @return _period The denominator used to regulate the emission of KP3R
function inflationPeriod() external view returns (uint256 _period);
/// @notice The fee to be sent to governance when a user adds liquidity to a job
/// @return _amount The fee amount to be sent to governance when a user adds liquidity to a job
function fee() external view returns (uint256 _amount);
// solhint-disable func-name-mixedcase
/// @notice The base that will be used to calculate the fee
/// @return _base The base that will be used to calculate the fee
function BASE() external view returns (uint256 _base);
/// @notice The minimum rewardPeriodTime value to be set
/// @return _minPeriod The minimum reward period in seconds
function MIN_REWARD_PERIOD_TIME() external view returns (uint256 _minPeriod);
/// @notice Maps an address to a boolean to determine whether the address is a slasher or not.
/// @return _isSlasher Whether the address is a slasher or not
function slashers(address _slasher) external view returns (bool _isSlasher);
/// @notice Maps an address to a boolean to determine whether the address is a disputer or not.
/// @return _isDisputer Whether the address is a disputer or not
function disputers(address _disputer) external view returns (bool _isDisputer);
/// @notice Tracks the total KP3R earnings of a keeper since it started working
/// @return _workCompleted Total KP3R earnings of a keeper since it started working
function workCompleted(address _keeper) external view returns (uint256 _workCompleted);
/// @notice Tracks when a keeper was first registered
/// @return timestamp The time at which the keeper was first registered
function firstSeen(address _keeper) external view returns (uint256 timestamp);
/// @notice Tracks if a keeper or job has a pending dispute
/// @return _disputed Whether a keeper or job has a pending dispute
function disputes(address _keeperOrJob) external view returns (bool _disputed);
/// @notice Allows governance to create a dispute for a given keeper/job
/// @param _jobOrKeeper The address in dispute
function dispute(address _jobOrKeeper) external;
/// @notice Allows governance to resolve a dispute on a keeper/job
/// @param _jobOrKeeper The address cleared
function resolve(address _jobOrKeeper) external;
/// @notice Tracks how much a keeper has bonded of a certain token
/// @return _bonds Amount of a certain token that a keeper has bonded
function bonds(address _keeper, address _bond) external view returns (uint256 _bonds);
/// @notice The current token credits available for a job
/// @return _amount The amount of token credits available for a job
function jobTokenCredits(address _job, address _token) external view returns (uint256 _amount);
/// @notice Tracks the amount of assets deposited in pending bonds
/// @return _pendingBonds Amount of a certain asset a keeper has unbonding
function pendingBonds(address _keeper, address _bonding) external view returns (uint256 _pendingBonds);
/// @notice Tracks when a bonding for a keeper can be activated
/// @return _timestamp Time at which the bonding for a keeper can be activated
function canActivateAfter(address _keeper, address _bonding) external view returns (uint256 _timestamp);
/// @notice Tracks when keeper bonds are ready to be withdrawn
/// @return _timestamp Time at which the keeper bonds are ready to be withdrawn
function canWithdrawAfter(address _keeper, address _bonding) external view returns (uint256 _timestamp);
/// @notice Tracks how much keeper bonds are to be withdrawn
/// @return _pendingUnbonds The amount of keeper bonds that are to be withdrawn
function pendingUnbonds(address _keeper, address _bonding) external view returns (uint256 _pendingUnbonds);
/// @notice Checks whether the address has ever bonded an asset
/// @return _hasBonded Whether the address has ever bonded an asset
function hasBonded(address _keeper) external view returns (bool _hasBonded);
/// @notice Last block where tokens were added to the job [job => token => timestamp]
/// @return _timestamp The last block where tokens were added to the job
function jobTokenCreditsAddedAt(address _job, address _token) external view returns (uint256 _timestamp);
// Methods
/// @notice Add credit to a job to be paid out for work
/// @param _job The address of the job being credited
/// @param _token The address of the token being credited
/// @param _amount The amount of credit being added
function addTokenCreditsToJob(
address _job,
address _token,
uint256 _amount
) external;
/// @notice Withdraw credit from a job
/// @param _job The address of the job from which the credits are withdrawn
/// @param _token The address of the token being withdrawn
/// @param _amount The amount of token to be withdrawn
/// @param _receiver The user that will receive tokens
function withdrawTokenCreditsFromJob(
address _job,
address _token,
uint256 _amount,
address _receiver
) external;
/// @notice Lists liquidity pairs
/// @return _list An array of addresses with all the approved liquidity pairs
function approvedLiquidities() external view returns (address[] memory _list);
/// @notice Amount of liquidity in a specified job
/// @param _job The address of the job being checked
/// @param _liquidity The address of the liquidity we are checking
/// @return _amount Amount of liquidity in the specified job
function liquidityAmount(address _job, address _liquidity) external view returns (uint256 _amount);
/// @notice Last time the job was rewarded liquidity credits
/// @param _job The address of the job being checked
/// @return _timestamp Timestamp of the last time the job was rewarded liquidity credits
function rewardedAt(address _job) external view returns (uint256 _timestamp);
/// @notice Last time the job was worked
/// @param _job The address of the job being checked
/// @return _timestamp Timestamp of the last time the job was worked
function workedAt(address _job) external view returns (uint256 _timestamp);
/// @notice Maps the job to the owner of the job (job => user)
/// @return _owner The addres of the owner of the job
function jobOwner(address _job) external view returns (address _owner);
/// @notice Maps the owner of the job to its pending owner (job => user)
/// @return _pendingOwner The address of the pending owner of the job
function jobPendingOwner(address _job) external view returns (address _pendingOwner);
/// @notice Maps the jobs that have requested a migration to the address they have requested to migrate to
/// @return _toJob The address to which the job has requested to migrate to
function pendingJobMigrations(address _fromJob) external view returns (address _toJob);
// Methods
/// @notice Sets the Keep3rHelper address
/// @param _keep3rHelper The Keep3rHelper address
function setKeep3rHelper(address _keep3rHelper) external;
/// @notice Sets the Keep3rV1 address
/// @param _keep3rV1 The Keep3rV1 address
function setKeep3rV1(address _keep3rV1) external;
/// @notice Sets the Keep3rV1Proxy address
/// @param _keep3rV1Proxy The Keep3rV1Proxy address
function setKeep3rV1Proxy(address _keep3rV1Proxy) external;
/// @notice Sets the KP3R-WETH pool address
/// @param _kp3rWethPool The KP3R-WETH pool address
function setKp3rWethPool(address _kp3rWethPool) external;
/// @notice Sets the bond time required to activate as a keeper
/// @param _bond The new bond time
function setBondTime(uint256 _bond) external;
/// @notice Sets the unbond time required unbond what has been bonded
/// @param _unbond The new unbond time
function setUnbondTime(uint256 _unbond) external;
/// @notice Sets the minimum amount of liquidity required to fund a job
/// @param _liquidityMinimum The new minimum amount of liquidity
function setLiquidityMinimum(uint256 _liquidityMinimum) external;
/// @notice Sets the time required to pass between rewards for jobs
/// @param _rewardPeriodTime The new amount of time required to pass between rewards
function setRewardPeriodTime(uint256 _rewardPeriodTime) external;
/// @notice Sets the new inflation period
/// @param _inflationPeriod The new inflation period
function setInflationPeriod(uint256 _inflationPeriod) external;
/// @notice Sets the new fee
/// @param _fee The new fee
function setFee(uint256 _fee) external;
/// @notice Registers a slasher by updating the slashers mapping
function addSlasher(address _slasher) external;
/// @notice Removes a slasher by updating the slashers mapping
function removeSlasher(address _slasher) external;
/// @notice Registers a disputer by updating the disputers mapping
function addDisputer(address _disputer) external;
/// @notice Removes a disputer by updating the disputers mapping
function removeDisputer(address _disputer) external;
/// @notice Lists all jobs
/// @return _jobList Array with all the jobs in _jobs
function jobs() external view returns (address[] memory _jobList);
/// @notice Lists all keepers
/// @return _keeperList Array with all the jobs in keepers
function keepers() external view returns (address[] memory _keeperList);
/// @notice Beginning of the bonding process
/// @param _bonding The asset being bound
/// @param _amount The amount of bonding asset being bound
function bond(address _bonding, uint256 _amount) external;
/// @notice Beginning of the unbonding process
/// @param _bonding The asset being unbound
/// @param _amount Allows for partial unbonding
function unbond(address _bonding, uint256 _amount) external;
/// @notice End of the bonding process after bonding time has passed
/// @param _bonding The asset being activated as bond collateral
function activate(address _bonding) external;
/// @notice Withdraw funds after unbonding has finished
/// @param _bonding The asset to withdraw from the bonding pool
function withdraw(address _bonding) external;
/// @notice Allows governance to slash a keeper based on a dispute
/// @param _keeper The address being slashed
/// @param _bonded The asset being slashed
/// @param _amount The amount being slashed
function slash(
address _keeper,
address _bonded,
uint256 _amount
) external;
/// @notice Blacklists a keeper from participating in the network
/// @param _keeper The address being slashed
function revoke(address _keeper) external;
/// @notice Allows any caller to add a new job
/// @param _job Address of the contract for which work should be performed
function addJob(address _job) external;
/// @notice Returns the liquidity credits of a given job
/// @param _job The address of the job of which we want to know the liquidity credits
/// @return _amount The liquidity credits of a given job
function jobLiquidityCredits(address _job) external view returns (uint256 _amount);
/// @notice Returns the credits of a given job for the current period
/// @param _job The address of the job of which we want to know the period credits
/// @return _amount The credits the given job has at the current period
function jobPeriodCredits(address _job) external view returns (uint256 _amount);
/// @notice Calculates the total credits of a given job
/// @param _job The address of the job of which we want to know the total credits
/// @return _amount The total credits of the given job
function totalJobCredits(address _job) external view returns (uint256 _amount);
/// @notice Calculates how many credits should be rewarded periodically for a given liquidity amount
/// @dev _periodCredits = underlying KP3Rs for given liquidity amount * rewardPeriod / inflationPeriod
/// @param _liquidity The liquidity to provide
/// @param _amount The amount of liquidity to provide
/// @return _periodCredits The amount of KP3R periodically minted for the given liquidity
function quoteLiquidity(address _liquidity, uint256 _amount) external view returns (uint256 _periodCredits);
/// @notice Observes the current state of the liquidity pair being observed and updates TickCache with the information
/// @param _liquidity The liquidity pair being observed
/// @return _tickCache The updated TickCache
function observeLiquidity(address _liquidity) external view returns (TickCache memory _tickCache);
/// @notice Gifts liquidity credits to the specified job
/// @param _job The address of the job being credited
/// @param _amount The amount of liquidity credits to gift
function forceLiquidityCreditsToJob(address _job, uint256 _amount) external;
/// @notice Approve a liquidity pair for being accepted in future
/// @param _liquidity The address of the liquidity accepted
function approveLiquidity(address _liquidity) external;
/// @notice Revoke a liquidity pair from being accepted in future
/// @param _liquidity The liquidity no longer accepted
function revokeLiquidity(address _liquidity) external;
/// @notice Allows anyone to fund a job with liquidity
/// @param _job The address of the job to assign liquidity to
/// @param _liquidity The liquidity being added
/// @param _amount The amount of liquidity tokens to add
function addLiquidityToJob(
address _job,
address _liquidity,
uint256 _amount
) external;
/// @notice Unbond liquidity for a job
/// @dev Can only be called by the job's owner
/// @param _job The address of the job being unbound from
/// @param _liquidity The liquidity being unbound
/// @param _amount The amount of liquidity being removed
function unbondLiquidityFromJob(
address _job,
address _liquidity,
uint256 _amount
) external;
/// @notice Withdraw liquidity from a job
/// @param _job The address of the job being withdrawn from
/// @param _liquidity The liquidity being withdrawn
/// @param _receiver The address that will receive the withdrawn liquidity
function withdrawLiquidityFromJob(
address _job,
address _liquidity,
address _receiver
) external;
/// @notice Confirms if the current keeper is registered, can be used for general (non critical) functions
/// @param _keeper The keeper being investigated
/// @return _isKeeper Whether the address passed as a parameter is a keeper or not
function isKeeper(address _keeper) external returns (bool _isKeeper);
/// @notice Confirms if the current keeper is registered and has a minimum bond of any asset. Should be used for protected functions
/// @param _keeper The keeper to check
/// @param _bond The bond token being evaluated
/// @param _minBond The minimum amount of bonded tokens
/// @param _earned The minimum funds earned in the keepers lifetime
/// @param _age The minimum keeper age required
/// @return _isBondedKeeper Whether the `_keeper` meets the given requirements
function isBondedKeeper(
address _keeper,
address _bond,
uint256 _minBond,
uint256 _earned,
uint256 _age
) external returns (bool _isBondedKeeper);
/// @notice Implemented by jobs to show that a keeper performed work
/// @dev Automatically calculates the payment for the keeper
/// @param _keeper Address of the keeper that performed the work
function worked(address _keeper) external;
/// @notice Implemented by jobs to show that a keeper performed work
/// @dev Pays the keeper that performs the work with KP3R
/// @param _keeper Address of the keeper that performed the work
/// @param _payment The reward that should be allocated for the job
function bondedPayment(address _keeper, uint256 _payment) external;
/// @notice Implemented by jobs to show that a keeper performed work
/// @dev Pays the keeper that performs the work with a specific token
/// @param _token The asset being awarded to the keeper
/// @param _keeper Address of the keeper that performed the work
/// @param _amount The reward that should be allocated
function directTokenPayment(
address _token,
address _keeper,
uint256 _amount
) external;
/// @notice Proposes a new address to be the owner of the job
function changeJobOwnership(address _job, address _newOwner) external;
/// @notice The proposed address accepts to be the owner of the job
function acceptJobOwnership(address _job) external;
/// @notice Initializes the migration process for a job by adding the request to the pendingJobMigrations mapping
/// @param _fromJob The address of the job that is requesting to migrate
/// @param _toJob The address at which the job is requesting to migrate
function migrateJob(address _fromJob, address _toJob) external;
/// @notice Completes the migration process for a job
/// @dev Unbond/withdraw process doesn't get migrated
/// @param _fromJob The address of the job that requested to migrate
/// @param _toJob The address to which the job wants to migrate to
function acceptJobMigration(address _fromJob, address _toJob) external;
/// @notice Allows governance or slasher to slash a job specific token
/// @param _job The address of the job from which the token will be slashed
/// @param _token The address of the token that will be slashed
/// @param _amount The amount of the token that will be slashed
function slashTokenFromJob(
address _job,
address _token,
uint256 _amount
) external;
/// @notice Allows governance or a slasher to slash liquidity from a job
/// @param _job The address being slashed
/// @param _liquidity The address of the liquidity that will be slashed
/// @param _amount The amount of liquidity that will be slashed
function slashLiquidityFromJob(
address _job,
address _liquidity,
uint256 _amount
) external;
}
// SPDX-License-Identifier: MIT
pragma solidity >=0.8.4 <0.9.0;
import './utils/IGovernable.sol';
import './utils/IKeep3rJob.sol';
import './utils/IPausable.sol';
import './utils/IDustCollector.sol';
interface IMakerDAOUpkeep is IGovernable, IPausable, IKeep3rJob, IDustCollector {
// event
event NetworkSet(bytes32 _newNetwork);
event SequencerAddressSet(address _newSequencerAddress);
event JobWorked(address _job);
// errors
error AvailableCredits();
error Paused();
error CallFailed();
error NotValidJob();
// variables
function network() external view returns (bytes32 _network);
function sequencer() external view returns (address _sequencer);
// methods
function work(address _job, bytes calldata _data) external;
function workMetered(address _job, bytes calldata _data) external;
function setNetwork(bytes32 _network) external;
function setSequencerAddress(address _sequencer) external;
}
// SPDX-License-Identifier: MIT
pragma solidity >=0.8.4 <0.9.0;
import './IGovernable.sol';
interface IPausable is IGovernable {
// events
event PauseSet(bool _paused);
// errors
error NoChangeInPause();
// variables
function paused() external view returns (bool _paused);
// methods
function setPause(bool _paused) external;
}
// SPDX-License-Identifier: MIT
pragma solidity >=0.8.4 <0.9.0;
interface ISequencer {
struct WorkableJob {
address job;
bool canWork;
bytes args;
}
event Rely(address indexed usr);
event Deny(address indexed usr);
event File(bytes32 indexed what, uint256 data);
event AddNetwork(bytes32 indexed network);
event RemoveNetwork(bytes32 indexed network);
event AddJob(address indexed job);
event RemoveJob(address indexed job);
error InvalidFileParam(bytes32 what);
error NetworkExists(bytes32 network);
error NetworkDoesNotExist(bytes32 network);
error JobExists(address job);
error JobDoesNotExist(address network);
error IndexTooHigh(uint256 index, uint256 length);
error BadIndicies(uint256 startIndex, uint256 exclEndIndex);
function wards(address) external returns (uint256);
function rely(address usr) external;
function deny(address usr) external;
function window() external returns (uint256);
function file(bytes32 what, uint256 data) external;
function addNetwork(bytes32 network) external;
function removeNetwork(uint256 index) external;
function addJob(address job) external;
function removeJob(uint256 index) external;
function isMaster(bytes32 _network) external view returns (bool _isMaster);
function numNetworks() external view returns (uint256);
function hasNetwork() external view returns (bool);
function networkAt(uint256 index) external view returns (bytes32);
function numJobs() external view returns (uint256);
function hasJob(address job) external returns (bool);
function jobAt(uint256 index) external view returns (address);
function getNextJobs(
bytes32 network,
uint256 startIndex,
uint256 endIndexExcl
) external returns (WorkableJob[] memory);
function getNextJobs(bytes32 network) external returns (WorkableJob[] memory);
}
// SPDX-License-Identifier: GPL-2.0-or-later
pragma solidity >=0.5.0;
import './pool/IUniswapV3PoolImmutables.sol';
import './pool/IUniswapV3PoolState.sol';
import './pool/IUniswapV3PoolDerivedState.sol';
import './pool/IUniswapV3PoolActions.sol';
import './pool/IUniswapV3PoolOwnerActions.sol';
import './pool/IUniswapV3PoolEvents.sol';
/// @title The interface for a Uniswap V3 Pool
/// @notice A Uniswap pool facilitates swapping and automated market making between any two assets that strictly conform
/// to the ERC20 specification
/// @dev The pool interface is broken up into many smaller pieces
interface IUniswapV3Pool is
IUniswapV3PoolImmutables,
IUniswapV3PoolState,
IUniswapV3PoolDerivedState,
IUniswapV3PoolActions,
IUniswapV3PoolOwnerActions,
IUniswapV3PoolEvents
{
}
// SPDX-License-Identifier: GPL-2.0-or-later
pragma solidity >=0.5.0;
/// @title Permissionless pool actions
/// @notice Contains pool methods that can be called by anyone
interface IUniswapV3PoolActions {
/// @notice Sets the initial price for the pool
/// @dev Price is represented as a sqrt(amountToken1/amountToken0) Q64.96 value
/// @param sqrtPriceX96 the initial sqrt price of the pool as a Q64.96
function initialize(uint160 sqrtPriceX96) external;
/// @notice Adds liquidity for the given recipient/tickLower/tickUpper position
/// @dev The caller of this method receives a callback in the form of IUniswapV3MintCallback#uniswapV3MintCallback
/// in which they must pay any token0 or token1 owed for the liquidity. The amount of token0/token1 due depends
/// on tickLower, tickUpper, the amount of liquidity, and the current price.
/// @param recipient The address for which the liquidity will be created
/// @param tickLower The lower tick of the position in which to add liquidity
/// @param tickUpper The upper tick of the position in which to add liquidity
/// @param amount The amount of liquidity to mint
/// @param data Any data that should be passed through to the callback
/// @return amount0 The amount of token0 that was paid to mint the given amount of liquidity. Matches the value in the callback
/// @return amount1 The amount of token1 that was paid to mint the given amount of liquidity. Matches the value in the callback
function mint(
address recipient,
int24 tickLower,
int24 tickUpper,
uint128 amount,
bytes calldata data
) external returns (uint256 amount0, uint256 amount1);
/// @notice Collects tokens owed to a position
/// @dev Does not recompute fees earned, which must be done either via mint or burn of any amount of liquidity.
/// Collect must be called by the position owner. To withdraw only token0 or only token1, amount0Requested or
/// amount1Requested may be set to zero. To withdraw all tokens owed, caller may pass any value greater than the
/// actual tokens owed, e.g. type(uint128).max. Tokens owed may be from accumulated swap fees or burned liquidity.
/// @param recipient The address which should receive the fees collected
/// @param tickLower The lower tick of the position for which to collect fees
/// @param tickUpper The upper tick of the position for which to collect fees
/// @param amount0Requested How much token0 should be withdrawn from the fees owed
/// @param amount1Requested How much token1 should be withdrawn from the fees owed
/// @return amount0 The amount of fees collected in token0
/// @return amount1 The amount of fees collected in token1
function collect(
address recipient,
int24 tickLower,
int24 tickUpper,
uint128 amount0Requested,
uint128 amount1Requested
) external returns (uint128 amount0, uint128 amount1);
/// @notice Burn liquidity from the sender and account tokens owed for the liquidity to the position
/// @dev Can be used to trigger a recalculation of fees owed to a position by calling with an amount of 0
/// @dev Fees must be collected separately via a call to #collect
/// @param tickLower The lower tick of the position for which to burn liquidity
/// @param tickUpper The upper tick of the position for which to burn liquidity
/// @param amount How much liquidity to burn
/// @return amount0 The amount of token0 sent to the recipient
/// @return amount1 The amount of token1 sent to the recipient
function burn(
int24 tickLower,
int24 tickUpper,
uint128 amount
) external returns (uint256 amount0, uint256 amount1);
/// @notice Swap token0 for token1, or token1 for token0
/// @dev The caller of this method receives a callback in the form of IUniswapV3SwapCallback#uniswapV3SwapCallback
/// @param recipient The address to receive the output of the swap
/// @param zeroForOne The direction of the swap, true for token0 to token1, false for token1 to token0
/// @param amountSpecified The amount of the swap, which implicitly configures the swap as exact input (positive), or exact output (negative)
/// @param sqrtPriceLimitX96 The Q64.96 sqrt price limit. If zero for one, the price cannot be less than this
/// value after the swap. If one for zero, the price cannot be greater than this value after the swap
/// @param data Any data to be passed through to the callback
/// @return amount0 The delta of the balance of token0 of the pool, exact when negative, minimum when positive
/// @return amount1 The delta of the balance of token1 of the pool, exact when negative, minimum when positive
function swap(
address recipient,
bool zeroForOne,
int256 amountSpecified,
uint160 sqrtPriceLimitX96,
bytes calldata data
) external returns (int256 amount0, int256 amount1);
/// @notice Receive token0 and/or token1 and pay it back, plus a fee, in the callback
/// @dev The caller of this method receives a callback in the form of IUniswapV3FlashCallback#uniswapV3FlashCallback
/// @dev Can be used to donate underlying tokens pro-rata to currently in-range liquidity providers by calling
/// with 0 amount{0,1} and sending the donation amount(s) from the callback
/// @param recipient The address which will receive the token0 and token1 amounts
/// @param amount0 The amount of token0 to send
/// @param amount1 The amount of token1 to send
/// @param data Any data to be passed through to the callback
function flash(
address recipient,
uint256 amount0,
uint256 amount1,
bytes calldata data
) external;
/// @notice Increase the maximum number of price and liquidity observations that this pool will store
/// @dev This method is no-op if the pool already has an observationCardinalityNext greater than or equal to
/// the input observationCardinalityNext.
/// @param observationCardinalityNext The desired minimum number of observations for the pool to store
function increaseObservationCardinalityNext(uint16 observationCardinalityNext) external;
}
// SPDX-License-Identifier: GPL-2.0-or-later
pragma solidity >=0.5.0;
/// @title Pool state that is not stored
/// @notice Contains view functions to provide information about the pool that is computed rather than stored on the
/// blockchain. The functions here may have variable gas costs.
interface IUniswapV3PoolDerivedState {
/// @notice Returns the cumulative tick and liquidity as of each timestamp `secondsAgo` from the current block timestamp
/// @dev To get a time weighted average tick or liquidity-in-range, you must call this with two values, one representing
/// the beginning of the period and another for the end of the period. E.g., to get the last hour time-weighted average tick,
/// you must call it with secondsAgos = [3600, 0].
/// @dev The time weighted average tick represents the geometric time weighted average price of the pool, in
/// log base sqrt(1.0001) of token1 / token0. The TickMath library can be used to go from a tick value to a ratio.
/// @param secondsAgos From how long ago each cumulative tick and liquidity value should be returned
/// @return tickCumulatives Cumulative tick values as of each `secondsAgos` from the current block timestamp
/// @return secondsPerLiquidityCumulativeX128s Cumulative seconds per liquidity-in-range value as of each `secondsAgos` from the current block
/// timestamp
function observe(uint32[] calldata secondsAgos)
external
view
returns (int56[] memory tickCumulatives, uint160[] memory secondsPerLiquidityCumulativeX128s);
/// @notice Returns a snapshot of the tick cumulative, seconds per liquidity and seconds inside a tick range
/// @dev Snapshots must only be compared to other snapshots, taken over a period for which a position existed.
/// I.e., snapshots cannot be compared if a position is not held for the entire period between when the first
/// snapshot is taken and the second snapshot is taken.
/// @param tickLower The lower tick of the range
/// @param tickUpper The upper tick of the range
/// @return tickCumulativeInside The snapshot of the tick accumulator for the range
/// @return secondsPerLiquidityInsideX128 The snapshot of seconds per liquidity for the range
/// @return secondsInside The snapshot of seconds per liquidity for the range
function snapshotCumulativesInside(int24 tickLower, int24 tickUpper)
external
view
returns (
int56 tickCumulativeInside,
uint160 secondsPerLiquidityInsideX128,
uint32 secondsInside
);
}
// SPDX-License-Identifier: GPL-2.0-or-later
pragma solidity >=0.5.0;
/// @title Events emitted by a pool
/// @notice Contains all events emitted by the pool
interface IUniswapV3PoolEvents {
/// @notice Emitted exactly once by a pool when #initialize is first called on the pool
/// @dev Mint/Burn/Swap cannot be emitted by the pool before Initialize
/// @param sqrtPriceX96 The initial sqrt price of the pool, as a Q64.96
/// @param tick The initial tick of the pool, i.e. log base 1.0001 of the starting price of the pool
event Initialize(uint160 sqrtPriceX96, int24 tick);
/// @notice Emitted when liquidity is minted for a given position
/// @param sender The address that minted the liquidity
/// @param owner The owner of the position and recipient of any minted liquidity
/// @param tickLower The lower tick of the position
/// @param tickUpper The upper tick of the position
/// @param amount The amount of liquidity minted to the position range
/// @param amount0 How much token0 was required for the minted liquidity
/// @param amount1 How much token1 was required for the minted liquidity
event Mint(
address sender,
address indexed owner,
int24 indexed tickLower,
int24 indexed tickUpper,
uint128 amount,
uint256 amount0,
uint256 amount1
);
/// @notice Emitted when fees are collected by the owner of a position
/// @dev Collect events may be emitted with zero amount0 and amount1 when the caller chooses not to collect fees
/// @param owner The owner of the position for which fees are collected
/// @param tickLower The lower tick of the position
/// @param tickUpper The upper tick of the position
/// @param amount0 The amount of token0 fees collected
/// @param amount1 The amount of token1 fees collected
event Collect(
address indexed owner,
address recipient,
int24 indexed tickLower,
int24 indexed tickUpper,
uint128 amount0,
uint128 amount1
);
/// @notice Emitted when a position's liquidity is removed
/// @dev Does not withdraw any fees earned by the liquidity position, which must be withdrawn via #collect
/// @param owner The owner of the position for which liquidity is removed
/// @param tickLower The lower tick of the position
/// @param tickUpper The upper tick of the position
/// @param amount The amount of liquidity to remove
/// @param amount0 The amount of token0 withdrawn
/// @param amount1 The amount of token1 withdrawn
event Burn(
address indexed owner,
int24 indexed tickLower,
int24 indexed tickUpper,
uint128 amount,
uint256 amount0,
uint256 amount1
);
/// @notice Emitted by the pool for any swaps between token0 and token1
/// @param sender The address that initiated the swap call, and that received the callback
/// @param recipient The address that received the output of the swap
/// @param amount0 The delta of the token0 balance of the pool
/// @param amount1 The delta of the token1 balance of the pool
/// @param sqrtPriceX96 The sqrt(price) of the pool after the swap, as a Q64.96
/// @param liquidity The liquidity of the pool after the swap
/// @param tick The log base 1.0001 of price of the pool after the swap
event Swap(
address indexed sender,
address indexed recipient,
int256 amount0,
int256 amount1,
uint160 sqrtPriceX96,
uint128 liquidity,
int24 tick
);
/// @notice Emitted by the pool for any flashes of token0/token1
/// @param sender The address that initiated the swap call, and that received the callback
/// @param recipient The address that received the tokens from flash
/// @param amount0 The amount of token0 that was flashed
/// @param amount1 The amount of token1 that was flashed
/// @param paid0 The amount of token0 paid for the flash, which can exceed the amount0 plus the fee
/// @param paid1 The amount of token1 paid for the flash, which can exceed the amount1 plus the fee
event Flash(
address indexed sender,
address indexed recipient,
uint256 amount0,
uint256 amount1,
uint256 paid0,
uint256 paid1
);
/// @notice Emitted by the pool for increases to the number of observations that can be stored
/// @dev observationCardinalityNext is not the observation cardinality until an observation is written at the index
/// just before a mint/swap/burn.
/// @param observationCardinalityNextOld The previous value of the next observation cardinality
/// @param observationCardinalityNextNew The updated value of the next observation cardinality
event IncreaseObservationCardinalityNext(
uint16 observationCardinalityNextOld,
uint16 observationCardinalityNextNew
);
/// @notice Emitted when the protocol fee is changed by the pool
/// @param feeProtocol0Old The previous value of the token0 protocol fee
/// @param feeProtocol1Old The previous value of the token1 protocol fee
/// @param feeProtocol0New The updated value of the token0 protocol fee
/// @param feeProtocol1New The updated value of the token1 protocol fee
event SetFeeProtocol(uint8 feeProtocol0Old, uint8 feeProtocol1Old, uint8 feeProtocol0New, uint8 feeProtocol1New);
/// @notice Emitted when the collected protocol fees are withdrawn by the factory owner
/// @param sender The address that collects the protocol fees
/// @param recipient The address that receives the collected protocol fees
/// @param amount0 The amount of token0 protocol fees that is withdrawn
/// @param amount0 The amount of token1 protocol fees that is withdrawn
event CollectProtocol(address indexed sender, address indexed recipient, uint128 amount0, uint128 amount1);
}
// SPDX-License-Identifier: GPL-2.0-or-later
pragma solidity >=0.5.0;
/// @title Pool state that never changes
/// @notice These parameters are fixed for a pool forever, i.e., the methods will always return the same values
interface IUniswapV3PoolImmutables {
/// @notice The contract that deployed the pool, which must adhere to the IUniswapV3Factory interface
/// @return The contract address
function factory() external view returns (address);
/// @notice The first of the two tokens of the pool, sorted by address
/// @return The token contract address
function token0() external view returns (address);
/// @notice The second of the two tokens of the pool, sorted by address
/// @return The token contract address
function token1() external view returns (address);
/// @notice The pool's fee in hundredths of a bip, i.e. 1e-6
/// @return The fee
function fee() external view returns (uint24);
/// @notice The pool tick spacing
/// @dev Ticks can only be used at multiples of this value, minimum of 1 and always positive
/// e.g.: a tickSpacing of 3 means ticks can be initialized every 3rd tick, i.e., ..., -6, -3, 0, 3, 6, ...
/// This value is an int24 to avoid casting even though it is always positive.
/// @return The tick spacing
function tickSpacing() external view returns (int24);
/// @notice The maximum amount of position liquidity that can use any tick in the range
/// @dev This parameter is enforced per tick to prevent liquidity from overflowing a uint128 at any point, and
/// also prevents out-of-range liquidity from being used to prevent adding in-range liquidity to a pool
/// @return The max amount of liquidity per tick
function maxLiquidityPerTick() external view returns (uint128);
}
// SPDX-License-Identifier: GPL-2.0-or-later
pragma solidity >=0.5.0;
/// @title Permissioned pool actions
/// @notice Contains pool methods that may only be called by the factory owner
interface IUniswapV3PoolOwnerActions {
/// @notice Set the denominator of the protocol's % share of the fees
/// @param feeProtocol0 new protocol fee for token0 of the pool
/// @param feeProtocol1 new protocol fee for token1 of the pool
function setFeeProtocol(uint8 feeProtocol0, uint8 feeProtocol1) external;
/// @notice Collect the protocol fee accrued to the pool
/// @param recipient The address to which collected protocol fees should be sent
/// @param amount0Requested The maximum amount of token0 to send, can be 0 to collect fees in only token1
/// @param amount1Requested The maximum amount of token1 to send, can be 0 to collect fees in only token0
/// @return amount0 The protocol fee collected in token0
/// @return amount1 The protocol fee collected in token1
function collectProtocol(
address recipient,
uint128 amount0Requested,
uint128 amount1Requested
) external returns (uint128 amount0, uint128 amount1);
}
// SPDX-License-Identifier: GPL-2.0-or-later
pragma solidity >=0.5.0;
/// @title Pool state that can change
/// @notice These methods compose the pool's state, and can change with any frequency including multiple times
/// per transaction
interface IUniswapV3PoolState {
/// @notice The 0th storage slot in the pool stores many values, and is exposed as a single method to save gas
/// when accessed externally.
/// @return sqrtPriceX96 The current price of the pool as a sqrt(token1/token0) Q64.96 value
/// tick The current tick of the pool, i.e. according to the last tick transition that was run.
/// This value may not always be equal to SqrtTickMath.getTickAtSqrtRatio(sqrtPriceX96) if the price is on a tick
/// boundary.
/// observationIndex The index of the last oracle observation that was written,
/// observationCardinality The current maximum number of observations stored in the pool,
/// observationCardinalityNext The next maximum number of observations, to be updated when the observation.
/// feeProtocol The protocol fee for both tokens of the pool.
/// Encoded as two 4 bit values, where the protocol fee of token1 is shifted 4 bits and the protocol fee of token0
/// is the lower 4 bits. Used as the denominator of a fraction of the swap fee, e.g. 4 means 1/4th of the swap fee.
/// unlocked Whether the pool is currently locked to reentrancy
function slot0()
external
view
returns (
uint160 sqrtPriceX96,
int24 tick,
uint16 observationIndex,
uint16 observationCardinality,
uint16 observationCardinalityNext,
uint8 feeProtocol,
bool unlocked
);
/// @notice The fee growth as a Q128.128 fees of token0 collected per unit of liquidity for the entire life of the pool
/// @dev This value can overflow the uint256
function feeGrowthGlobal0X128() external view returns (uint256);
/// @notice The fee growth as a Q128.128 fees of token1 collected per unit of liquidity for the entire life of the pool
/// @dev This value can overflow the uint256
function feeGrowthGlobal1X128() external view returns (uint256);
/// @notice The amounts of token0 and token1 that are owed to the protocol
/// @dev Protocol fees will never exceed uint128 max in either token
function protocolFees() external view returns (uint128 token0, uint128 token1);
/// @notice The currently in range liquidity available to the pool
/// @dev This value has no relationship to the total liquidity across all ticks
function liquidity() external view returns (uint128);
/// @notice Look up information about a specific tick in the pool
/// @param tick The tick to look up
/// @return liquidityGross the total amount of position liquidity that uses the pool either as tick lower or
/// tick upper,
/// liquidityNet how much liquidity changes when the pool price crosses the tick,
/// feeGrowthOutside0X128 the fee growth on the other side of the tick from the current tick in token0,
/// feeGrowthOutside1X128 the fee growth on the other side of the tick from the current tick in token1,
/// tickCumulativeOutside the cumulative tick value on the other side of the tick from the current tick
/// secondsPerLiquidityOutsideX128 the seconds spent per liquidity on the other side of the tick from the current tick,
/// secondsOutside the seconds spent on the other side of the tick from the current tick,
/// initialized Set to true if the tick is initialized, i.e. liquidityGross is greater than 0, otherwise equal to false.
/// Outside values can only be used if the tick is initialized, i.e. if liquidityGross is greater than 0.
/// In addition, these values are only relative and must be used only in comparison to previous snapshots for
/// a specific position.
function ticks(int24 tick)
external
view
returns (
uint128 liquidityGross,
int128 liquidityNet,
uint256 feeGrowthOutside0X128,
uint256 feeGrowthOutside1X128,
int56 tickCumulativeOutside,
uint160 secondsPerLiquidityOutsideX128,
uint32 secondsOutside,
bool initialized
);
/// @notice Returns 256 packed tick initialized boolean values. See TickBitmap for more information
function tickBitmap(int16 wordPosition) external view returns (uint256);
/// @notice Returns the information about a position by the position's key
/// @param key The position's key is a hash of a preimage composed by the owner, tickLower and tickUpper
/// @return _liquidity The amount of liquidity in the position,
/// Returns feeGrowthInside0LastX128 fee growth of token0 inside the tick range as of the last mint/burn/poke,
/// Returns feeGrowthInside1LastX128 fee growth of token1 inside the tick range as of the last mint/burn/poke,
/// Returns tokensOwed0 the computed amount of token0 owed to the position as of the last mint/burn/poke,
/// Returns tokensOwed1 the computed amount of token1 owed to the position as of the last mint/burn/poke
function positions(bytes32 key)
external
view
returns (
uint128 _liquidity,
uint256 feeGrowthInside0LastX128,
uint256 feeGrowthInside1LastX128,
uint128 tokensOwed0,
uint128 tokensOwed1
);
/// @notice Returns data about a specific observation index
/// @param index The element of the observations array to fetch
/// @dev You most likely want to use #observe() instead of this method to get an observation as of some amount of time
/// ago, rather than at a specific index in the array.
/// @return blockTimestamp The timestamp of the observation,
/// Returns tickCumulative the tick multiplied by seconds elapsed for the life of the pool as of the observation timestamp,
/// Returns secondsPerLiquidityCumulativeX128 the seconds per in range liquidity for the life of the pool as of the observation timestamp,
/// Returns initialized whether the observation has been initialized and the values are safe to use
function observations(uint256 index)
external
view
returns (
uint32 blockTimestamp,
int56 tickCumulative,
uint160 secondsPerLiquidityCumulativeX128,
bool initialized
);
}
// SPDX-License-Identifier: MIT
pragma solidity >=0.8.4 <0.9.0;
import './Keep3rJob.sol';
import '../../interfaces/utils/IKeep3rBondedJob.sol';
abstract contract Keep3rBondedJob is Keep3rJob, IKeep3rBondedJob {
address public override requiredBond = 0x1cEB5cB57C4D4E2b2433641b95Dd330A33185A44;
uint256 public override requiredMinBond = 50 ether;
uint256 public override requiredEarnings;
uint256 public override requiredAge;
function setKeep3rRequirements(
address _bond,
uint256 _minBond,
uint256 _earned,
uint256 _age
) public override onlyGovernor {
requiredBond = _bond;
requiredMinBond = _minBond;
requiredEarnings = _earned;
requiredAge = _age;
emit Keep3rRequirementsSet(_bond, _minBond, _earned, _age);
}
function _isValidKeeper(address _keeper) internal virtual override {
if (!IKeep3rV2(keep3r).isBondedKeeper(_keeper, requiredBond, requiredMinBond, requiredEarnings, requiredAge)) revert KeeperNotValid();
}
}
// SPDX-License-Identifier: MIT
pragma solidity >=0.8.4 <0.9.0;
import './Governable.sol';
import '../../interfaces/utils/IKeep3rJob.sol';
import '../../interfaces/external/IKeep3rV2.sol';
abstract contract Keep3rJob is IKeep3rJob, Governable {
address public override keep3r = 0x4A6cFf9E1456eAa3b6f37572395C6fa0c959edAB;
function setKeep3r(address _keep3r) public override onlyGovernor {
keep3r = _keep3r;
emit Keep3rSet(_keep3r);
}
function _isValidKeeper(address _keeper) internal virtual {
if (!IKeep3rV2(keep3r).isKeeper(_keeper)) revert KeeperNotValid();
}
modifier upkeep() {
_isValidKeeper(msg.sender);
_;
IKeep3rV2(keep3r).worked(msg.sender);
}
}
// SPDX-License-Identifier: MIT
pragma solidity >=0.8.4 <0.9.0;
import './Keep3rMeteredJob.sol';
import '../../interfaces/utils/IKeep3rMeteredFallbackJob.sol';
import '../../libraries/OracleLibrary.sol';
abstract contract Keep3rMeteredFallbackJob is Keep3rMeteredJob, IKeep3rMeteredFallbackJob {
address public override fallbackToken;
address public override fallbackTokenWETHPool;
/// @dev Fixed bonus to pay for unaccounted gas in fallback payment transactions
uint256 public override fallbackGasBonus = 77_000;
uint32 public override twapTime = 300;
// solhint-disable-next-line var-name-mixedcase
address public override WETH = 0xC02aaA39b223FE8D0A0e5C4F27eAD9083C756Cc2;
constructor(address _fallbackToken, address _fallbackTokenWETHPool) {
fallbackToken = _fallbackToken;
fallbackTokenWETHPool = _fallbackTokenWETHPool;
}
function setFallbackGasBonus(uint256 _fallbackGasBonus) external override onlyGovernor {
fallbackGasBonus = _fallbackGasBonus;
emit FallbackGasBonusSet(fallbackGasBonus);
}
function setFallbackTokenWETHPool(address _fallbackTokenWETHPool) external override onlyGovernor {
fallbackTokenWETHPool = _fallbackTokenWETHPool;
emit FallbackTokenWETHPoolSet(fallbackTokenWETHPool);
}
function setFallbackToken(address _fallbackToken) external override onlyGovernor {
fallbackToken = _fallbackToken;
emit FallbackTokenAddressSet(fallbackToken);
}
function setTwapTime(uint32 _twapTime) external override onlyGovernor {
twapTime = _twapTime;
emit TwapTimeSet(twapTime);
}
modifier upkeepFallbackMetered() {
uint256 _initialGas = gasleft();
_isValidKeeper(msg.sender);
_;
uint256 _bonus = gasBonus;
uint256 _gasAfterWork = gasleft();
uint256 _reward = (_calculateGas(_initialGas - _gasAfterWork + _bonus) * gasMultiplier) / BASE;
uint256 _payment = IKeep3rHelper(keep3rHelper).quote(_reward);
bool _fallback;
try IKeep3rV2(keep3r).bondedPayment(msg.sender, _payment) {} catch {
_fallback = true;
int24 _twapTick = OracleLibrary.consult(fallbackTokenWETHPool, twapTime);
_bonus = fallbackGasBonus;
_gasAfterWork = gasleft();
_reward = (_calculateGas(_initialGas - _gasAfterWork + _bonus) * gasMultiplier) / BASE;
uint256 _amount = OracleLibrary.getQuoteAtTick(_twapTick, uint128(_reward), WETH, fallbackToken);
IKeep3rV2(keep3r).directTokenPayment(fallbackToken, msg.sender, _amount);
}
/// @dev Using revert strings to interact with CLI simulation
require(_fallback || _initialGas - _gasAfterWork <= gasMaximum, 'GasMeteredMaximum');
emit GasMetered(_initialGas, _gasAfterWork, _bonus);
}
}
// SPDX-License-Identifier: MIT
pragma solidity >=0.8.4 <0.9.0;
import './Keep3rJob.sol';
import '../../interfaces/external/IKeep3rHelper.sol';
import '../../interfaces/utils/IKeep3rMeteredJob.sol';
abstract contract Keep3rMeteredJob is Keep3rJob, IKeep3rMeteredJob {
address public override keep3rHelper = 0x12038d459166Ab8E68768bb35EC0AF765A36038D;
/// @dev Fixed bonus to pay for unaccounted gas in small transactions
uint256 public override gasBonus = 86_000;
uint256 public override gasMaximum = 1_000_000;
uint256 public override gasMultiplier = 12_000;
uint32 public constant override BASE = 10_000;
function setKeep3rHelper(address _keep3rHelper) public override onlyGovernor {
keep3rHelper = _keep3rHelper;
emit Keep3rHelperSet(_keep3rHelper);
}
function setGasBonus(uint256 _gasBonus) external override onlyGovernor {
gasBonus = _gasBonus;
emit GasBonusSet(gasBonus);
}
function setGasMaximum(uint256 _gasMaximum) external override onlyGovernor {
gasMaximum = _gasMaximum;
emit GasMaximumSet(gasMaximum);
}
function setGasMultiplier(uint256 _gasMultiplier) external override onlyGovernor {
gasMultiplier = _gasMultiplier;
emit GasMultiplierSet(gasMultiplier);
}
modifier upkeepMetered() {
uint256 _initialGas = gasleft();
_isValidKeeper(msg.sender);
_;
uint256 _gasAfterWork = gasleft();
/// @dev Using revert strings to interact with CLI simulation
require(_initialGas - _gasAfterWork <= gasMaximum, 'GasMeteredMaximum');
uint256 _reward = (_calculateGas(_initialGas - _gasAfterWork + gasBonus) * gasMultiplier) / BASE;
uint256 _payment = IKeep3rHelper(keep3rHelper).quote(_reward);
IKeep3rV2(keep3r).bondedPayment(msg.sender, _payment);
emit GasMetered(_initialGas, _gasAfterWork, gasBonus);
}
function _calculateGas(uint256 _gasUsed) internal view returns (uint256 _resultingGas) {
_resultingGas = block.basefee * _gasUsed;
}
}
// SPDX-License-Identifier: MIT
/*
Coded for MakerDAO and The Keep3r Network with ♥ by
██████╗░███████╗███████╗██╗ ░██╗░░░░░░░██╗░█████╗░███╗░░██╗██████╗░███████╗██████╗░██╗░░░░░░█████╗░███╗░░██╗██████╗░
██╔══██╗██╔════╝██╔════╝██║ ░██║░░██╗░░██║██╔══██╗████╗░██║██╔══██╗██╔════╝██╔══██╗██║░░░░░██╔══██╗████╗░██║██╔══██╗
██║░░██║█████╗░░█████╗░░██║ ░╚██╗████╗██╔╝██║░░██║██╔██╗██║██║░░██║█████╗░░██████╔╝██║░░░░░███████║██╔██╗██║██║░░██║
██║░░██║██╔══╝░░██╔══╝░░██║ ░░████╔═████║░██║░░██║██║╚████║██║░░██║██╔══╝░░██╔══██╗██║░░░░░██╔══██║██║╚████║██║░░██║
██████╔╝███████╗██║░░░░░██║ ░░╚██╔╝░╚██╔╝░╚█████╔╝██║░╚███║██████╔╝███████╗██║░░██║███████╗██║░░██║██║░╚███║██████╔╝
╚═════╝░╚══════╝╚═╝░░░░░╚═╝ ░░░╚═╝░░░╚═╝░░░╚════╝░╚═╝░░╚══╝╚═════╝░╚══════╝╚═╝░░╚═╝╚══════╝╚═╝░░╚═╝╚═╝░░╚══╝╚═════╝░
https://defi.sucks
*/
pragma solidity >=0.8.4 <0.9.0;
import './utils/Governable.sol';
import './utils/Pausable.sol';
import './utils/DustCollector.sol';
import './utils/Keep3rMeteredFallbackJob.sol';
import './utils/Keep3rBondedJob.sol';
import '../interfaces/external/ISequencer.sol';
import '../interfaces/external/IJob.sol';
import '../interfaces/external/IKeep3rV2.sol';
import '../interfaces/IMakerDAOUpkeep.sol';
contract MakerDAOUpkeep is IMakerDAOUpkeep, Governable, Keep3rBondedJob, Keep3rMeteredFallbackJob, Pausable, DustCollector {
address public override sequencer = 0x9566eB72e47E3E20643C0b1dfbEe04Da5c7E4732;
bytes32 public override network;
address internal constant DAI = 0x6B175474E89094C44Da98b954EedeAC495271d0F;
address internal constant DAI_WETH_POOL = 0xC2e9F25Be6257c210d7Adf0D4Cd6E3E881ba25f8;
constructor(address _governor, bytes32 _network) Governable(_governor) Keep3rMeteredFallbackJob(DAI, DAI_WETH_POOL) {
network = _network;
}
function work(address _job, bytes calldata _data) external override upkeep {
_work(_job, _data);
}
function workMetered(address _job, bytes calldata _data) external override upkeepFallbackMetered {
_work(_job, _data);
}
function setNetwork(bytes32 _network) external override onlyGovernor {
network = _network;
emit NetworkSet(network);
}
function setSequencerAddress(address _sequencer) external override onlyGovernor {
sequencer = _sequencer;
emit SequencerAddressSet(sequencer);
}
// Internals
function _work(address _job, bytes calldata _data) internal {
if (paused) revert Paused();
if (!ISequencer(sequencer).hasJob(_job)) revert NotValidJob();
IJob(_job).work(network, _data);
emit JobWorked(_job);
}
function _isValidKeeper(address _keeper) internal override(Keep3rBondedJob, Keep3rJob) {
super._isValidKeeper(_keeper);
}
}
// SPDX-License-Identifier: GPL-2.0-or-later
pragma solidity >=0.5.0;
import '@uniswap/v3-core/contracts/interfaces/IUniswapV3Pool.sol';
import './FullMath.sol';
import './TickMath.sol';
/// @title Oracle library
/// @notice Provides functions to integrate with V3 pool oracle
library OracleLibrary {
/// @notice Fetches time-weighted average tick using Uniswap V3 oracle
/// @param pool Address of Uniswap V3 pool that we want to observe
/// @param period Number of seconds in the past to start calculating time-weighted average
/// @return timeWeightedAverageTick The time-weighted average tick from (block.timestamp - period) to block.timestamp
function consult(address pool, uint32 period) internal view returns (int24 timeWeightedAverageTick) {
require(period != 0, 'BP');
uint32[] memory secondAgos = new uint32[](2);
secondAgos[0] = period;
secondAgos[1] = 0;
(int56[] memory tickCumulatives, ) = IUniswapV3Pool(pool).observe(secondAgos);
int56 tickCumulativesDelta = tickCumulatives[1] - tickCumulatives[0];
timeWeightedAverageTick = int24(tickCumulativesDelta / int256(uint256(period)));
// Always round to negative infinity
if (tickCumulativesDelta < 0 && (tickCumulativesDelta % int256(uint256(period)) != 0)) timeWeightedAverageTick--;
}
/// @notice Given a tick and a token amount, calculates the amount of token received in exchange
/// @param tick Tick value used to calculate the quote
/// @param baseAmount Amount of token to be converted
/// @param baseToken Address of an ERC20 token contract used as the baseAmount denomination
/// @param quoteToken Address of an ERC20 token contract used as the quoteAmount denomination
/// @return quoteAmount Amount of quoteToken received for baseAmount of baseToken
function getQuoteAtTick(
int24 tick,
uint128 baseAmount,
address baseToken,
address quoteToken
) internal pure returns (uint256 quoteAmount) {
uint160 sqrtRatioX96 = TickMath.getSqrtRatioAtTick(tick);
// Calculate quoteAmount with better precision if it doesn't overflow when multiplied by itself
if (sqrtRatioX96 <= type(uint128).max) {
uint256 ratioX192 = uint256(sqrtRatioX96) * sqrtRatioX96;
quoteAmount = baseToken < quoteToken ? FullMath.mulDiv(ratioX192, baseAmount, 1 << 192) : FullMath.mulDiv(1 << 192, baseAmount, ratioX192);
} else {
uint256 ratioX128 = FullMath.mulDiv(sqrtRatioX96, sqrtRatioX96, 1 << 64);
quoteAmount = baseToken < quoteToken ? FullMath.mulDiv(ratioX128, baseAmount, 1 << 128) : FullMath.mulDiv(1 << 128, baseAmount, ratioX128);
}
}
}
// SPDX-License-Identifier: MIT
pragma solidity >=0.8.4 <0.9.0;
import './Governable.sol';
import '../../interfaces/utils/IPausable.sol';
abstract contract Pausable is IPausable, Governable {
bool public override paused;
function setPause(bool _paused) external override onlyGovernor {
if (paused == _paused) revert NoChangeInPause();
paused = _paused;
emit PauseSet(_paused);
}
}
// SPDX-License-Identifier: MIT
pragma solidity ^0.8.0;
import "../IERC20.sol";
import "../../../utils/Address.sol";
/**
* @title SafeERC20
* @dev Wrappers around ERC20 operations that throw on failure (when the token
* contract returns false). Tokens that return no value (and instead revert or
* throw on failure) are also supported, non-reverting calls are assumed to be
* successful.
* To use this library you can add a `using SafeERC20 for IERC20;` statement to your contract,
* which allows you to call the safe operations as `token.safeTransfer(...)`, etc.
*/
library SafeERC20 {
using Address for address;
function safeTransfer(
IERC20 token,
address to,
uint256 value
) internal {
_callOptionalReturn(token, abi.encodeWithSelector(token.transfer.selector, to, value));
}
function safeTransferFrom(
IERC20 token,
address from,
address to,
uint256 value
) internal {
_callOptionalReturn(token, abi.encodeWithSelector(token.transferFrom.selector, from, to, value));
}
/**
* @dev Deprecated. This function has issues similar to the ones found in
* {IERC20-approve}, and its usage is discouraged.
*
* Whenever possible, use {safeIncreaseAllowance} and
* {safeDecreaseAllowance} instead.
*/
function safeApprove(
IERC20 token,
address spender,
uint256 value
) internal {
// safeApprove should only be called when setting an initial allowance,
// or when resetting it to zero. To increase and decrease it, use
// 'safeIncreaseAllowance' and 'safeDecreaseAllowance'
require(
(value == 0) || (token.allowance(address(this), spender) == 0),
"SafeERC20: approve from non-zero to non-zero allowance"
);
_callOptionalReturn(token, abi.encodeWithSelector(token.approve.selector, spender, value));
}
function safeIncreaseAllowance(
IERC20 token,
address spender,
uint256 value
) internal {
uint256 newAllowance = token.allowance(address(this), spender) + value;
_callOptionalReturn(token, abi.encodeWithSelector(token.approve.selector, spender, newAllowance));
}
function safeDecreaseAllowance(
IERC20 token,
address spender,
uint256 value
) internal {
unchecked {
uint256 oldAllowance = token.allowance(address(this), spender);
require(oldAllowance >= value, "SafeERC20: decreased allowance below zero");
uint256 newAllowance = oldAllowance - value;
_callOptionalReturn(token, abi.encodeWithSelector(token.approve.selector, spender, newAllowance));
}
}
/**
* @dev Imitates a Solidity high-level call (i.e. a regular function call to a contract), relaxing the requirement
* on the return value: the return value is optional (but if data is returned, it must not be false).
* @param token The token targeted by the call.
* @param data The call data (encoded using abi.encode or one of its variants).
*/
function _callOptionalReturn(IERC20 token, bytes memory data) private {
// We need to perform a low level call here, to bypass Solidity's return data size checking mechanism, since
// we're implementing it ourselves. We use {Address.functionCall} to perform this call, which verifies that
// the target address contains contract code and also asserts for success in the low-level call.
bytes memory returndata = address(token).functionCall(data, "SafeERC20: low-level call failed");
if (returndata.length > 0) {
// Return data is optional
require(abi.decode(returndata, (bool)), "SafeERC20: ERC20 operation did not succeed");
}
}
}
// SPDX-License-Identifier: GPL-2.0-or-later
pragma solidity >=0.5.0;
// solhint-disable
/// @title Math library for computing sqrt prices from ticks and vice versa
/// @notice Computes sqrt price for ticks of size 1.0001, i.e. sqrt(1.0001^tick) as fixed point Q64.96 numbers. Supports
/// prices between 2**-128 and 2**128
library TickMath {
/// @dev The minimum tick that may be passed to #getSqrtRatioAtTick computed from log base 1.0001 of 2**-128
int24 internal constant MIN_TICK = -887272;
/// @dev The maximum tick that may be passed to #getSqrtRatioAtTick computed from log base 1.0001 of 2**128
int24 internal constant MAX_TICK = -MIN_TICK;
/// @dev The minimum value that can be returned from #getSqrtRatioAtTick. Equivalent to getSqrtRatioAtTick(MIN_TICK)
uint160 internal constant MIN_SQRT_RATIO = 4295128739;
/// @dev The maximum value that can be returned from #getSqrtRatioAtTick. Equivalent to getSqrtRatioAtTick(MAX_TICK)
uint160 internal constant MAX_SQRT_RATIO = 1461446703485210103287273052203988822378723970342;
/// @notice Calculates sqrt(1.0001^tick) * 2^96
/// @dev Throws if |tick| > max tick
/// @param tick The input tick for the above formula
/// @return sqrtPriceX96 A Fixed point Q64.96 number representing the sqrt of the ratio of the two assets (token1/token0)
/// at the given tick
function getSqrtRatioAtTick(int24 tick) internal pure returns (uint160 sqrtPriceX96) {
uint256 absTick = tick < 0 ? uint256(-int256(tick)) : uint256(int256(tick));
require(absTick <= uint256(int256(MAX_TICK)), 'T');
uint256 ratio = absTick & 0x1 != 0 ? 0xfffcb933bd6fad37aa2d162d1a594001 : 0x100000000000000000000000000000000;
if (absTick & 0x2 != 0) ratio = (ratio * 0xfff97272373d413259a46990580e213a) >> 128;
if (absTick & 0x4 != 0) ratio = (ratio * 0xfff2e50f5f656932ef12357cf3c7fdcc) >> 128;
if (absTick & 0x8 != 0) ratio = (ratio * 0xffe5caca7e10e4e61c3624eaa0941cd0) >> 128;
if (absTick & 0x10 != 0) ratio = (ratio * 0xffcb9843d60f6159c9db58835c926644) >> 128;
if (absTick & 0x20 != 0) ratio = (ratio * 0xff973b41fa98c081472e6896dfb254c0) >> 128;
if (absTick & 0x40 != 0) ratio = (ratio * 0xff2ea16466c96a3843ec78b326b52861) >> 128;
if (absTick & 0x80 != 0) ratio = (ratio * 0xfe5dee046a99a2a811c461f1969c3053) >> 128;
if (absTick & 0x100 != 0) ratio = (ratio * 0xfcbe86c7900a88aedcffc83b479aa3a4) >> 128;
if (absTick & 0x200 != 0) ratio = (ratio * 0xf987a7253ac413176f2b074cf7815e54) >> 128;
if (absTick & 0x400 != 0) ratio = (ratio * 0xf3392b0822b70005940c7a398e4b70f3) >> 128;
if (absTick & 0x800 != 0) ratio = (ratio * 0xe7159475a2c29b7443b29c7fa6e889d9) >> 128;
if (absTick & 0x1000 != 0) ratio = (ratio * 0xd097f3bdfd2022b8845ad8f792aa5825) >> 128;
if (absTick & 0x2000 != 0) ratio = (ratio * 0xa9f746462d870fdf8a65dc1f90e061e5) >> 128;
if (absTick & 0x4000 != 0) ratio = (ratio * 0x70d869a156d2a1b890bb3df62baf32f7) >> 128;
if (absTick & 0x8000 != 0) ratio = (ratio * 0x31be135f97d08fd981231505542fcfa6) >> 128;
if (absTick & 0x10000 != 0) ratio = (ratio * 0x9aa508b5b7a84e1c677de54f3e99bc9) >> 128;
if (absTick & 0x20000 != 0) ratio = (ratio * 0x5d6af8dedb81196699c329225ee604) >> 128;
if (absTick & 0x40000 != 0) ratio = (ratio * 0x2216e584f5fa1ea926041bedfe98) >> 128;
if (absTick & 0x80000 != 0) ratio = (ratio * 0x48a170391f7dc42444e8fa2) >> 128;
if (tick > 0) ratio = type(uint256).max / ratio;
// Divides by 1<<32 rounding up to go from a Q128.128 to a Q128.96.
// we then downcast because we know the result always fits within 160 bits due to our tick input constraint
// we round up in the division so getTickAtSqrtRatio of the output price is always consistent
sqrtPriceX96 = uint160((ratio >> 32) + (ratio % (1 << 32) == 0 ? 0 : 1));
}
/// @notice Calculates the greatest tick value such that getRatioAtTick(tick) <= ratio
/// @dev Throws in case sqrtPriceX96 < MIN_SQRT_RATIO, as MIN_SQRT_RATIO is the lowest value getRatioAtTick may ever return.
/// @param sqrtPriceX96 The sqrt ratio for which to compute the tick as a Q64.96
/// @return tick The greatest tick for which the ratio is less than or equal to the input ratio
function getTickAtSqrtRatio(uint160 sqrtPriceX96) internal pure returns (int24 tick) {
// Second inequality must be < because the price can never reach the price at the max tick
require(sqrtPriceX96 >= MIN_SQRT_RATIO && sqrtPriceX96 < MAX_SQRT_RATIO, 'R');
uint256 ratio = uint256(sqrtPriceX96) << 32;
uint256 r = ratio;
uint256 msb = 0;
assembly {
let f := shl(7, gt(r, 0xFFFFFFFFFFFFFFFFFFFFFFFFFFFFFFFF))
msb := or(msb, f)
r := shr(f, r)
}
assembly {
let f := shl(6, gt(r, 0xFFFFFFFFFFFFFFFF))
msb := or(msb, f)
r := shr(f, r)
}
assembly {
let f := shl(5, gt(r, 0xFFFFFFFF))
msb := or(msb, f)
r := shr(f, r)
}
assembly {
let f := shl(4, gt(r, 0xFFFF))
msb := or(msb, f)
r := shr(f, r)
}
assembly {
let f := shl(3, gt(r, 0xFF))
msb := or(msb, f)
r := shr(f, r)
}
assembly {
let f := shl(2, gt(r, 0xF))
msb := or(msb, f)
r := shr(f, r)
}
assembly {
let f := shl(1, gt(r, 0x3))
msb := or(msb, f)
r := shr(f, r)
}
assembly {
let f := gt(r, 0x1)
msb := or(msb, f)
}
if (msb >= 128) r = ratio >> (msb - 127);
else r = ratio << (127 - msb);
int256 log_2 = (int256(msb) - 128) << 64;
assembly {
r := shr(127, mul(r, r))
let f := shr(128, r)
log_2 := or(log_2, shl(63, f))
r := shr(f, r)
}
assembly {
r := shr(127, mul(r, r))
let f := shr(128, r)
log_2 := or(log_2, shl(62, f))
r := shr(f, r)
}
assembly {
r := shr(127, mul(r, r))
let f := shr(128, r)
log_2 := or(log_2, shl(61, f))
r := shr(f, r)
}
assembly {
r := shr(127, mul(r, r))
let f := shr(128, r)
log_2 := or(log_2, shl(60, f))
r := shr(f, r)
}
assembly {
r := shr(127, mul(r, r))
let f := shr(128, r)
log_2 := or(log_2, shl(59, f))
r := shr(f, r)
}
assembly {
r := shr(127, mul(r, r))
let f := shr(128, r)
log_2 := or(log_2, shl(58, f))
r := shr(f, r)
}
assembly {
r := shr(127, mul(r, r))
let f := shr(128, r)
log_2 := or(log_2, shl(57, f))
r := shr(f, r)
}
assembly {
r := shr(127, mul(r, r))
let f := shr(128, r)
log_2 := or(log_2, shl(56, f))
r := shr(f, r)
}
assembly {
r := shr(127, mul(r, r))
let f := shr(128, r)
log_2 := or(log_2, shl(55, f))
r := shr(f, r)
}
assembly {
r := shr(127, mul(r, r))
let f := shr(128, r)
log_2 := or(log_2, shl(54, f))
r := shr(f, r)
}
assembly {
r := shr(127, mul(r, r))
let f := shr(128, r)
log_2 := or(log_2, shl(53, f))
r := shr(f, r)
}
assembly {
r := shr(127, mul(r, r))
let f := shr(128, r)
log_2 := or(log_2, shl(52, f))
r := shr(f, r)
}
assembly {
r := shr(127, mul(r, r))
let f := shr(128, r)
log_2 := or(log_2, shl(51, f))
r := shr(f, r)
}
assembly {
r := shr(127, mul(r, r))
let f := shr(128, r)
log_2 := or(log_2, shl(50, f))
}
int256 log_sqrt10001 = log_2 * 255738958999603826347141; // 128.128 number
int24 tickLow = int24((log_sqrt10001 - 3402992956809132418596140100660247210) >> 128);
int24 tickHi = int24((log_sqrt10001 + 291339464771989622907027621153398088495) >> 128);
tick = tickLow == tickHi ? tickLow : getSqrtRatioAtTick(tickHi) <= sqrtPriceX96 ? tickHi : tickLow;
}
}
{
"compilationTarget": {
"solidity/contracts/MakerDAOUpkeep.sol": "MakerDAOUpkeep"
},
"evmVersion": "london",
"libraries": {},
"metadata": {
"bytecodeHash": "ipfs",
"useLiteralContent": true
},
"optimizer": {
"enabled": true,
"runs": 200
},
"remappings": []
}
[{"inputs":[{"internalType":"address","name":"_governor","type":"address"},{"internalType":"bytes32","name":"_network","type":"bytes32"}],"stateMutability":"nonpayable","type":"constructor"},{"inputs":[],"name":"AvailableCredits","type":"error"},{"inputs":[],"name":"CallFailed","type":"error"},{"inputs":[],"name":"KeeperNotValid","type":"error"},{"inputs":[],"name":"NoChangeInPause","type":"error"},{"inputs":[],"name":"NotValidJob","type":"error"},{"inputs":[],"name":"OnlyGovernor","type":"error"},{"inputs":[],"name":"OnlyPendingGovernor","type":"error"},{"inputs":[],"name":"Paused","type":"error"},{"inputs":[],"name":"ZeroAddress","type":"error"},{"anonymous":false,"inputs":[{"indexed":false,"internalType":"address","name":"_token","type":"address"},{"indexed":false,"internalType":"uint256","name":"_amount","type":"uint256"},{"indexed":false,"internalType":"address","name":"_to","type":"address"}],"name":"DustSent","type":"event"},{"anonymous":false,"inputs":[{"indexed":false,"internalType":"uint256","name":"gasBonus","type":"uint256"}],"name":"FallbackGasBonusSet","type":"event"},{"anonymous":false,"inputs":[{"indexed":false,"internalType":"address","name":"fallbackToken","type":"address"}],"name":"FallbackTokenAddressSet","type":"event"},{"anonymous":false,"inputs":[{"indexed":false,"internalType":"address","name":"fallbackTokenWETHPool","type":"address"}],"name":"FallbackTokenWETHPoolSet","type":"event"},{"anonymous":false,"inputs":[{"indexed":false,"internalType":"uint256","name":"gasBonus","type":"uint256"}],"name":"GasBonusSet","type":"event"},{"anonymous":false,"inputs":[{"indexed":false,"internalType":"uint256","name":"gasMaximum","type":"uint256"}],"name":"GasMaximumSet","type":"event"},{"anonymous":false,"inputs":[{"indexed":false,"internalType":"uint256","name":"initialGas","type":"uint256"},{"indexed":false,"internalType":"uint256","name":"gasAfterWork","type":"uint256"},{"indexed":false,"internalType":"uint256","name":"bonus","type":"uint256"}],"name":"GasMetered","type":"event"},{"anonymous":false,"inputs":[{"indexed":false,"internalType":"uint256","name":"gasMultiplier","type":"uint256"}],"name":"GasMultiplierSet","type":"event"},{"anonymous":false,"inputs":[{"indexed":false,"internalType":"address","name":"_job","type":"address"}],"name":"JobWorked","type":"event"},{"anonymous":false,"inputs":[{"indexed":false,"internalType":"address","name":"keep3rHelper","type":"address"}],"name":"Keep3rHelperSet","type":"event"},{"anonymous":false,"inputs":[{"indexed":false,"internalType":"address","name":"_bond","type":"address"},{"indexed":false,"internalType":"uint256","name":"_minBond","type":"uint256"},{"indexed":false,"internalType":"uint256","name":"_earned","type":"uint256"},{"indexed":false,"internalType":"uint256","name":"_age","type":"uint256"}],"name":"Keep3rRequirementsSet","type":"event"},{"anonymous":false,"inputs":[{"indexed":false,"internalType":"address","name":"_keep3r","type":"address"}],"name":"Keep3rSet","type":"event"},{"anonymous":false,"inputs":[{"indexed":false,"internalType":"bytes32","name":"_newNetwork","type":"bytes32"}],"name":"NetworkSet","type":"event"},{"anonymous":false,"inputs":[{"indexed":false,"internalType":"bool","name":"_paused","type":"bool"}],"name":"PauseSet","type":"event"},{"anonymous":false,"inputs":[{"indexed":false,"internalType":"address","name":"_newGovernor","type":"address"}],"name":"PendingGovernorAccepted","type":"event"},{"anonymous":false,"inputs":[{"indexed":false,"internalType":"address","name":"_governor","type":"address"},{"indexed":false,"internalType":"address","name":"_pendingGovernor","type":"address"}],"name":"PendingGovernorSet","type":"event"},{"anonymous":false,"inputs":[{"indexed":false,"internalType":"address","name":"_newSequencerAddress","type":"address"}],"name":"SequencerAddressSet","type":"event"},{"anonymous":false,"inputs":[{"indexed":false,"internalType":"uint256","name":"twapTime","type":"uint256"}],"name":"TwapTimeSet","type":"event"},{"inputs":[],"name":"BASE","outputs":[{"internalType":"uint32","name":"","type":"uint32"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"ETH_ADDRESS","outputs":[{"internalType":"address","name":"","type":"address"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"WETH","outputs":[{"internalType":"address","name":"","type":"address"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"acceptPendingGovernor","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[],"name":"fallbackGasBonus","outputs":[{"internalType":"uint256","name":"","type":"uint256"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"fallbackToken","outputs":[{"internalType":"address","name":"","type":"address"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"fallbackTokenWETHPool","outputs":[{"internalType":"address","name":"","type":"address"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"gasBonus","outputs":[{"internalType":"uint256","name":"","type":"uint256"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"gasMaximum","outputs":[{"internalType":"uint256","name":"","type":"uint256"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"gasMultiplier","outputs":[{"internalType":"uint256","name":"","type":"uint256"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"governor","outputs":[{"internalType":"address","name":"","type":"address"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"keep3r","outputs":[{"internalType":"address","name":"","type":"address"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"keep3rHelper","outputs":[{"internalType":"address","name":"","type":"address"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"network","outputs":[{"internalType":"bytes32","name":"","type":"bytes32"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"paused","outputs":[{"internalType":"bool","name":"","type":"bool"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"pendingGovernor","outputs":[{"internalType":"address","name":"","type":"address"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"requiredAge","outputs":[{"internalType":"uint256","name":"","type":"uint256"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"requiredBond","outputs":[{"internalType":"address","name":"","type":"address"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"requiredEarnings","outputs":[{"internalType":"uint256","name":"","type":"uint256"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"requiredMinBond","outputs":[{"internalType":"uint256","name":"","type":"uint256"}],"stateMutability":"view","type":"function"},{"inputs":[{"internalType":"address","name":"_token","type":"address"},{"internalType":"uint256","name":"_amount","type":"uint256"},{"internalType":"address","name":"_to","type":"address"}],"name":"sendDust","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[],"name":"sequencer","outputs":[{"internalType":"address","name":"","type":"address"}],"stateMutability":"view","type":"function"},{"inputs":[{"internalType":"uint256","name":"_fallbackGasBonus","type":"uint256"}],"name":"setFallbackGasBonus","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"address","name":"_fallbackToken","type":"address"}],"name":"setFallbackToken","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"address","name":"_fallbackTokenWETHPool","type":"address"}],"name":"setFallbackTokenWETHPool","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"uint256","name":"_gasBonus","type":"uint256"}],"name":"setGasBonus","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"uint256","name":"_gasMaximum","type":"uint256"}],"name":"setGasMaximum","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"uint256","name":"_gasMultiplier","type":"uint256"}],"name":"setGasMultiplier","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"address","name":"_keep3r","type":"address"}],"name":"setKeep3r","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"address","name":"_keep3rHelper","type":"address"}],"name":"setKeep3rHelper","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"address","name":"_bond","type":"address"},{"internalType":"uint256","name":"_minBond","type":"uint256"},{"internalType":"uint256","name":"_earned","type":"uint256"},{"internalType":"uint256","name":"_age","type":"uint256"}],"name":"setKeep3rRequirements","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"bytes32","name":"_network","type":"bytes32"}],"name":"setNetwork","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"bool","name":"_paused","type":"bool"}],"name":"setPause","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"address","name":"_pendingGovernor","type":"address"}],"name":"setPendingGovernor","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"address","name":"_sequencer","type":"address"}],"name":"setSequencerAddress","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"uint32","name":"_twapTime","type":"uint32"}],"name":"setTwapTime","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[],"name":"twapTime","outputs":[{"internalType":"uint32","name":"","type":"uint32"}],"stateMutability":"view","type":"function"},{"inputs":[{"internalType":"address","name":"_job","type":"address"},{"internalType":"bytes","name":"_data","type":"bytes"}],"name":"work","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"address","name":"_job","type":"address"},{"internalType":"bytes","name":"_data","type":"bytes"}],"name":"workMetered","outputs":[],"stateMutability":"nonpayable","type":"function"}]