// SPDX-License-Identifier: UNLICENSED
pragma solidity =0.8.15;
import { Owned } from "@solmate/auth/Owned.sol";
import { Pausable } from "@openzeppelin/contracts/security/Pausable.sol";
/// @title AccessControl
/// @notice Contain helper methods for accessibility of functions
abstract contract AccessControl is Owned, Pausable {
uint32 private _unlocked = 1;
mapping(address => bool) internal _operatorApproved;
modifier onlyOperator() {
require(_operatorApproved[msg.sender]);
_;
}
modifier nonReentrancy() {
require(_unlocked == 1);
_unlocked = 2;
_;
_unlocked = 1;
}
constructor(address _owner) Owned(_owner) { }
/// @notice Updates the status of given account as operator
/// @dev Must be called by the current governance
/// @param _operator Account to update status
function toggleOperator(address _operator) external onlyOwner {
_operatorApproved[_operator] = !_operatorApproved[_operator];
}
/// @notice Returns the status for a given operator that can execute operations
/// @param _operator Account to check status
function isOperator(address _operator) external view returns (bool) {
return _operatorApproved[_operator];
}
/// @dev Triggers stopped state.
function pause() external onlyOwner {
_pause();
}
/// @dev Returns to normal state.
function unpause() external onlyOwner {
_unpause();
}
}
//SPDX-License-Identifier: MIT
pragma solidity =0.8.15;
import { Multicall } from "./libraries/Multicall.sol";
import { AccessControl } from "./base/AccessControl.sol";
import { ICLTBase } from "./interfaces/ICLTBase.sol";
import { IWETH9 } from "./interfaces/external/IWETH9.sol";
import { ERC20 } from "solmate/tokens/ERC20.sol";
import { SafeTransferLib } from "solmate/utils/SafeTransferLib.sol";
/// @title A51 Finance Autonomous Liquidity Provision ZapIn Contract
/// @author undefined_0x
/// @notice This contract is part of the A51 Finance platform, focusing on providing liquidity provision using single
/// and whitelisted assets
contract CLTZapIn is Multicall, AccessControl {
using SafeTransferLib for ERC20;
/// @notice Error thrown when the same token is used for both input and output
error SameToken();
/// @notice Error thrown when the transaction deadline has passed
error PastDeadline();
/// @notice Error thrown when the OKX swap fails
error OKXSwapFailed();
/// @notice Error thrown when the output amount is insufficient
error InsufficientOutput();
/// @notice Error thrown when the input amount is invalid
error InvalidAmountInput();
/// @notice Error thrown when invalid tokenId is passed
error InvalidTokenId();
/// @notice Event emitted when a ZapIn operation is completed
/// @param zapper The address of the user who initiated the ZapIn
/// @param tokenId The token ID of the liquidity position
/// @param share The share of the liquidity position
/// @param amount0 The amount of token0 deposited
/// @param amount1 The amount of token1 deposited
event ZapInCompleted(address zapper, uint256 tokenId, uint256 share, uint256 amount0, uint256 amount1);
/// @notice The OKX proxy contract used for OKX swaps
address public immutable OKX_PROXY;
/// @notice The OKX proxy approver contract used for swaps
address public immutable TOKEN_APPROVER;
/// @notice CLTBase contract for managing Uniswap v3 liquidity
ICLTBase private immutable CLT_BASE;
/// @notice The Wrapped Ethereum contract
IWETH9 public immutable WETH;
/// @notice Constructor to initialize the CLTZappIn contract
/// @param okxProxy The address of the OKX proxy contract
/// @param cltBase The address of the CLTBase contract
/// @param tokenApprover The address of the token approver contract
constructor(
address okxProxy,
ICLTBase cltBase,
address tokenApprover,
IWETH9 weth,
address owner
)
AccessControl(owner)
{
OKX_PROXY = okxProxy;
CLT_BASE = cltBase;
TOKEN_APPROVER = tokenApprover;
WETH = weth;
}
/// @notice Performs a ZapIn operation by depositing tokens into the CLTBase contract
/// @param depositParams The deposit parameters for the CLTBase contract
/// @param token0 The first token to deposit
/// @param token1 The second token to deposit
/// @param useContractBalance0 Whether to use the contract's balance of token0
/// @param useContractBalance1 Whether to use the contract's balance of token1
/// @return tokenId The token ID of the liquidity position
/// @return share The share of the liquidity position
/// @return amount0 The amount of token0 deposited
/// @return amount1 The amount of token1 deposited
function zapIn(
ICLTBase.DepositParams memory depositParams,
ERC20 token0,
ERC20 token1,
bool useContractBalance0,
bool useContractBalance1
)
external
payable
virtual
nonReentrancy
whenNotPaused
returns (uint256 tokenId, uint256 share, uint256 amount0, uint256 amount1)
{
depositParams.amount0Desired = _getDesiredAmount(token0, depositParams.amount0Desired, useContractBalance0);
depositParams.amount1Desired = _getDesiredAmount(token1, depositParams.amount1Desired, useContractBalance1);
if (depositParams.amount0Desired != 0) {
token0.safeApprove(address(CLT_BASE), depositParams.amount0Desired);
}
if (depositParams.amount1Desired != 0) {
token1.safeApprove(address(CLT_BASE), depositParams.amount1Desired);
}
// Call deposit on cltBase
(tokenId, share, amount0, amount1) = CLT_BASE.deposit(depositParams);
// reset approvals
if (depositParams.amount0Desired != 0 && token0.allowance(address(this), address(CLT_BASE)) != 0) {
token0.safeApprove(address(CLT_BASE), 0);
}
if (depositParams.amount1Desired != 0 && token1.allowance(address(this), address(CLT_BASE)) != 0) {
token1.safeApprove(address(CLT_BASE), 0);
}
// Refund any excess tokens back to msg.sender
_refundTokens(token0, msg.sender);
_refundTokens(token1, msg.sender);
emit ZapInCompleted(msg.sender, tokenId, share, amount0, amount1);
}
/// @notice Performs a ZapIncrease operation by increasing position liquidity into the CLTBase contract
/// @param updateParams The update liquidity parameters for the CLTBase contract
/// @param token0 The first token to deposit
/// @param token1 The second token to deposit
/// @param useContractBalance0 Whether to use the contract's balance of token0
/// @param useContractBalance1 Whether to use the contract's balance of token1
/// @return share The share of the liquidity position
/// @return amount0 The amount of token0 deposited
/// @return amount1 The amount of token1 deposited
function zapIncrease(
ICLTBase.UpdatePositionParams memory updateParams,
ERC20 token0,
ERC20 token1,
bool useContractBalance0,
bool useContractBalance1
)
external
payable
virtual
nonReentrancy
whenNotPaused
returns (uint256 share, uint256 amount0, uint256 amount1)
{
updateParams.amount0Desired = _getDesiredAmount(token0, updateParams.amount0Desired, useContractBalance0);
updateParams.amount1Desired = _getDesiredAmount(token1, updateParams.amount1Desired, useContractBalance1);
if (updateParams.amount0Desired != 0) {
token0.safeApprove(address(CLT_BASE), updateParams.amount0Desired);
}
if (updateParams.amount1Desired != 0) {
token1.safeApprove(address(CLT_BASE), updateParams.amount1Desired);
}
updateParams.amount0Desired = updateParams.amount0Desired;
updateParams.amount1Desired = updateParams.amount1Desired;
updateParams.amount0Min = updateParams.amount0Min;
updateParams.amount1Min = updateParams.amount1Min;
(share, amount0, amount1) = CLT_BASE.updatePositionLiquidity(updateParams);
// reset approvals
if (updateParams.amount0Desired != 0 && token0.allowance(address(this), address(CLT_BASE)) != 0) {
token0.safeApprove(address(CLT_BASE), 0);
}
if (updateParams.amount1Desired != 0 && token1.allowance(address(this), address(CLT_BASE)) != 0) {
token1.safeApprove(address(CLT_BASE), 0);
}
// Refund any excess tokens back to msg.sender
_refundTokens(token0, msg.sender);
_refundTokens(token1, msg.sender);
emit ZapInCompleted(msg.sender, updateParams.tokenId, share, amount0, amount1);
}
/// @notice Determines the desired amount of tokens to be used in the deposit.
/// @param token The ERC20 token for which the desired amount is calculated.
/// @param desiredAmount The amount of tokens desired for the deposit.
/// @param useContractBalance A boolean indicating whether to use the contract's balance of the token.
/// @return The amount of tokens to be used for the deposit.
function _getDesiredAmount(
ERC20 token,
uint256 desiredAmount,
bool useContractBalance
)
internal
returns (uint256)
{
if (!useContractBalance) {
if (desiredAmount != 0) {
_handleTokenOperations(token, desiredAmount, address(this));
}
} else {
desiredAmount = token.balanceOf(address(this));
}
return desiredAmount;
}
/// @notice Performs a swap using the OKX proxy contract
/// @param tokenIn The input token for the swap
/// @param tokenAmountIn The amount of the input token
/// @param tokenOut The output token for the swap
/// @param minAmountOut The minimum amount of the output token expected
/// @param recipient The recipient of the output tokens
/// @param refundRecipient The recipient of any excess input tokens
/// @param deadline The deadline by which the swap must complete
/// @param swapData The swap data for the OKX proxy
/// @return tokenAmountOut The amount of the output token received
function doOKXSwap(
ERC20 tokenIn,
uint256 tokenAmountIn,
ERC20 tokenOut,
uint256 minAmountOut,
address recipient,
address refundRecipient,
bool useContractBalance,
uint256 deadline,
bytes calldata swapData
)
external
payable
virtual
nonReentrancy
whenNotPaused
returns (uint256 tokenAmountOut)
{
if (tokenIn == tokenOut) revert SameToken();
if (block.timestamp > deadline) revert PastDeadline();
if (tokenAmountIn == 0) revert InvalidAmountInput();
// Transfer tokenIn to the contract
if (!useContractBalance) {
_handleTokenOperations(tokenIn, tokenAmountIn, address(this));
}
// Approve the token amount for the OKX proxy
tokenIn.safeApprove(TOKEN_APPROVER, tokenAmountIn);
// Execute swap
(bool success,) = OKX_PROXY.call(swapData);
if (!success) revert OKXSwapFailed();
// reset approvals
if (tokenIn.allowance(address(this), address(TOKEN_APPROVER)) != 0) {
tokenIn.safeApprove(address(TOKEN_APPROVER), 0);
}
// check slippage
tokenAmountOut = tokenOut.balanceOf(address(this));
if (tokenAmountOut < minAmountOut) revert InsufficientOutput();
// Transfer output tokens to recipient
if (recipient != address(this)) {
_handleTokenOperations(tokenOut, tokenAmountOut, recipient);
}
// Refund any excess input tokens
_refundTokens(tokenIn, refundRecipient);
return tokenAmountOut;
}
/// @notice Wraps the user's ETH input into WETH
/// @dev Should be used as part of a multicall to convert the user's ETH input into WETH
/// so that it can be swapped into other tokens.
function wrapEthInput() external payable nonReentrancy whenNotPaused {
WETH.deposit{ value: msg.value }();
}
/// @notice Handles token operations such as transfers and approvals
/// @param _token The token to operate on
/// @param _amountDesired The desired amount of the token
/// @param _to The recipient address
function _handleTokenOperations(ERC20 _token, uint256 _amountDesired, address _to) private {
if (_amountDesired > 0) {
_token.safeTransferFrom(msg.sender, _to, _amountDesired);
}
}
/// @notice Refunds any excess tokens back to the recipient
/// @param _token The token to refund
/// @param _recipient The recipient of the refund
function _refundTokens(ERC20 _token, address _recipient) private {
uint256 balance = _token.balanceOf(address(this));
if (balance > 0) {
_token.safeTransfer(_recipient, balance);
}
}
}
// SPDX-License-Identifier: MIT
// OpenZeppelin Contracts v4.4.1 (utils/Context.sol)
pragma solidity ^0.8.0;
/**
* @dev Provides information about the current execution context, including the
* sender of the transaction and its data. While these are generally available
* via msg.sender and msg.data, they should not be accessed in such a direct
* manner, since when dealing with meta-transactions the account sending and
* paying for execution may not be the actual sender (as far as an application
* is concerned).
*
* This contract is only required for intermediate, library-like contracts.
*/
abstract contract Context {
function _msgSender() internal view virtual returns (address) {
return msg.sender;
}
function _msgData() internal view virtual returns (bytes calldata) {
return msg.data;
}
}
// SPDX-License-Identifier: AGPL-3.0-only
pragma solidity >=0.8.0;
/// @notice Modern and gas efficient ERC20 + EIP-2612 implementation.
/// @author Solmate (https://github.com/transmissions11/solmate/blob/main/src/tokens/ERC20.sol)
/// @author Modified from Uniswap (https://github.com/Uniswap/uniswap-v2-core/blob/master/contracts/UniswapV2ERC20.sol)
/// @dev Do not manually set balances without updating totalSupply, as the sum of all user balances must not exceed it.
abstract contract ERC20 {
/*//////////////////////////////////////////////////////////////
EVENTS
//////////////////////////////////////////////////////////////*/
event Transfer(address indexed from, address indexed to, uint256 amount);
event Approval(address indexed owner, address indexed spender, uint256 amount);
/*//////////////////////////////////////////////////////////////
METADATA STORAGE
//////////////////////////////////////////////////////////////*/
string public name;
string public symbol;
uint8 public immutable decimals;
/*//////////////////////////////////////////////////////////////
ERC20 STORAGE
//////////////////////////////////////////////////////////////*/
uint256 public totalSupply;
mapping(address => uint256) public balanceOf;
mapping(address => mapping(address => uint256)) public allowance;
/*//////////////////////////////////////////////////////////////
EIP-2612 STORAGE
//////////////////////////////////////////////////////////////*/
uint256 internal immutable INITIAL_CHAIN_ID;
bytes32 internal immutable INITIAL_DOMAIN_SEPARATOR;
mapping(address => uint256) public nonces;
/*//////////////////////////////////////////////////////////////
CONSTRUCTOR
//////////////////////////////////////////////////////////////*/
constructor(
string memory _name,
string memory _symbol,
uint8 _decimals
) {
name = _name;
symbol = _symbol;
decimals = _decimals;
INITIAL_CHAIN_ID = block.chainid;
INITIAL_DOMAIN_SEPARATOR = computeDomainSeparator();
}
/*//////////////////////////////////////////////////////////////
ERC20 LOGIC
//////////////////////////////////////////////////////////////*/
function approve(address spender, uint256 amount) public virtual returns (bool) {
allowance[msg.sender][spender] = amount;
emit Approval(msg.sender, spender, amount);
return true;
}
function transfer(address to, uint256 amount) public virtual returns (bool) {
balanceOf[msg.sender] -= amount;
// Cannot overflow because the sum of all user
// balances can't exceed the max uint256 value.
unchecked {
balanceOf[to] += amount;
}
emit Transfer(msg.sender, to, amount);
return true;
}
function transferFrom(
address from,
address to,
uint256 amount
) public virtual returns (bool) {
uint256 allowed = allowance[from][msg.sender]; // Saves gas for limited approvals.
if (allowed != type(uint256).max) allowance[from][msg.sender] = allowed - amount;
balanceOf[from] -= amount;
// Cannot overflow because the sum of all user
// balances can't exceed the max uint256 value.
unchecked {
balanceOf[to] += amount;
}
emit Transfer(from, to, amount);
return true;
}
/*//////////////////////////////////////////////////////////////
EIP-2612 LOGIC
//////////////////////////////////////////////////////////////*/
function permit(
address owner,
address spender,
uint256 value,
uint256 deadline,
uint8 v,
bytes32 r,
bytes32 s
) public virtual {
require(deadline >= block.timestamp, "PERMIT_DEADLINE_EXPIRED");
// Unchecked because the only math done is incrementing
// the owner's nonce which cannot realistically overflow.
unchecked {
address recoveredAddress = ecrecover(
keccak256(
abi.encodePacked(
"\x19\x01",
DOMAIN_SEPARATOR(),
keccak256(
abi.encode(
keccak256(
"Permit(address owner,address spender,uint256 value,uint256 nonce,uint256 deadline)"
),
owner,
spender,
value,
nonces[owner]++,
deadline
)
)
)
),
v,
r,
s
);
require(recoveredAddress != address(0) && recoveredAddress == owner, "INVALID_SIGNER");
allowance[recoveredAddress][spender] = value;
}
emit Approval(owner, spender, value);
}
function DOMAIN_SEPARATOR() public view virtual returns (bytes32) {
return block.chainid == INITIAL_CHAIN_ID ? INITIAL_DOMAIN_SEPARATOR : computeDomainSeparator();
}
function computeDomainSeparator() internal view virtual returns (bytes32) {
return
keccak256(
abi.encode(
keccak256("EIP712Domain(string name,string version,uint256 chainId,address verifyingContract)"),
keccak256(bytes(name)),
keccak256("1"),
block.chainid,
address(this)
)
);
}
/*//////////////////////////////////////////////////////////////
INTERNAL MINT/BURN LOGIC
//////////////////////////////////////////////////////////////*/
function _mint(address to, uint256 amount) internal virtual {
totalSupply += amount;
// Cannot overflow because the sum of all user
// balances can't exceed the max uint256 value.
unchecked {
balanceOf[to] += amount;
}
emit Transfer(address(0), to, amount);
}
function _burn(address from, uint256 amount) internal virtual {
balanceOf[from] -= amount;
// Cannot underflow because a user's balance
// will never be larger than the total supply.
unchecked {
totalSupply -= amount;
}
emit Transfer(from, address(0), amount);
}
}
//SPDX-License-Identifier: MIT
pragma solidity =0.8.15;
import { IUniswapV3Pool } from "@uniswap/v3-core/contracts/interfaces/IUniswapV3Pool.sol";
interface ICLTBase {
error NoLiquidity();
error InvalidInput();
error InvalidShare();
error InvalidCaller();
error onlyNonCompounders();
error TransactionTooAged();
error MinimumAmountsExceeded();
error OwnerCannotBeZeroAddress();
/// @param pool The Uniswap V3 pool
/// @param tickLower The lower tick of the A51's LP position
/// @param tickUpper The upper tick of the A51's LP position
struct StrategyKey {
IUniswapV3Pool pool;
int24 tickLower;
int24 tickUpper;
}
/// @param actionName Encoded name of whitelisted advance module
/// @param data input as encoded data for selected module
struct StrategyPayload {
bytes32 actionName;
bytes data;
}
/// @param mode ModuleId: one of four basic modes 1: left, 2: Right, 3: Both, 4: Static
/// @param exitStrategy Array of whitelistd ids for advance mode exit strategy selection
/// @param rebaseStrategy Array of whitelistd ids for advance mode rebase strategy selection
/// @param liquidityDistribution Array of whitelistd ids for advance mode liquidity distribution selection
struct PositionActions {
uint256 mode;
StrategyPayload[] exitStrategy;
StrategyPayload[] rebaseStrategy;
StrategyPayload[] liquidityDistribution;
}
/// @param fee0 Amount of fees0 collected by strategy
/// @param fee1 Amount of fees1 collected by strategy
/// @param balance0 Amount of token0 left in strategy that were not added in pool
/// @param balance1 Amount of token1 left in strategy that were not added in pool
/// @param totalShares Total no of shares minted for this A51's strategy
/// @param uniswapLiquidity Total no of liquidity added on AMM for this strategy
/// @param feeGrowthInside0LastX128 The fee growth of token0 collected per unit of liquidity for
/// the entire life of the A51's position
/// @param feeGrowthInside1LastX128 The fee growth of token1 collected per unit of liquidity for
/// the entire life of the A51's position
struct Account {
uint256 fee0;
uint256 fee1;
uint256 balance0;
uint256 balance1;
uint256 totalShares;
uint128 uniswapLiquidity;
uint256 feeGrowthInside0LastX128;
uint256 feeGrowthInside1LastX128;
uint256 feeGrowthOutside0LastX128;
uint256 feeGrowthOutside1LastX128;
}
/// @param key A51 position's key details
/// @param owner The address of the strategy owner
/// @param actions Ids of all modes selected by the strategist encoded together in a single hash
/// @param actionStatus The encoded data for each of the strategy to track any detail for futher actions
/// @param isCompound Bool weather the strategy has compunding activated or not
/// @param isPrivate Bool weather strategy is open for all users or not
/// @param managementFee The value of fee in percentage applied on strategy users liquidity by strategy owner
/// @param performanceFee The value of fee in percentage applied on strategy users earned fee by strategy owner
/// @param account Strategy accounts of balances and fee account details
struct StrategyData {
StrategyKey key;
address owner;
bytes actions;
bytes actionStatus;
bool isCompound;
bool isPrivate;
uint256 managementFee;
uint256 performanceFee;
Account account;
}
/// @notice Emitted when tokens are collected for a position NFT
/// @param tokenId The ID of the token for which underlying tokens were collected
/// @param recipient The address of the account that received the collected tokens
/// @param amount0Collected The amount of token0 owed to the position that was collected
/// @param amount1Collected The amount of token1 owed to the position that was collected
event Collect(uint256 tokenId, address recipient, uint256 amount0Collected, uint256 amount1Collected);
/// @notice Emitted when liquidity is minted for a given position
/// @param tokenId The ID of the token for which liquidity was increased
/// @param recipient Recipient of liquidity
/// @param liquidity The amount by which liquidity for the NFT position was increased
/// @param amount0 The amount of token0 that was paid for the increase in liquidity
/// @param amount1 The amount of token1 that was paid for the increase in liquidity
event Deposit(
uint256 indexed tokenId, address indexed recipient, uint256 liquidity, uint256 amount0, uint256 amount1
);
/// @notice Emitted when a position's liquidity is removed
/// @param tokenId The ID of the token for which liquidity was decreased
/// @param recipient Recipient of liquidity
/// @param liquidity The amount by which liquidity for the NFT position was decreased
/// @param amount0 The amount of token0 that was accounted for the decrease in liquidity
/// @param amount1 The amount of token1 that was accounted for the decrease in liquidity
event Withdraw(
uint256 indexed tokenId,
address indexed recipient,
uint256 liquidity,
uint256 amount0,
uint256 amount1,
uint256 fee0,
uint256 fee1
);
/// @notice Emitted when strategy is created
/// @param strategyId The strategy's key is a hash of a preimage composed by the owner & token ID
event StrategyCreated(bytes32 indexed strategyId);
/// @notice Emitted when data of strategy is updated
/// @param strategyId Hash of strategy ID
event StrategyUpdated(bytes32 indexed strategyId);
/// @notice Emitted when fee of strategy is collected
/// @param strategyId Hash of strategy ID
/// @param fee0 Amount of fees0 collected by strategy
/// @param fee1 Amount of fees1 collected by strategy
event StrategyFee(bytes32 indexed strategyId, uint256 fee0, uint256 fee1);
/// @notice Emitted when liquidity is increased for a position NFT
/// @param tokenId The ID of the token for which liquidity was increased
/// @param share The amount by which liquidity for the NFT position was increased
/// @param amount0 The amount of token0 that was paid for the increase in liquidity
/// @param amount1 The amount of token1 that was paid for the increase in liquidity
event PositionUpdated(uint256 indexed tokenId, uint256 share, uint256 amount0, uint256 amount1);
/// @notice Emitted when strategy position is updated or shifted
/// @param strategyId The strategy's key is a hash of a preimage composed by the owner & token ID
/// @param isLiquidityMinted Bool whether the new liquidity position is minted in pool or HODL in contract
/// @param zeroForOne Bool The direction of the swap, true for token0 to token1, false for token1 to token0
/// @param swapAmount The amount of the swap, which implicitly configures the swap as exact input (positive), or
/// exact output (negative)
event LiquidityShifted(bytes32 indexed strategyId, bool isLiquidityMinted, bool zeroForOne, int256 swapAmount);
/// @notice Emitted when collected fee of strategy is compounded
/// @param strategyId Hash of strategy ID
/// @param amount0 The amount of token0 that were compounded
/// @param amount1 The amount of token1 that were compounded
event FeeCompounded(bytes32 indexed strategyId, uint256 amount0, uint256 amount1);
/// @notice Creates new LP strategy on AMM
/// @dev Call this when the pool does exist and is initialized
/// List of whitelisted IDs could be fetched by the modules contract for each basic & advance mode.
/// If any ID is selected of any module it is mandatory to encode data for it then pass it to StrategyPayload.data
/// @param key The params necessary to select a position, encoded as `StrategyKey` in calldata
/// @param actions It is hash of all encoded data of whitelisted IDs which are being passed
/// @param managementFee The value of fee in percentage applied on strategy users liquidity by strategy owner
/// @param performanceFee The value of fee in percentage applied on strategy users earned fee by strategy owner
/// @param isCompound Bool weather the strategy should have compunding activated or not
/// @param isPrivate Bool weather strategy is open for all users or not
function createStrategy(
StrategyKey calldata key,
PositionActions calldata actions,
uint256 managementFee,
uint256 performanceFee,
bool isCompound,
bool isPrivate
)
external
payable;
/// @notice Returns the information about a strategy by the strategy's key
/// @param strategyId The strategy's key is a hash of a preimage composed by the owner & token ID
/// @return key A51 position's key details associated with this strategy
/// @return owner The address of the strategy owner
/// @return actions It is a hash of a preimage composed by all modes IDs selected by the strategist
/// @return actionStatus It is a hash of a additional data of strategy for further required actions
/// @return isCompound Bool weather the strategy has compunding activated or not
/// @return isPrivate Bool weather strategy is open for all users or not
/// @return managementFee The value of fee in percentage applied on strategy users liquidity by strategy owner
/// @return performanceFee The value of fee in percentage applied on strategy users earned fee by strategy owner
/// @return account Strategy values of balances and fee accounting details
function strategies(bytes32 strategyId)
external
returns (
StrategyKey memory key,
address owner,
bytes memory actions,
bytes memory actionStatus,
bool isCompound,
bool isPrivate,
uint256 managementFee,
uint256 performanceFee,
Account memory account
);
/// @notice Returns the position information associated with a given token ID.
/// @dev Throws if the token ID is not valid.
/// @param positionId The ID of the token that represents the position
/// @return strategyId strategy ID assigned to this token ID
/// @return liquidityShare Shares assigned to this token ID
/// @return feeGrowthInside0LastX128 The fee growth of token0 as of the last action on the individual position
/// @return feeGrowthInside1LastX128 The fee growth of token1 as of the last action on the individual position
/// @return tokensOwed0 The uncollected amount of token0 owed to the position as of the last computation
/// @return tokensOwed1 The uncollected amount of token1 owed to the position as of the last computation
function positions(uint256 positionId)
external
returns (
bytes32 strategyId,
uint256 liquidityShare,
uint256 feeGrowthInside0LastX128,
uint256 feeGrowthInside1LastX128,
uint128 tokensOwed0,
uint128 tokensOwed1
);
/// @param amount0Desired The desired amount of token0 to be spent,
/// @param amount1Desired The desired amount of token1 to be spent,
/// @param amount0Min The minimum amount of token0 to spend, which serves as a slippage check,
/// @param amount1Min The minimum amount of token1 to spend, which serves as a slippage check,
/// @param recipient account that should receive the shares in terms of A51's NFT
struct DepositParams {
bytes32 strategyId;
uint256 amount0Desired;
uint256 amount1Desired;
uint256 amount0Min;
uint256 amount1Min;
address recipient;
}
/// @notice Creates a new position wrapped in a A51 NFT
/// @param params The params necessary to mint a position, encoded as `MintParams` in calldata
/// @return tokenId The ID of the token that represents the minted position
/// @return liquidity The amount of liquidity for this position
/// @return amount0 The amount of token0
/// @return amount1 The amount of token1
function deposit(DepositParams calldata params)
external
payable
returns (uint256 tokenId, uint256 liquidity, uint256 amount0, uint256 amount1);
/// @param params tokenId The ID of the token for which liquidity is being increased
/// @param amount0Desired The desired amount of token0 to be spent,
/// @param amount1Desired The desired amount of token1 to be spent,
struct UpdatePositionParams {
uint256 tokenId;
uint256 amount0Desired;
uint256 amount1Desired;
uint256 amount0Min;
uint256 amount1Min;
}
/// @notice Increases the amount of liquidity in a position, with tokens paid by the `msg.sender`
/// @param params The params necessary to increase a position, encoded as `UpdatePositionParams` in calldata
/// @dev This method can be used by by both compounding & non-compounding strategy positions
/// @return share The new liquidity amount as a result of the increase
/// @return amount0 The amount of token0 to acheive resulting liquidity
/// @return amount1 The amount of token1 to acheive resulting liquidity
function updatePositionLiquidity(UpdatePositionParams calldata params)
external
payable
returns (uint256 share, uint256 amount0, uint256 amount1);
/// @param params tokenId The ID of the token for which liquidity is being decreased
/// @param liquidity amount The amount by which liquidity will be decreased,
/// @param recipient Recipient of tokens
/// @param refundAsETH whether to recieve in WETH or ETH (only valid for WETH/ALT pairs)
struct WithdrawParams {
uint256 tokenId;
uint256 liquidity;
address recipient;
bool refundAsETH;
uint256 amount0Min;
uint256 amount1Min;
}
/// @notice Decreases the amount of liquidity in a position and accounts it to the position
/// @param params The params necessary to decrease a position, encoded as `WithdrawParams` in calldata
/// @return amount0 Amount of token0 sent to recipient
/// @return amount1 Amount of token1 sent to recipient
function withdraw(WithdrawParams calldata params) external returns (uint256 amount0, uint256 amount1);
/// @param recipient Recipient of tokens
/// @param params tokenId The ID of the NFT for which tokens are being collected
/// @param refundAsETH whether to recieve in WETH or ETH (only valid for WETH/ALT pairs)
struct ClaimFeesParams {
address recipient;
uint256 tokenId;
bool refundAsETH;
}
/// @notice Collects up to a maximum amount of fees owed to a specific position to the recipient
/// @dev Only non-compounding strategy users can call this
/// @param params The params necessary to collect a position uncompounded fee, encoded as `ClaimFeesParams` in
/// calldata
function claimPositionFee(ClaimFeesParams calldata params) external;
/// @param key A51 new position's key with updated ticks
/// @param strategyId Id of A51's position for which ticks are being updated
/// @param shouldMint Bool weather liquidity should be added on AMM or hold in contract
/// @param zeroForOne The direction of the swap, true for token0 to token1, false for token1 to token0
/// @param swapAmount The amount of the swap, which implicitly configures the swap as exact input (positive), or
/// exact output (negative)
/// @param moduleStatus The encoded data for each of the strategy to track any detail for futher actions
/// @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
struct ShiftLiquidityParams {
StrategyKey key;
bytes32 strategyId;
bool shouldMint;
bool zeroForOne;
int256 swapAmount;
bytes moduleStatus;
uint160 sqrtPriceLimitX96;
}
/// @notice Updates the strategy's liquidity accordingly w.r.t basic or advance module when it is activated
/// @dev Only called by the whitlisted bot or owner of strategy
/// @param params The params necessary to update a position, encoded as `ShiftLiquidityParams` in calldata
function shiftLiquidity(ShiftLiquidityParams calldata params) external;
}
// SPDX-License-Identifier: MIT
// OpenZeppelin Contracts (last updated v4.9.0) (token/ERC20/IERC20.sol)
pragma solidity ^0.8.0;
/**
* @dev Interface of the ERC20 standard as defined in the EIP.
*/
interface IERC20 {
/**
* @dev Emitted when `value` tokens are moved from one account (`from`) to
* another (`to`).
*
* Note that `value` may be zero.
*/
event Transfer(address indexed from, address indexed to, uint256 value);
/**
* @dev Emitted when the allowance of a `spender` for an `owner` is set by
* a call to {approve}. `value` is the new allowance.
*/
event Approval(address indexed owner, address indexed spender, uint256 value);
/**
* @dev Returns the amount of tokens in existence.
*/
function totalSupply() external view returns (uint256);
/**
* @dev Returns the amount of tokens owned by `account`.
*/
function balanceOf(address account) external view returns (uint256);
/**
* @dev Moves `amount` tokens from the caller's account to `to`.
*
* Returns a boolean value indicating whether the operation succeeded.
*
* Emits a {Transfer} event.
*/
function transfer(address to, uint256 amount) external returns (bool);
/**
* @dev Returns the remaining number of tokens that `spender` will be
* allowed to spend on behalf of `owner` through {transferFrom}. This is
* zero by default.
*
* This value changes when {approve} or {transferFrom} are called.
*/
function allowance(address owner, address spender) external view returns (uint256);
/**
* @dev Sets `amount` as the allowance of `spender` over the caller's tokens.
*
* Returns a boolean value indicating whether the operation succeeded.
*
* IMPORTANT: Beware that changing an allowance with this method brings the risk
* that someone may use both the old and the new allowance by unfortunate
* transaction ordering. One possible solution to mitigate this race
* condition is to first reduce the spender's allowance to 0 and set the
* desired value afterwards:
* https://github.com/ethereum/EIPs/issues/20#issuecomment-263524729
*
* Emits an {Approval} event.
*/
function approve(address spender, uint256 amount) external returns (bool);
/**
* @dev Moves `amount` tokens from `from` to `to` using the
* allowance mechanism. `amount` is then deducted from the caller's
* allowance.
*
* Returns a boolean value indicating whether the operation succeeded.
*
* Emits a {Transfer} event.
*/
function transferFrom(address from, address to, uint256 amount) external returns (bool);
}
// SPDX-License-Identifier: GPL-2.0-or-later
pragma solidity >=0.5.0;
import {IUniswapV3PoolImmutables} from './pool/IUniswapV3PoolImmutables.sol';
import {IUniswapV3PoolState} from './pool/IUniswapV3PoolState.sol';
import {IUniswapV3PoolDerivedState} from './pool/IUniswapV3PoolDerivedState.sol';
import {IUniswapV3PoolActions} from './pool/IUniswapV3PoolActions.sol';
import {IUniswapV3PoolOwnerActions} from './pool/IUniswapV3PoolOwnerActions.sol';
import {IUniswapV3PoolErrors} from './pool/IUniswapV3PoolErrors.sol';
import {IUniswapV3PoolEvents} from './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,
IUniswapV3PoolErrors,
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 Errors emitted by a pool
/// @notice Contains all events emitted by the pool
interface IUniswapV3PoolErrors {
error LOK();
error TLU();
error TLM();
error TUM();
error AI();
error M0();
error M1();
error AS();
error IIA();
error L();
error F0();
error F1();
}
// 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
/// @return 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.
/// @return observationIndex The index of the last oracle observation that was written,
/// @return observationCardinality The current maximum number of observations stored in the pool,
/// @return observationCardinalityNext The next maximum number of observations, to be updated when the observation.
/// @return 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
/// @return The liquidity at the current price of the pool
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
/// @return liquidityNet how much liquidity changes when the pool price crosses the tick,
/// @return feeGrowthOutside0X128 the fee growth on the other side of the tick from the current tick in token0,
/// @return feeGrowthOutside1X128 the fee growth on the other side of the tick from the current tick in token1,
/// @return tickCumulativeOutside the cumulative tick value on the other side of the tick from the current tick
/// @return secondsPerLiquidityOutsideX128 the seconds spent per liquidity on the other side of the tick from the current tick,
/// @return secondsOutside the seconds spent on the other side of the tick from the current tick,
/// @return 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,
/// @return feeGrowthInside0LastX128 fee growth of token0 inside the tick range as of the last mint/burn/poke,
/// @return feeGrowthInside1LastX128 fee growth of token1 inside the tick range as of the last mint/burn/poke,
/// @return tokensOwed0 the computed amount of token0 owed to the position as of the last mint/burn/poke,
/// @return 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,
/// @return tickCumulative the tick multiplied by seconds elapsed for the life of the pool as of the observation timestamp,
/// @return secondsPerLiquidityCumulativeX128 the seconds per in range liquidity for the life of the pool as of the observation timestamp,
/// @return initialized whether the observation has been initialized and the values are safe to use
function observations(uint256 index)
external
view
returns (
uint32 blockTimestamp,
int56 tickCumulative,
uint160 secondsPerLiquidityCumulativeX128,
bool initialized
);
}
// SPDX-License-Identifier: GPL-2.0-or-later
pragma solidity >=0.5.0;
import "@openzeppelin/contracts/token/ERC20/IERC20.sol";
/// @title Interface for WETH9
interface IWETH9 is IERC20 {
/// @notice Deposit ether to get wrapped ether
function deposit() external payable;
/// @notice Withdraw wrapped ether to get ether
function withdraw(uint256) external;
}
//SPDX-License-Identifier: MIT
pragma solidity =0.8.15;
/// @title Multicall
/// @notice Enables calling multiple methods in a single call to the contract
abstract contract Multicall {
function multicall(bytes[] calldata data) public payable returns (bytes[] memory results) {
results = new bytes[](data.length);
for (uint256 i = 0; i < data.length; i++) {
(bool success, bytes memory result) = address(this).delegatecall(data[i]);
if (!success) {
// Next 5 lines from https://ethereum.stackexchange.com/a/83577
if (result.length < 68) revert();
assembly {
result := add(result, 0x04)
}
revert(abi.decode(result, (string)));
}
results[i] = result;
}
}
}
// SPDX-License-Identifier: AGPL-3.0-only
pragma solidity >=0.8.0;
/// @notice Simple single owner authorization mixin.
/// @author Solmate (https://github.com/transmissions11/solmate/blob/main/src/auth/Owned.sol)
abstract contract Owned {
/*//////////////////////////////////////////////////////////////
EVENTS
//////////////////////////////////////////////////////////////*/
event OwnershipTransferred(address indexed user, address indexed newOwner);
/*//////////////////////////////////////////////////////////////
OWNERSHIP STORAGE
//////////////////////////////////////////////////////////////*/
address public owner;
modifier onlyOwner() virtual {
require(msg.sender == owner, "UNAUTHORIZED");
_;
}
/*//////////////////////////////////////////////////////////////
CONSTRUCTOR
//////////////////////////////////////////////////////////////*/
constructor(address _owner) {
owner = _owner;
emit OwnershipTransferred(address(0), _owner);
}
/*//////////////////////////////////////////////////////////////
OWNERSHIP LOGIC
//////////////////////////////////////////////////////////////*/
function transferOwnership(address newOwner) public virtual onlyOwner {
owner = newOwner;
emit OwnershipTransferred(msg.sender, newOwner);
}
}
// SPDX-License-Identifier: MIT
// OpenZeppelin Contracts (last updated v4.7.0) (security/Pausable.sol)
pragma solidity ^0.8.0;
import "../utils/Context.sol";
/**
* @dev Contract module which allows children to implement an emergency stop
* mechanism that can be triggered by an authorized account.
*
* This module is used through inheritance. It will make available the
* modifiers `whenNotPaused` and `whenPaused`, which can be applied to
* the functions of your contract. Note that they will not be pausable by
* simply including this module, only once the modifiers are put in place.
*/
abstract contract Pausable is Context {
/**
* @dev Emitted when the pause is triggered by `account`.
*/
event Paused(address account);
/**
* @dev Emitted when the pause is lifted by `account`.
*/
event Unpaused(address account);
bool private _paused;
/**
* @dev Initializes the contract in unpaused state.
*/
constructor() {
_paused = false;
}
/**
* @dev Modifier to make a function callable only when the contract is not paused.
*
* Requirements:
*
* - The contract must not be paused.
*/
modifier whenNotPaused() {
_requireNotPaused();
_;
}
/**
* @dev Modifier to make a function callable only when the contract is paused.
*
* Requirements:
*
* - The contract must be paused.
*/
modifier whenPaused() {
_requirePaused();
_;
}
/**
* @dev Returns true if the contract is paused, and false otherwise.
*/
function paused() public view virtual returns (bool) {
return _paused;
}
/**
* @dev Throws if the contract is paused.
*/
function _requireNotPaused() internal view virtual {
require(!paused(), "Pausable: paused");
}
/**
* @dev Throws if the contract is not paused.
*/
function _requirePaused() internal view virtual {
require(paused(), "Pausable: not paused");
}
/**
* @dev Triggers stopped state.
*
* Requirements:
*
* - The contract must not be paused.
*/
function _pause() internal virtual whenNotPaused {
_paused = true;
emit Paused(_msgSender());
}
/**
* @dev Returns to normal state.
*
* Requirements:
*
* - The contract must be paused.
*/
function _unpause() internal virtual whenPaused {
_paused = false;
emit Unpaused(_msgSender());
}
}
// SPDX-License-Identifier: AGPL-3.0-only
pragma solidity >=0.8.0;
import {ERC20} from "../tokens/ERC20.sol";
/// @notice Safe ETH and ERC20 transfer library that gracefully handles missing return values.
/// @author Solmate (https://github.com/transmissions11/solmate/blob/main/src/utils/SafeTransferLib.sol)
/// @dev Use with caution! Some functions in this library knowingly create dirty bits at the destination of the free memory pointer.
/// @dev Note that none of the functions in this library check that a token has code at all! That responsibility is delegated to the caller.
library SafeTransferLib {
/*//////////////////////////////////////////////////////////////
ETH OPERATIONS
//////////////////////////////////////////////////////////////*/
function safeTransferETH(address to, uint256 amount) internal {
bool success;
/// @solidity memory-safe-assembly
assembly {
// Transfer the ETH and store if it succeeded or not.
success := call(gas(), to, amount, 0, 0, 0, 0)
}
require(success, "ETH_TRANSFER_FAILED");
}
/*//////////////////////////////////////////////////////////////
ERC20 OPERATIONS
//////////////////////////////////////////////////////////////*/
function safeTransferFrom(
ERC20 token,
address from,
address to,
uint256 amount
) internal {
bool success;
/// @solidity memory-safe-assembly
assembly {
// Get a pointer to some free memory.
let freeMemoryPointer := mload(0x40)
// Write the abi-encoded calldata into memory, beginning with the function selector.
mstore(freeMemoryPointer, 0x23b872dd00000000000000000000000000000000000000000000000000000000)
mstore(add(freeMemoryPointer, 4), and(from, 0xffffffffffffffffffffffffffffffffffffffff)) // Append and mask the "from" argument.
mstore(add(freeMemoryPointer, 36), and(to, 0xffffffffffffffffffffffffffffffffffffffff)) // Append and mask the "to" argument.
mstore(add(freeMemoryPointer, 68), amount) // Append the "amount" argument. Masking not required as it's a full 32 byte type.
success := and(
// Set success to whether the call reverted, if not we check it either
// returned exactly 1 (can't just be non-zero data), or had no return data.
or(and(eq(mload(0), 1), gt(returndatasize(), 31)), iszero(returndatasize())),
// We use 100 because the length of our calldata totals up like so: 4 + 32 * 3.
// We use 0 and 32 to copy up to 32 bytes of return data into the scratch space.
// Counterintuitively, this call must be positioned second to the or() call in the
// surrounding and() call or else returndatasize() will be zero during the computation.
call(gas(), token, 0, freeMemoryPointer, 100, 0, 32)
)
}
require(success, "TRANSFER_FROM_FAILED");
}
function safeTransfer(
ERC20 token,
address to,
uint256 amount
) internal {
bool success;
/// @solidity memory-safe-assembly
assembly {
// Get a pointer to some free memory.
let freeMemoryPointer := mload(0x40)
// Write the abi-encoded calldata into memory, beginning with the function selector.
mstore(freeMemoryPointer, 0xa9059cbb00000000000000000000000000000000000000000000000000000000)
mstore(add(freeMemoryPointer, 4), and(to, 0xffffffffffffffffffffffffffffffffffffffff)) // Append and mask the "to" argument.
mstore(add(freeMemoryPointer, 36), amount) // Append the "amount" argument. Masking not required as it's a full 32 byte type.
success := and(
// Set success to whether the call reverted, if not we check it either
// returned exactly 1 (can't just be non-zero data), or had no return data.
or(and(eq(mload(0), 1), gt(returndatasize(), 31)), iszero(returndatasize())),
// We use 68 because the length of our calldata totals up like so: 4 + 32 * 2.
// We use 0 and 32 to copy up to 32 bytes of return data into the scratch space.
// Counterintuitively, this call must be positioned second to the or() call in the
// surrounding and() call or else returndatasize() will be zero during the computation.
call(gas(), token, 0, freeMemoryPointer, 68, 0, 32)
)
}
require(success, "TRANSFER_FAILED");
}
function safeApprove(
ERC20 token,
address to,
uint256 amount
) internal {
bool success;
/// @solidity memory-safe-assembly
assembly {
// Get a pointer to some free memory.
let freeMemoryPointer := mload(0x40)
// Write the abi-encoded calldata into memory, beginning with the function selector.
mstore(freeMemoryPointer, 0x095ea7b300000000000000000000000000000000000000000000000000000000)
mstore(add(freeMemoryPointer, 4), and(to, 0xffffffffffffffffffffffffffffffffffffffff)) // Append and mask the "to" argument.
mstore(add(freeMemoryPointer, 36), amount) // Append the "amount" argument. Masking not required as it's a full 32 byte type.
success := and(
// Set success to whether the call reverted, if not we check it either
// returned exactly 1 (can't just be non-zero data), or had no return data.
or(and(eq(mload(0), 1), gt(returndatasize(), 31)), iszero(returndatasize())),
// We use 68 because the length of our calldata totals up like so: 4 + 32 * 2.
// We use 0 and 32 to copy up to 32 bytes of return data into the scratch space.
// Counterintuitively, this call must be positioned second to the or() call in the
// surrounding and() call or else returndatasize() will be zero during the computation.
call(gas(), token, 0, freeMemoryPointer, 68, 0, 32)
)
}
require(success, "APPROVE_FAILED");
}
}
{
"compilationTarget": {
"src/CLTZapIn.sol": "CLTZapIn"
},
"evmVersion": "london",
"libraries": {},
"metadata": {
"bytecodeHash": "none"
},
"optimizer": {
"enabled": true,
"runs": 4000
},
"remappings": [
":@openzeppelin/=lib/openzeppelin-contracts/",
":@solmate/=lib/solmate/src/",
":@uniswap/v3-core/=lib/v3-core/",
":@uniswap/v3-periphery/=lib/v3-periphery/",
":Algebra/=lib/Algebra/src/",
":ds-test/=lib/forge-std/lib/ds-test/src/",
":erc4626-tests/=lib/openzeppelin-contracts/lib/erc4626-tests/",
":forge-std/=lib/forge-std/src/",
":openzeppelin-contracts/=lib/openzeppelin-contracts/",
":openzeppelin/=lib/openzeppelin-contracts/contracts/",
":prb-test/=lib/prb-test/src/",
":solmate/=lib/solmate/src/",
":v3-core/=lib/v3-core/contracts/",
":v3-periphery/=lib/v3-periphery/contracts/"
]
}
[{"inputs":[{"internalType":"address","name":"okxProxy","type":"address"},{"internalType":"contract ICLTBase","name":"cltBase","type":"address"},{"internalType":"address","name":"tokenApprover","type":"address"},{"internalType":"contract IWETH9","name":"weth","type":"address"},{"internalType":"address","name":"owner","type":"address"}],"stateMutability":"nonpayable","type":"constructor"},{"inputs":[],"name":"InsufficientOutput","type":"error"},{"inputs":[],"name":"InvalidAmountInput","type":"error"},{"inputs":[],"name":"InvalidTokenId","type":"error"},{"inputs":[],"name":"OKXSwapFailed","type":"error"},{"inputs":[],"name":"PastDeadline","type":"error"},{"inputs":[],"name":"SameToken","type":"error"},{"anonymous":false,"inputs":[{"indexed":true,"internalType":"address","name":"user","type":"address"},{"indexed":true,"internalType":"address","name":"newOwner","type":"address"}],"name":"OwnershipTransferred","type":"event"},{"anonymous":false,"inputs":[{"indexed":false,"internalType":"address","name":"account","type":"address"}],"name":"Paused","type":"event"},{"anonymous":false,"inputs":[{"indexed":false,"internalType":"address","name":"account","type":"address"}],"name":"Unpaused","type":"event"},{"anonymous":false,"inputs":[{"indexed":false,"internalType":"address","name":"zapper","type":"address"},{"indexed":false,"internalType":"uint256","name":"tokenId","type":"uint256"},{"indexed":false,"internalType":"uint256","name":"share","type":"uint256"},{"indexed":false,"internalType":"uint256","name":"amount0","type":"uint256"},{"indexed":false,"internalType":"uint256","name":"amount1","type":"uint256"}],"name":"ZapInCompleted","type":"event"},{"inputs":[],"name":"OKX_PROXY","outputs":[{"internalType":"address","name":"","type":"address"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"TOKEN_APPROVER","outputs":[{"internalType":"address","name":"","type":"address"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"WETH","outputs":[{"internalType":"contract IWETH9","name":"","type":"address"}],"stateMutability":"view","type":"function"},{"inputs":[{"internalType":"contract ERC20","name":"tokenIn","type":"address"},{"internalType":"uint256","name":"tokenAmountIn","type":"uint256"},{"internalType":"contract ERC20","name":"tokenOut","type":"address"},{"internalType":"uint256","name":"minAmountOut","type":"uint256"},{"internalType":"address","name":"recipient","type":"address"},{"internalType":"address","name":"refundRecipient","type":"address"},{"internalType":"bool","name":"useContractBalance","type":"bool"},{"internalType":"uint256","name":"deadline","type":"uint256"},{"internalType":"bytes","name":"swapData","type":"bytes"}],"name":"doOKXSwap","outputs":[{"internalType":"uint256","name":"tokenAmountOut","type":"uint256"}],"stateMutability":"payable","type":"function"},{"inputs":[{"internalType":"address","name":"_operator","type":"address"}],"name":"isOperator","outputs":[{"internalType":"bool","name":"","type":"bool"}],"stateMutability":"view","type":"function"},{"inputs":[{"internalType":"bytes[]","name":"data","type":"bytes[]"}],"name":"multicall","outputs":[{"internalType":"bytes[]","name":"results","type":"bytes[]"}],"stateMutability":"payable","type":"function"},{"inputs":[],"name":"owner","outputs":[{"internalType":"address","name":"","type":"address"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"pause","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[],"name":"paused","outputs":[{"internalType":"bool","name":"","type":"bool"}],"stateMutability":"view","type":"function"},{"inputs":[{"internalType":"address","name":"_operator","type":"address"}],"name":"toggleOperator","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"address","name":"newOwner","type":"address"}],"name":"transferOwnership","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[],"name":"unpause","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[],"name":"wrapEthInput","outputs":[],"stateMutability":"payable","type":"function"},{"inputs":[{"components":[{"internalType":"bytes32","name":"strategyId","type":"bytes32"},{"internalType":"uint256","name":"amount0Desired","type":"uint256"},{"internalType":"uint256","name":"amount1Desired","type":"uint256"},{"internalType":"uint256","name":"amount0Min","type":"uint256"},{"internalType":"uint256","name":"amount1Min","type":"uint256"},{"internalType":"address","name":"recipient","type":"address"}],"internalType":"struct ICLTBase.DepositParams","name":"depositParams","type":"tuple"},{"internalType":"contract ERC20","name":"token0","type":"address"},{"internalType":"contract ERC20","name":"token1","type":"address"},{"internalType":"bool","name":"useContractBalance0","type":"bool"},{"internalType":"bool","name":"useContractBalance1","type":"bool"}],"name":"zapIn","outputs":[{"internalType":"uint256","name":"tokenId","type":"uint256"},{"internalType":"uint256","name":"share","type":"uint256"},{"internalType":"uint256","name":"amount0","type":"uint256"},{"internalType":"uint256","name":"amount1","type":"uint256"}],"stateMutability":"payable","type":"function"},{"inputs":[{"components":[{"internalType":"uint256","name":"tokenId","type":"uint256"},{"internalType":"uint256","name":"amount0Desired","type":"uint256"},{"internalType":"uint256","name":"amount1Desired","type":"uint256"},{"internalType":"uint256","name":"amount0Min","type":"uint256"},{"internalType":"uint256","name":"amount1Min","type":"uint256"}],"internalType":"struct ICLTBase.UpdatePositionParams","name":"updateParams","type":"tuple"},{"internalType":"contract ERC20","name":"token0","type":"address"},{"internalType":"contract ERC20","name":"token1","type":"address"},{"internalType":"bool","name":"useContractBalance0","type":"bool"},{"internalType":"bool","name":"useContractBalance1","type":"bool"}],"name":"zapIncrease","outputs":[{"internalType":"uint256","name":"share","type":"uint256"},{"internalType":"uint256","name":"amount0","type":"uint256"},{"internalType":"uint256","name":"amount1","type":"uint256"}],"stateMutability":"payable","type":"function"}]