Overview
HYPE Balance
HYPE Value
$0.00View more zero value Internal Transactions in Advanced View mode
Advanced mode:
Cross-Chain Transactions
Loading...
Loading
Similar Match Source Code This contract matches the deployed Bytecode of the Source Code for Contract 0xb9535bA1...1fe5f9EE3 The constructor portion of the code might be different and could alter the actual behaviour of the contract
Contract Name:
RamsesV3Factory
Compiler Version
v0.8.28+commit.7893614a
Optimization Enabled:
Yes with 300 runs
Other Settings:
cancun EvmVersion
Contract Source Code (Solidity Standard Json-Input format)
// SPDX-License-Identifier: GPL-2.0-or-later
pragma solidity ^0.8.0;
import {IRamsesV3Factory} from "./interfaces/IRamsesV3Factory.sol";
import {IRamsesV3PoolDeployer} from "./interfaces/IRamsesV3PoolDeployer.sol";
import {IRamsesV3Pool} from "./interfaces/IRamsesV3Pool.sol";
import {Errors} from "contracts/libraries/Errors.sol";
/// @title Canonical Ramses V3 factory
/// @notice Deploys Ramses V3 pools and manages ownership and control over pool protocol fees
contract RamsesV3Factory is IRamsesV3Factory {
uint256 internal constant FEE_DENOM = 1_000_000;
uint24 public constant DEFAULT_FEE_FLAG = type(uint24).max;
address public ramsesV3PoolDeployer;
/// @inheritdoc IRamsesV3Factory
uint24 public override feeProtocol;
/// @inheritdoc IRamsesV3Factory
address public feeCollector;
address public accessHub;
address public voter;
struct Parameters {
address factory;
address token0;
address token1;
uint24 fee;
int24 tickSpacing;
}
/// @inheritdoc IRamsesV3Factory
Parameters public parameters;
/// @inheritdoc IRamsesV3Factory
mapping(int24 tickSpacing => uint24 initialFee) public override tickSpacingInitialFee;
/// @inheritdoc IRamsesV3Factory
mapping(address tokenA => mapping(address tokenB => mapping(int24 tickSpacing => address pool))) public override
getPool;
/// @dev mapping that tells us whether the pair is a CL (v3) pair or not
mapping(address pool => bool isV3) public isPairV3;
/// @dev pool specific fee protocol if set
mapping(address pool => uint24 feeProtocol) _poolFeeProtocol;
modifier onlyGovernance() {
require(msg.sender == accessHub, Errors.NOT_ACCESSHUB());
_;
}
/// @dev set initial tickspacings and feeSplits
constructor(address _accessHub) {
accessHub = _accessHub;
/// @dev 0.01% fee, 1bps tickspacing
tickSpacingInitialFee[1] = 100;
emit TickSpacingEnabled(1, 100);
/// @dev 0.025% fee, 5bps tickspacing
tickSpacingInitialFee[5] = 250;
emit TickSpacingEnabled(5, 250);
/// @dev 0.05% fee, 10bps tickspacing
tickSpacingInitialFee[10] = 500;
emit TickSpacingEnabled(10, 500);
/// @dev 0.30% fee, 50bps tickspacing
tickSpacingInitialFee[50] = 3000;
emit TickSpacingEnabled(50, 3000);
/// @dev 1.00% fee, 100 bps tickspacing
tickSpacingInitialFee[100] = 10000;
emit TickSpacingEnabled(100, 10000);
/// @dev 2.00% fee, 200 bps tickspacing
tickSpacingInitialFee[200] = 20000;
emit TickSpacingEnabled(200, 20000);
/// @dev the initial feeSplit of what is sent to the FeeCollector to be distributed to voters
/// @dev 5% to FeeCollector
feeProtocol = 50_000;
ramsesV3PoolDeployer = msg.sender;
emit SetFeeProtocol(0, feeProtocol);
}
function initialize(address _ramsesV3PoolDeployer) external {
require(ramsesV3PoolDeployer == msg.sender);
ramsesV3PoolDeployer = _ramsesV3PoolDeployer;
}
/// @inheritdoc IRamsesV3Factory
function createPool(address tokenA, address tokenB, int24 tickSpacing, uint160 sqrtPriceX96)
external
override
returns (address pool)
{
/// @dev ensure the tokens aren't identical
require(tokenA != tokenB, Errors.IDENTICAL_TOKENS());
/// @dev sort the tokens
(address token0, address token1) = tokenA < tokenB ? (tokenA, tokenB) : (tokenB, tokenA);
/// @dev check that token0 doesn't equal the zero address
require(token0 != address(0), Errors.ADDRESS_ZERO());
/// @dev fetch the fee from the initial tickspacing mapping
uint24 fee = tickSpacingInitialFee[tickSpacing];
/// @dev ensure the fee is not 0
require(fee != 0, Errors.F0());
/// @dev ensure the pool doesn't exist already
require(getPool[token0][token1][tickSpacing] == address(0), Errors.PAIR_EXISTS());
parameters =
Parameters({factory: address(this), token0: token0, token1: token1, fee: fee, tickSpacing: tickSpacing});
pool = IRamsesV3PoolDeployer(ramsesV3PoolDeployer).deploy(token0, token1, tickSpacing);
delete parameters;
getPool[token0][token1][tickSpacing] = pool;
/// @dev populate mapping in the reverse direction, deliberate choice to avoid the cost of comparing addresses
getPool[token1][token0][tickSpacing] = pool;
/// @dev update mapping
isPairV3[pool] = true;
/// @dev update _poolFeeProtocol
_poolFeeProtocol[pool] = DEFAULT_FEE_FLAG;
emit PoolCreated(token0, token1, fee, tickSpacing, pool);
/// @dev if there is a sqrtPrice, initialize it to the pool
if (sqrtPriceX96 > 0) {
IRamsesV3Pool(pool).initialize(sqrtPriceX96);
}
}
/// @inheritdoc IRamsesV3Factory
function enableTickSpacing(int24 tickSpacing, uint24 initialFee) external override onlyGovernance {
require(initialFee < FEE_DENOM, Errors.FEE_TOO_LARGE());
/// @dev tick spacing is capped at 16384 to prevent the situation where tickSpacing is so large that
/// @dev TickBitmap#nextInitializedTickWithinOneWord overflows int24 container from a valid tick
/// @dev 16384 ticks represents a >5x price change with ticks of 1 bips
require(tickSpacing > 0 && tickSpacing < 16384, "TS");
require(tickSpacingInitialFee[tickSpacing] == 0, "TS!0");
tickSpacingInitialFee[tickSpacing] = initialFee;
emit TickSpacingEnabled(tickSpacing, initialFee);
}
/// @inheritdoc IRamsesV3Factory
function setFeeProtocol(uint24 _feeProtocol) external override onlyGovernance {
require(_feeProtocol <= FEE_DENOM, Errors.FEE_TOO_LARGE());
uint24 feeProtocolOld = feeProtocol;
feeProtocol = _feeProtocol;
emit SetFeeProtocol(feeProtocolOld, _feeProtocol);
}
/// @inheritdoc IRamsesV3Factory
function setPoolFeeProtocol(address pool, uint24 _feeProtocol) external onlyGovernance {
require(_feeProtocol <= FEE_DENOM || _feeProtocol == DEFAULT_FEE_FLAG, Errors.FEE_TOO_LARGE());
uint24 feeProtocolOld = poolFeeProtocol(pool);
_poolFeeProtocol[pool] = _feeProtocol;
emit SetPoolFeeProtocol(pool, feeProtocolOld, poolFeeProtocol(pool));
IRamsesV3Pool(pool).setFeeProtocol();
}
/// @inheritdoc IRamsesV3Factory
function gaugeFeeSplitEnable(address pool) external {
if (msg.sender != voter) {
IRamsesV3Pool(pool).setFeeProtocol();
} else {
_poolFeeProtocol[pool] = uint24(FEE_DENOM);
IRamsesV3Pool(pool).setFeeProtocol();
}
}
/// @inheritdoc IRamsesV3Factory
function poolFeeProtocol(address pool) public view override returns (uint24 __poolFeeProtocol) {
__poolFeeProtocol = _poolFeeProtocol[pool];
/// @dev report default if flagged (gaugeless mode)
return (__poolFeeProtocol == DEFAULT_FEE_FLAG ? feeProtocol : __poolFeeProtocol);
}
/// @inheritdoc IRamsesV3Factory
function setFeeCollector(address _feeCollector) external override onlyGovernance {
emit FeeCollectorChanged(feeCollector, _feeCollector);
feeCollector = _feeCollector;
}
/// @inheritdoc IRamsesV3Factory
function setVoter(address _voter) external onlyGovernance {
voter = _voter;
}
/// @inheritdoc IRamsesV3Factory
function setFee(address _pool, uint24 _fee) external override onlyGovernance {
IRamsesV3Pool(_pool).setFee(_fee);
emit FeeAdjustment(_pool, _fee);
}
}// SPDX-License-Identifier: GPL-2.0-or-later
pragma solidity >=0.5.0;
/// @title The interface for the Ramses V3 Factory
/// @notice The Ramses V3 Factory facilitates creation of Ramses V3 pools and control over the protocol fees
interface IRamsesV3Factory {
/// @notice Emitted when a pool is created
/// @param token0 The first token of the pool by address sort order
/// @param token1 The second token of the pool by address sort order
/// @param fee The fee collected upon every swap in the pool, denominated in hundredths of a bip
/// @param tickSpacing The minimum number of ticks between initialized ticks
/// @param pool The address of the created pool
event PoolCreated(
address indexed token0, address indexed token1, uint24 indexed fee, int24 tickSpacing, address pool
);
/// @notice Emitted when a new tickspacing amount is enabled for pool creation via the factory
/// @dev unlike UniswapV3, we map via the tickSpacing rather than the fee tier
/// @param tickSpacing The minimum number of ticks between initialized ticks
/// @param fee The fee, denominated in hundredths of a bip
event TickSpacingEnabled(int24 indexed tickSpacing, uint24 indexed fee);
/// @notice Emitted when the protocol fee is changed
/// @param feeProtocolOld The previous value of the protocol fee
/// @param feeProtocolNew The updated value of the protocol fee
event SetFeeProtocol(uint24 feeProtocolOld, uint24 feeProtocolNew);
/// @notice Emitted when the protocol fee is changed
/// @param pool The pool address
/// @param feeProtocolOld The previous value of the protocol fee
/// @param feeProtocolNew The updated value of the protocol fee
event SetPoolFeeProtocol(address pool, uint24 feeProtocolOld, uint24 feeProtocolNew);
/// @notice Emitted when a pool's fee is changed
/// @param pool The pool address
/// @param newFee The updated value of the protocol fee
event FeeAdjustment(address pool, uint24 newFee);
/// @notice Emitted when the fee collector is changed
/// @param oldFeeCollector The previous implementation
/// @param newFeeCollector The new implementation
event FeeCollectorChanged(address indexed oldFeeCollector, address indexed newFeeCollector);
/// @notice Returns the PoolDeployer address
/// @return The address of the PoolDeployer contract
function ramsesV3PoolDeployer() external returns (address);
/// @notice Returns the fee amount for a given tickSpacing, if enabled, or 0 if not enabled
/// @dev A tickSpacing can never be removed, so this value should be hard coded or cached in the calling context
/// @dev unlike UniswapV3, we map via the tickSpacing rather than the fee tier
/// @param tickSpacing The enabled tickSpacing. Returns 0 in case of unenabled tickSpacing
/// @return initialFee The initial fee
function tickSpacingInitialFee(int24 tickSpacing) external view returns (uint24 initialFee);
/// @notice Returns the pool address for a given pair of tokens and a tickSpacing, or address 0 if it does not exist
/// @dev tokenA and tokenB may be passed in either token0/token1 or token1/token0 order
/// @dev unlike UniswapV3, we map via the tickSpacing rather than the fee tier
/// @param tokenA The contract address of either token0 or token1
/// @param tokenB The contract address of the other token
/// @param tickSpacing The tickSpacing of the pool
/// @return pool The pool address
function getPool(address tokenA, address tokenB, int24 tickSpacing) external view returns (address pool);
/// @notice Creates a pool for the given two tokens and fee
/// @dev unlike UniswapV3, we map via the tickSpacing rather than the fee tier
/// @param tokenA One of the two tokens in the desired pool
/// @param tokenB The other of the two tokens in the desired pool
/// @param tickSpacing The desired tickSpacing for the pool
/// @param sqrtPriceX96 initial sqrtPriceX96 of the pool
/// @dev tokenA and tokenB may be passed in either order: token0/token1 or token1/token0.
/// @dev The call will revert if the pool already exists, the tickSpacing is invalid, or the token arguments are invalid.
/// @return pool The address of the newly created pool
function createPool(address tokenA, address tokenB, int24 tickSpacing, uint160 sqrtPriceX96)
external
returns (address pool);
/// @notice Enables a tickSpacing with the given initialFee amount
/// @dev unlike UniswapV3, we map via the tickSpacing rather than the fee tier
/// @dev tickSpacings may never be removed once enabled
/// @param tickSpacing The spacing between ticks to be enforced for all pools created
/// @param initialFee The initial fee amount, denominated in hundredths of a bip (i.e. 1e-6)
function enableTickSpacing(int24 tickSpacing, uint24 initialFee) external;
/// @notice Returns the default protocol fee value
/// @return _feeProtocol The default protocol fee percentage
function feeProtocol() external view returns (uint24 _feeProtocol);
/// @notice Returns the protocol fee percentage for a specific pool
/// @dev If the fee is 0 or the pool is uninitialized, returns the Factory's default feeProtocol
/// @param pool The address of the pool
/// @return _feeProtocol The protocol fee percentage for the specified pool
function poolFeeProtocol(address pool) external view returns (uint24 _feeProtocol);
/// @notice Sets the default protocol fee percentage
/// @param _feeProtocol New default protocol fee percentage for token0 and token1
function setFeeProtocol(uint24 _feeProtocol) external;
/// @notice Retrieves the parameters used in constructing a pool
/// @dev Called by the pool constructor to fetch the pool's parameters
/// @return factory The factory address
/// @return token0 The first token of the pool by address sort order
/// @return token1 The second token of the pool by address sort order
/// @return fee The initialized fee tier of the pool, denominated in hundredths of a bip
/// @return tickSpacing The minimum number of ticks between initialized ticks
function parameters()
external
view
returns (address factory, address token0, address token1, uint24 fee, int24 tickSpacing);
/// @notice Updates the fee collector address
/// @param _feeCollector The new fee collector address
function setFeeCollector(address _feeCollector) external;
/// @notice Updates the swap fee for a specific pool
/// @param _pool The address of the pool to modify
/// @param _fee The new fee value, scaled where 1_000_000 = 100%
function setFee(address _pool, uint24 _fee) external;
/// @notice Returns the current fee collector address
/// @dev The fee collector contract determines the distribution of protocol fees
/// @return The address of the fee collector contract
function feeCollector() external view returns (address);
/// @notice Flag for getting a pool to use the default feeProcotol
/// @dev type(uint24).max denotes using default feeProcotol
function DEFAULT_FEE_FLAG() external view returns (uint24);
/// @notice Updates the protocol fee percentage for a specific pool
/// @dev type(uint24).max denotes using default feeProcotol
/// @param pool The address of the pool to modify
/// @param _feeProtocol The new protocol fee percentage to assign
function setPoolFeeProtocol(address pool, uint24 _feeProtocol) external;
/// @notice Enables fee protocol splitting upon gauge creation
/// @param pool The address of the pool to enable fee splitting for
function gaugeFeeSplitEnable(address pool) external;
/// @notice Updates the voter contract address
/// @param _voter The new voter contract address
function setVoter(address _voter) external;
/// @notice Checks if a given address is a V3 pool
/// @param _pool The address to check
/// @return isV3 True if the address is a V3 pool, false otherwise
function isPairV3(address _pool) external view returns (bool isV3);
/// @notice Initializes the factory with a pool deployer
/// @param poolDeployer The address of the pool deployer contract
function initialize(address poolDeployer) external;
/// @notice returns the voter
function voter() external returns (address);
}// SPDX-License-Identifier: GPL-2.0-or-later
pragma solidity >=0.5.0;
/// @title An interface for a contract that is capable of deploying Ramses V3 Pools
/// @notice A contract that constructs a pool must implement this to pass arguments to the pool
/// @dev This is used to avoid having constructor arguments in the pool contract, which results in the init code hash
/// of the pool being constant allowing the CREATE2 address of the pool to be cheaply computed on-chain
interface IRamsesV3PoolDeployer {
/// @notice Get the parameters to be used in constructing the pool, set transiently during pool creation.
/// @dev Called by the pool constructor to fetch the parameters of the pool
/// Returns factory The factory address
/// Returns token0 The first token of the pool by address sort order
/// Returns token1 The second token of the pool by address sort order
/// Returns fee The fee collected upon every swap in the pool, denominated in hundredths of a bip
/// Returns tickSpacing The minimum number of ticks between initialized ticks
function parameters()
external
view
returns (address factory, address token0, address token1, uint24 fee, int24 tickSpacing);
/// @dev Deploys a pool with the given parameters by transiently setting the parameters storage slot and then
/// clearing it after deploying the pool.
/// @param token0 The first token of the pool by address sort order
/// @param token1 The second token of the pool by address sort order
/// @param tickSpacing The tickSpacing of the pool
function deploy(address token0, address token1, int24 tickSpacing) external returns (address pool);
function RamsesV3Factory() external view returns (address factory);
}// SPDX-License-Identifier: GPL-2.0-or-later
pragma solidity >=0.5.0;
import {IRamsesV3PoolImmutables} from "./pool/IRamsesV3PoolImmutables.sol";
import {IRamsesV3PoolState} from "./pool/IRamsesV3PoolState.sol";
import {IRamsesV3PoolDerivedState} from "./pool/IRamsesV3PoolDerivedState.sol";
import {IRamsesV3PoolActions} from "./pool/IRamsesV3PoolActions.sol";
import {IRamsesV3PoolOwnerActions} from "./pool/IRamsesV3PoolOwnerActions.sol";
import {IRamsesV3PoolErrors} from "./pool/IRamsesV3PoolErrors.sol";
import {IRamsesV3PoolEvents} from "./pool/IRamsesV3PoolEvents.sol";
/// @title The interface for a Ramses V3 Pool
/// @notice A Ramses 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 IRamsesV3Pool is
IRamsesV3PoolImmutables,
IRamsesV3PoolState,
IRamsesV3PoolDerivedState,
IRamsesV3PoolActions,
IRamsesV3PoolOwnerActions,
IRamsesV3PoolErrors,
IRamsesV3PoolEvents
{
/// @notice if a new period, advance on interaction
function _advancePeriod() external;
/// @notice Get the index of the last period in the pool
/// @return The index of the last period
function lastPeriod() external view returns (uint256);
/// @notice allows reading arbitrary storage slots
function readStorage(bytes32[] calldata slots) external view returns (bytes32[] memory returnData);
}// SPDX-License-Identifier: MIT
pragma solidity ^0.8.0;
/// @title Central Errors Library
/// @notice Contains all custom errors used across the protocol
/// @dev Centralized error definitions to prevent redundancy
library Errors {
/*//////////////////////////////////////////////////////////////
VOTER ERRORS
//////////////////////////////////////////////////////////////*/
/// @notice Thrown when attempting to interact with an already active gauge
/// @param gauge The address of the gauge
error ACTIVE_GAUGE(address gauge);
/// @notice Thrown when attempting to interact with an inactive gauge
/// @param gauge The address of the gauge
error GAUGE_INACTIVE(address gauge);
/// @notice Thrown when attempting to whitelist an already whitelisted token
/// @param token The address of the token
error ALREADY_WHITELISTED(address token);
/// @notice Thrown when caller is not authorized to perform an action
/// @param caller The address of the unauthorized caller
error NOT_AUTHORIZED(address caller);
/// @notice Thrown when token is not whitelisted
/// @param token The address of the non-whitelisted token
error NOT_WHITELISTED(address token);
/// @notice Thrown when both tokens in a pair are not whitelisted
error BOTH_NOT_WHITELISTED();
/// @notice Thrown when address is not a valid pool
/// @param pool The invalid pool address
error NOT_POOL(address pool);
/// @notice Thrown when contract is not initialized
error NOT_INIT();
/// @notice Thrown when array lengths don't match
error LENGTH_MISMATCH();
/// @notice Thrown when pool doesn't have an associated gauge
/// @param pool The address of the pool
error NO_GAUGE(address pool);
/// @notice Thrown when rewards are already distributed for a period
/// @param gauge The gauge address
/// @param period The distribution period
error ALREADY_DISTRIBUTED(address gauge, uint256 period);
/// @notice Thrown when attempting to vote with zero amount
/// @param pool The pool address
error ZERO_VOTE(address pool);
/// @notice Thrown when ratio exceeds maximum allowed
/// @param _xRatio The excessive ratio value
error RATIO_TOO_HIGH(uint256 _xRatio);
/// @notice Thrown when vote operation fails
error VOTE_UNSUCCESSFUL();
/*//////////////////////////////////////////////////////////////
GAUGE V3 ERRORS
//////////////////////////////////////////////////////////////*/
/// @notice Thrown when the pool already has a gauge
/// @param pool The address of the pool
error GAUGE_EXISTS(address pool);
/// @notice Thrown when caller is not the voter
/// @param caller The address of the invalid caller
error NOT_VOTER(address caller);
/// @notice Thrown when amount is not greater than zero
/// @param amt The invalid amount
error NOT_GT_ZERO(uint256 amt);
/// @notice Thrown when attempting to claim future rewards
error CANT_CLAIM_FUTURE();
/// @notice Thrown when attempting to reward past periods
error CANT_REWARD_PAST();
/// @notice Throw when gauge can't determine if using secondsInRange from the pool is safe
error NEED_TEAM_TO_UPDATE();
/// @notice Thrown when owner is not an authorized NFP manager
error NOT_AUTHORIZED_CLAIMER(address owner);
/*//////////////////////////////////////////////////////////////
GAUGE ERRORS
//////////////////////////////////////////////////////////////*/
/// @notice Thrown when amount is zero
error ZERO_AMOUNT();
/// @notice Thrown when stake notification fails
error CANT_NOTIFY_STAKE();
/// @notice Thrown when reward amount is too high
error REWARD_TOO_HIGH();
/// @notice Thrown when amount exceeds remaining balance
/// @param amount The requested amount
/// @param remaining The remaining balance
error NOT_GREATER_THAN_REMAINING(uint256 amount, uint256 remaining);
/// @notice Thrown when token operation fails
/// @param token The address of the problematic token
error TOKEN_ERROR(address token);
/// @notice Thrown when an address is not an NfpManager
error NOT_NFP_MANAGER(address nfpManager);
/*//////////////////////////////////////////////////////////////
FEE DISTRIBUTOR ERRORS
//////////////////////////////////////////////////////////////*/
/// @notice Thrown when period is not finalized
/// @param period The unfinalized period
error NOT_FINALIZED(uint256 period);
/// @notice Thrown when the destination of a redirect is not a feeDistributor
/// @param destination Destination of the redirect
error NOT_FEE_DISTRIBUTOR(address destination);
/// @notice Thrown when the destination of a redirect's pool/pair has completely different tokens
error DIFFERENT_DESTINATION_TOKENS();
/*//////////////////////////////////////////////////////////////
PAIR ERRORS
//////////////////////////////////////////////////////////////*/
/// @notice Thrown when ratio is unstable
error UNSTABLE_RATIO();
/// @notice Thrown when safe transfer fails
error SAFE_TRANSFER_FAILED();
/// @notice Thrown on arithmetic overflow
error OVERFLOW();
/// @notice Thrown when skim operation is disabled
error SKIM_DISABLED();
/// @notice Thrown when insufficient liquidity is minted
error INSUFFICIENT_LIQUIDITY_MINTED();
/// @notice Thrown when insufficient liquidity is burned
error INSUFFICIENT_LIQUIDITY_BURNED();
/// @notice Thrown when output amount is insufficient
error INSUFFICIENT_OUTPUT_AMOUNT();
/// @notice Thrown when input amount is insufficient
error INSUFFICIENT_INPUT_AMOUNT();
/// @notice Generic insufficient liquidity error
error INSUFFICIENT_LIQUIDITY();
/// @notice Invalid transfer error
error INVALID_TRANSFER();
/// @notice K value error in AMM
error K();
/*//////////////////////////////////////////////////////////////
PAIR FACTORY ERRORS
//////////////////////////////////////////////////////////////*/
/// @notice Thrown when fee is too high
error FEE_TOO_HIGH();
/// @notice Thrown when fee is zero
error ZERO_FEE();
/// @notice Thrown when token assortment is invalid
error INVALID_ASSORTMENT();
/// @notice Thrown when address is zero
error ZERO_ADDRESS();
/// @notice Thrown when pair already exists
error PAIR_EXISTS();
/// @notice Thrown when fee split is invalid
error INVALID_FEE_SPLIT();
/*//////////////////////////////////////////////////////////////
FEE RECIPIENT FACTORY ERRORS
//////////////////////////////////////////////////////////////*/
/// @notice Thrown when treasury fee is invalid
error INVALID_TREASURY_FEE();
/*//////////////////////////////////////////////////////////////
ROUTER ERRORS
//////////////////////////////////////////////////////////////*/
/// @notice Thrown when deadline has expired
error EXPIRED();
/// @notice Thrown when tokens are identical
error IDENTICAL();
/// @notice Thrown when amount is insufficient
error INSUFFICIENT_AMOUNT();
/// @notice Thrown when path is invalid
error INVALID_PATH();
/// @notice Thrown when token B amount is insufficient
error INSUFFICIENT_B_AMOUNT();
/// @notice Thrown when token A amount is insufficient
error INSUFFICIENT_A_AMOUNT();
/// @notice Thrown when input amount is excessive
error EXCESSIVE_INPUT_AMOUNT();
/// @notice Thrown when ETH transfer fails
error ETH_TRANSFER_FAILED();
/// @notice Thrown when reserves are invalid
error INVALID_RESERVES();
/*//////////////////////////////////////////////////////////////
MINTER ERRORS
//////////////////////////////////////////////////////////////*/
/// @notice Thrown when epoch 0 has already started
error STARTED();
/// @notice Thrown when emissions haven't started
error EMISSIONS_NOT_STARTED();
/// @notice Thrown when deviation is too high
error TOO_HIGH();
/// @notice Thrown when no value change detected
error NO_CHANGE();
/// @notice Thrown when updating emissions in same period
error SAME_PERIOD();
/// @notice Thrown when contract setup is invalid
error INVALID_CONTRACT();
/// @notice Thrown when legacy factory doesn't have feeSplitWhenNoGauge on
error FEE_SPLIT_WHEN_NO_GAUGE_IS_OFF();
/*//////////////////////////////////////////////////////////////
ACCESS HUB ERRORS
//////////////////////////////////////////////////////////////*/
/// @notice Thrown when addresses are identical
error SAME_ADDRESS();
/// @notice Thrown when caller is not timelock
/// @param caller The invalid caller address
error NOT_TIMELOCK(address caller);
/// @notice Thrown when manual execution fails
/// @param reason The failure reason
error MANUAL_EXECUTION_FAILURE(bytes reason);
/// @notice Thrown when kick operation is forbidden
/// @param target The target address
error KICK_FORBIDDEN(address target);
/// @notice Thrown when the function called on AccessHub is not found
error FUNCTION_NOT_FOUND();
/// @notice Thrown when the expansion pack can't be added
error FAILED_TO_ADD();
/// @notice Thrown when the expansion pack can't be removed
error FAILED_TO_REMOVE();
/// @notice Throw when someone other than x33Adapter calls rebaseX33Callback
error NOT_X33_ADAPTER();
/*//////////////////////////////////////////////////////////////
VOTE MODULE ERRORS
//////////////////////////////////////////////////////////////*/
/// @notice Thrown when caller is not xRam
error NOT_XRAM();
/// @notice Thrown when cooldown period is still active
error COOLDOWN_ACTIVE();
/// @notice Thrown when caller is not vote module
error NOT_VOTEMODULE();
/// @notice Thrown when caller is unauthorized
error UNAUTHORIZED();
/// @notice Thrown when caller is not access hub
error NOT_ACCESSHUB();
/// @notice Thrown when address is invalid
error INVALID_ADDRESS();
/*//////////////////////////////////////////////////////////////
X33 ERRORS
//////////////////////////////////////////////////////////////*/
/// @notice Thrown when value is zero
error ZERO();
/// @notice Thrown when amount is insufficient
error NOT_ENOUGH();
/// @notice Thrown when value doesn't conform to scale
/// @param value The non-conforming value
error NOT_CONFORMED_TO_SCALE(uint256 value);
/// @notice Thrown when contract is locked
error LOCKED();
/// @notice Thrown when rebase is in progress
error REBASE_IN_PROGRESS();
/// @notice Thrown when aggregator reverts
/// @param reason The revert reason
error AGGREGATOR_REVERTED(bytes reason);
/// @notice Thrown when output amount is too low
/// @param amount The insufficient amount
error AMOUNT_OUT_TOO_LOW(uint256 amount);
/// @notice Thrown when aggregator is not whitelisted
/// @param aggregator The non-whitelisted aggregator address
error AGGREGATOR_NOT_WHITELISTED(address aggregator);
/// @notice Thrown when token is forbidden
/// @param token The forbidden token address
error FORBIDDEN_TOKEN(address token);
/*//////////////////////////////////////////////////////////////
XRAM ERRORS
//////////////////////////////////////////////////////////////*/
/// @notice Thrown when caller is not minter
error NOT_MINTER();
/// @notice Thrown when no vest exists
error NO_VEST();
/// @notice Thrown when already exempt
error ALREADY_EXEMPT();
/// @notice Thrown when not exempt
error NOT_EXEMPT();
/// @notice Thrown when rescue operation is not allowed
error CANT_RESCUE();
/// @notice Thrown when array lengths mismatch
error ARRAY_LENGTHS();
/// @notice Thrown when vesting periods overlap
error VEST_OVERLAP();
/*//////////////////////////////////////////////////////////////
V3 FACTORY ERRORS
//////////////////////////////////////////////////////////////*/
/// @notice Thrown when tokens are identical
error IDENTICAL_TOKENS();
/// @notice Thrown when fee is too large
error FEE_TOO_LARGE();
/// @notice Address zero error
error ADDRESS_ZERO();
/// @notice Fee zero error
error F0();
/// @notice Thrown when value is out of bounds
/// @param value The out of bounds value
error OOB(uint8 value);
}// 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 IRamsesV3PoolImmutables {
/// @notice The contract that deployed the pool, which must adhere to the IRamsesV3Factory 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 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 IRamsesV3PoolState {
/// @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,
uint24 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 Get the accumulated fee growth for the first token in the pool before protocol fees
/// @dev This value can overflow the uint256
function grossFeeGrowthGlobal0X128() external view returns (uint256);
/// @notice Get the accumulated fee growth for the second token in the pool before protocol fees
/// @dev This value can overflow the uint256
function grossFeeGrowthGlobal1X128() 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
);
/// @notice get the period seconds in range of a specific position
/// @param period the period number
/// @param owner owner address
/// @param index position index
/// @param tickLower lower bound of range
/// @param tickUpper upper bound of range
/// @return periodSecondsInsideX96 seconds the position was in range for the period
function positionPeriodSecondsInRange(
uint256 period,
address owner,
uint256 index,
int24 tickLower,
int24 tickUpper
) external view returns (uint256 periodSecondsInsideX96);
}// 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 IRamsesV3PoolDerivedState {
/// @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 Permissionless pool actions
/// @notice Contains pool methods that can be called by anyone
interface IRamsesV3PoolActions {
/// @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 index The index 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,
uint256 index,
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 index The index of the position to be 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,
uint256 index,
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 index The index for which the liquidity will be burned
/// @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(
uint256 index,
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 Permissioned pool actions
/// @notice Contains pool methods that may only be called by the factory owner
interface IRamsesV3PoolOwnerActions {
/// @notice Set the denominator of the protocol's % share of the fees
function setFeeProtocol() 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);
function setFee(uint24 _fee) external;
}// SPDX-License-Identifier: GPL-2.0-or-later
pragma solidity >=0.5.0;
/// @title Errors emitted by a pool
/// @notice Contains all custom errors that can be emitted by the pool
interface IRamsesV3PoolErrors {
/*//////////////////////////////////////////////////////////////
POOL ERRORS
//////////////////////////////////////////////////////////////*/
/// @notice Thrown when the pool is locked during a swap or mint/burn operation
error LOK(); // Locked
/// @notice Thrown when tick lower is greater than upper in position management
error TLU(); // Tick Lower > Upper
/// @notice Thrown when tick lower is less than minimum allowed
error TLM(); // Tick Lower < Min
/// @notice Thrown when tick upper is greater than maximum allowed
error TUM(); // Tick Upper > Max
/// @notice Thrown when the pool is already initialized
error AI(); // Already Initialized
/// @notice Thrown when the first margin value is zero
error M0(); // Mint token 0 error
/// @notice Thrown when the second margin value is zero
error M1(); // Mint token1 error
/// @notice Thrown when amount specified is invalid
error AS(); // Amount Specified Invalid
/// @notice Thrown when input amount is insufficient
error IIA(); // Insufficient Input Amount
/// @notice Thrown when pool lacks sufficient liquidity for operation
error L(); // Insufficient Liquidity
/// @notice Thrown when the first fee value is zero
error F0(); // Fee0 issue or Fee = 0
/// @notice Thrown when the second fee value is zero
error F1(); // Fee1 issue
/// @notice Thrown when square price limit is invalid
error SPL(); // Square Price Limit Invalid
}// 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 IRamsesV3PoolEvents {
/// @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 index The index of the position
/// @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,
uint256 index,
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);
}{
"remappings": [
"@layerzerolabs/=node_modules/@layerzerolabs/",
"@layerzerolabs/lz-evm-protocol-v2/=node_modules/@layerzerolabs/lz-evm-protocol-v2/",
"@openzeppelin-contracts-upgradeable/=dependencies/@openzeppelin-contracts-upgradeable-5.1.0/",
"@openzeppelin-contracts/contracts/=dependencies/@openzeppelin-contracts-5.1.0/",
"@openzeppelin/contracts-upgradeable/=dependencies/@openzeppelin-contracts-upgradeable-5.1.0/",
"@openzeppelin/contracts/=dependencies/@openzeppelin-contracts-5.1.0/",
"erc4626-tests/=dependencies/erc4626-property-tests-1.0/",
"forge-std/=dependencies/forge-std-1.9.4/src/",
"permit2/=lib/permit2/",
"@openzeppelin-3.4.2/=node_modules/@openzeppelin-3.4.2/",
"@openzeppelin-contracts-5.1.0/=dependencies/@openzeppelin-contracts-5.1.0/",
"@openzeppelin-contracts-upgradeable-5.1.0/=dependencies/@openzeppelin-contracts-upgradeable-5.1.0/",
"@uniswap/=node_modules/@uniswap/",
"base64-sol/=node_modules/base64-sol/",
"erc4626-property-tests-1.0/=dependencies/erc4626-property-tests-1.0/",
"eth-gas-reporter/=node_modules/eth-gas-reporter/",
"forge-std-1.9.4/=dependencies/forge-std-1.9.4/src/",
"hardhat/=node_modules/hardhat/",
"solidity-bytes-utils/=node_modules/solidity-bytes-utils/",
"solmate/=node_modules/solmate/"
],
"optimizer": {
"enabled": true,
"runs": 300
},
"metadata": {
"useLiteralContent": false,
"bytecodeHash": "ipfs",
"appendCBOR": true
},
"outputSelection": {
"*": {
"*": [
"evm.bytecode",
"evm.deployedBytecode",
"devdoc",
"userdoc",
"metadata",
"abi"
]
}
},
"evmVersion": "cancun",
"viaIR": true
}Contract Security Audit
- No Contract Security Audit Submitted- Submit Audit Here
Contract ABI
API[{"inputs":[{"internalType":"address","name":"_accessHub","type":"address"}],"stateMutability":"nonpayable","type":"constructor"},{"inputs":[],"name":"ADDRESS_ZERO","type":"error"},{"inputs":[],"name":"F0","type":"error"},{"inputs":[],"name":"FEE_TOO_LARGE","type":"error"},{"inputs":[],"name":"IDENTICAL_TOKENS","type":"error"},{"inputs":[],"name":"NOT_ACCESSHUB","type":"error"},{"inputs":[],"name":"PAIR_EXISTS","type":"error"},{"anonymous":false,"inputs":[{"indexed":false,"internalType":"address","name":"pool","type":"address"},{"indexed":false,"internalType":"uint24","name":"newFee","type":"uint24"}],"name":"FeeAdjustment","type":"event"},{"anonymous":false,"inputs":[{"indexed":true,"internalType":"address","name":"oldFeeCollector","type":"address"},{"indexed":true,"internalType":"address","name":"newFeeCollector","type":"address"}],"name":"FeeCollectorChanged","type":"event"},{"anonymous":false,"inputs":[{"indexed":true,"internalType":"address","name":"token0","type":"address"},{"indexed":true,"internalType":"address","name":"token1","type":"address"},{"indexed":true,"internalType":"uint24","name":"fee","type":"uint24"},{"indexed":false,"internalType":"int24","name":"tickSpacing","type":"int24"},{"indexed":false,"internalType":"address","name":"pool","type":"address"}],"name":"PoolCreated","type":"event"},{"anonymous":false,"inputs":[{"indexed":false,"internalType":"uint24","name":"feeProtocolOld","type":"uint24"},{"indexed":false,"internalType":"uint24","name":"feeProtocolNew","type":"uint24"}],"name":"SetFeeProtocol","type":"event"},{"anonymous":false,"inputs":[{"indexed":false,"internalType":"address","name":"pool","type":"address"},{"indexed":false,"internalType":"uint24","name":"feeProtocolOld","type":"uint24"},{"indexed":false,"internalType":"uint24","name":"feeProtocolNew","type":"uint24"}],"name":"SetPoolFeeProtocol","type":"event"},{"anonymous":false,"inputs":[{"indexed":true,"internalType":"int24","name":"tickSpacing","type":"int24"},{"indexed":true,"internalType":"uint24","name":"fee","type":"uint24"}],"name":"TickSpacingEnabled","type":"event"},{"inputs":[],"name":"DEFAULT_FEE_FLAG","outputs":[{"internalType":"uint24","name":"","type":"uint24"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"accessHub","outputs":[{"internalType":"address","name":"","type":"address"}],"stateMutability":"view","type":"function"},{"inputs":[{"internalType":"address","name":"tokenA","type":"address"},{"internalType":"address","name":"tokenB","type":"address"},{"internalType":"int24","name":"tickSpacing","type":"int24"},{"internalType":"uint160","name":"sqrtPriceX96","type":"uint160"}],"name":"createPool","outputs":[{"internalType":"address","name":"pool","type":"address"}],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"int24","name":"tickSpacing","type":"int24"},{"internalType":"uint24","name":"initialFee","type":"uint24"}],"name":"enableTickSpacing","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[],"name":"feeCollector","outputs":[{"internalType":"address","name":"","type":"address"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"feeProtocol","outputs":[{"internalType":"uint24","name":"","type":"uint24"}],"stateMutability":"view","type":"function"},{"inputs":[{"internalType":"address","name":"pool","type":"address"}],"name":"gaugeFeeSplitEnable","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"address","name":"tokenA","type":"address"},{"internalType":"address","name":"tokenB","type":"address"},{"internalType":"int24","name":"tickSpacing","type":"int24"}],"name":"getPool","outputs":[{"internalType":"address","name":"pool","type":"address"}],"stateMutability":"view","type":"function"},{"inputs":[{"internalType":"address","name":"_ramsesV3PoolDeployer","type":"address"}],"name":"initialize","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"address","name":"pool","type":"address"}],"name":"isPairV3","outputs":[{"internalType":"bool","name":"isV3","type":"bool"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"parameters","outputs":[{"internalType":"address","name":"factory","type":"address"},{"internalType":"address","name":"token0","type":"address"},{"internalType":"address","name":"token1","type":"address"},{"internalType":"uint24","name":"fee","type":"uint24"},{"internalType":"int24","name":"tickSpacing","type":"int24"}],"stateMutability":"view","type":"function"},{"inputs":[{"internalType":"address","name":"pool","type":"address"}],"name":"poolFeeProtocol","outputs":[{"internalType":"uint24","name":"__poolFeeProtocol","type":"uint24"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"ramsesV3PoolDeployer","outputs":[{"internalType":"address","name":"","type":"address"}],"stateMutability":"view","type":"function"},{"inputs":[{"internalType":"address","name":"_pool","type":"address"},{"internalType":"uint24","name":"_fee","type":"uint24"}],"name":"setFee","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"address","name":"_feeCollector","type":"address"}],"name":"setFeeCollector","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"uint24","name":"_feeProtocol","type":"uint24"}],"name":"setFeeProtocol","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"address","name":"pool","type":"address"},{"internalType":"uint24","name":"_feeProtocol","type":"uint24"}],"name":"setPoolFeeProtocol","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"address","name":"_voter","type":"address"}],"name":"setVoter","outputs":[],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"int24","name":"tickSpacing","type":"int24"}],"name":"tickSpacingInitialFee","outputs":[{"internalType":"uint24","name":"initialFee","type":"uint24"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"voter","outputs":[{"internalType":"address","name":"","type":"address"}],"stateMutability":"view","type":"function"}]Contract Creation Code
0x6080346101dc57601f610f7438819003918201601f19168301916001600160401b038311848410176101e0578084926020946040528339810103126101dc57516001600160a01b038116908190036101dc5760018060a01b0319600254161760025560015f52600760205260405f20606462ffffff198254161790557f67a069e4d951485f3e494a1edfa67d7334e991e8514ba748fd1636270acd1c9760408051606460015f516020610f545f395f51905f525f80a360055f526007602052815f2060fa62ffffff1982541617905560fa60055f516020610f545f395f51905f525f80a3600a5f526007602052815f206101f462ffffff198254161790556101f4600a5f516020610f545f395f51905f525f80a360325f526007602052815f20610bb862ffffff19825416179055610bb860325f516020610f545f395f51905f525f80a360645f526007602052815f2061271062ffffff1982541617905561271060645f516020610f545f395f51905f525f80a360c85f526007602052815f20614e2062ffffff19825416179055614e2060c85f516020610f545f395f51905f525f80a35f80546001600160b81b0319163317610c3560a41b1780825590825260a01c62ffffff166020820152a1604051610d5f90816101f58239f35b5f80fd5b634e487b7160e01b5f52604160045260245ffdfe60806040526004361015610011575f80fd5b5f5f3560e01c8063232aa5ac146108c257806328af8d0b146108555780633cb08b53146107ae57806342378e951461077157806346c96aac1461074a5780634bc2a657146106ff578063527eb4bc146106da5780637ab4974d146105c25780637fe355101461052a57806389035730146104c7578063a42dce8014610431578063ba364c3d14610368578063bf49a29214610342578063c415b95c1461031b578063c4d66de8146102ce578063cf3a52a614610297578063dd6c5a6b14610279578063e7589b3914610252578063ebb0d9f7146102215763eee0fdb4146100f6575f80fd5b3461021e57604036600319011261021e5761010f610cae565b610117610cbe565b6001600160a01b0360025416330361020f5762ffffff1690620f42408210156102005760020b828113806101f5575b156101cb57808352600760205262ffffff6040842054166101a057808352600760205260408320805462ffffff1916831790557febafae466a4a780a1d87f5fab2f52fad33be9151a7f69d099e8934c8de85b7478380a380f35b606460405162461bcd60e51b81526020600482015260046024820152630545321360e41b6044820152fd5b60405162461bcd60e51b8152602060048201526002602482015261545360f01b6044820152606490fd5b506140008112610146565b6330f7b9d960e01b8352600483fd5b63eb41813b60e01b8352600483fd5b80fd5b503461021e57602036600319011261021e576020610245610240610c72565b610cf2565b62ffffff60405191168152f35b503461021e578060031936011261021e5760206001600160a01b0360025416604051908152f35b503461021e578060031936011261021e57602060405162ffffff8152f35b503461021e57602036600319011261021e5762ffffff60406020926102ba610cae565b60020b815260078452205416604051908152f35b503461021e57602036600319011261021e576102e8610c72565b815490336001600160a01b03831603610317576001600160a01b0316906001600160601b0360a01b1617815580f35b8280fd5b503461021e578060031936011261021e5760206001600160a01b0360015416604051908152f35b503461021e578060031936011261021e576001600160a01b036020915416604051908152f35b503461021e57604036600319011261021e57610382610c72565b61038a610cbe565b906001600160a01b0360025416330361020f576001600160a01b031690813b15610317578262ffffff6040519263755dab1160e11b84521691826004820152818160248183885af1801561042657610411575b507fe4accbaee82fb833ac207d4c4454c5a04e85f5e1e9a20a9e2c98e54e8706ff2b6040848482519182526020820152a180f35b8161041b91610cd0565b61031757825f6103dd565b6040513d84823e3d90fd5b503461021e57602036600319011261021e5761044b610c72565b6001600160a01b036002541633036104b8576001600160a01b03600154911690816001600160a01b0382167f649c5e3d0ed183894196148e193af316452b0037e77d2ff0fef23b7dc722bed08580a373ffffffffffffffffffffffffffffffffffffffff19161760015580f35b63eb41813b60e01b8252600482fd5b503461021e578060031936011261021e5760a06001600160a01b03600454166001600160a01b03600554166006549060405192835260208301526001600160a01b038116604083015262ffffff81841c16606083015260b81c60020b6080820152f35b503461021e57602036600319011261021e5760043562ffffff8116808203610317576001600160a01b0360025416330361020f57620f4240811161020057825462ffffff60a01b19811660a093841b62ffffff60a01b16178455604080519190931c62ffffff16815260208101919091527f67a069e4d951485f3e494a1edfa67d7334e991e8514ba748fd1636270acd1c979190a180f35b503461021e57604036600319011261021e576105dc610c72565b906105e5610cbe565b6001600160a01b036002541633036104b85762ffffff16620f424081118015906106ce575b156106bf577f1fb49ee35e38c4a757469d4a1c37187e7b3821f994a5556fde452ba2607ee23560608462ffffff61066a6106448798610cf2565b926001600160a01b03811696878952600a60205260408920908419825416179055610cf2565b8160405193878552166020840152166040820152a1803b156106bc57818091600460405180948193637b7d549d60e01b83525af18015610426576106ab5750f35b816106b591610cd0565b61021e5780f35b50fd5b6330f7b9d960e01b8252600482fd5b5062ffffff811461060a565b503461021e578060031936011261021e5762ffffff6020915460a01c16604051908152f35b503461021e57602036600319011261021e57610719610c72565b6001600160a01b036002541633036104b8576001600160a01b03166001600160601b0360a01b600354161760035580f35b503461021e578060031936011261021e5760206001600160a01b0360035416604051908152f35b503461021e57602036600319011261021e5760ff60406020926001600160a01b0361079a610c72565b168152600984522054166040519015158152f35b503461021e57602036600319011261021e57806001600160a01b036107d1610c72565b6003548216331461080b5716803b156106bc57818091600460405180948193637b7d549d60e01b83525af18015610426576106ab57505080f35b16808252600a60205260408220805462ffffff1916620f4240179055803b156106bc57818091600460405180948193637b7d549d60e01b83525af18015610426576106ab57505080f35b503461021e57606036600319011261021e5761086f610c72565b906001600160a01b036040610882610c88565b928261088c610c9e565b9516815260086020522091165f5260205260405f209060020b5f5260205260206001600160a01b0360405f205416604051908152f35b34610bcc576080366003190112610bcc576108db610c72565b6108e3610c88565b6108eb610c9e565b606435926001600160a01b038416809403610bcc576001600160a01b0383166001600160a01b038216818114610c63571015610c54576001600160a01b03905b16918215610c45578160020b92835f52600760205260405f20549262ffffff8416938415610c3657825f52600860205260405f206001600160a01b0385165f5260205260405f20865f526020526001600160a01b0360405f205416610c27576040519360a085019085821067ffffffffffffffff831117610c13576001600160a01b03608091899360405230885286602089015216958660408201528760608201520152306001600160601b0360a01b6004541617600455826001600160601b0360a01b6005541617600555836001600160601b0360a01b60065416176006556006549062ffffff60a01b9062ffffff60a01b9060a01b16169062ffffff60a01b1916176006556006549060b81b62ffffff60b81b169062ffffff60b81b1916176006555f60206001600160a01b03825416606460405180948193635f90b0b360e11b83528760048401528860248401528a60448401525af1908115610bc1575f91610bd0575b5060406001600160a01b037f783cca1c0412dd0d695e784568c96da2e9c22ff989357a2e8b1d9b2b4e6b7118925f6004555f6005555f600655845f526008602052825f20865f52602052825f20885f52602052825f208282166001600160601b0360a01b825416179055855f526008602052825f20855f52602052825f20885f52602052825f208282166001600160601b0360a01b8254161790551695865f526009602052815f20600160ff19825416179055865f52600a602052815f2062ffffff80198254161790558151908152866020820152a481610b79575b602090604051908152f35b803b15610bcc576040519163f637731d60e01b835260048301525f8260248183855af1918215610bc157602092610bb1575b50610b6e565b5f610bbb91610cd0565b5f610bab565b6040513d5f823e3d90fd5b5f80fd5b90506020813d602011610c0b575b81610beb60209383610cd0565b81010312610bcc57516001600160a01b0381168103610bcc576040610a92565b3d9150610bde565b634e487b7160e01b5f52604160045260245ffd5b63938ced7160e01b5f5260045ffd5b63f704e89960e01b5f5260045ffd5b6366e7950960e01b5f5260045ffd5b916001600160a01b039061092b565b638d3e90ff60e01b5f5260045ffd5b600435906001600160a01b0382168203610bcc57565b602435906001600160a01b0382168203610bcc57565b604435908160020b8203610bcc57565b600435908160020b8203610bcc57565b6024359062ffffff82168203610bcc57565b90601f8019910116810190811067ffffffffffffffff821117610c1357604052565b6001600160a01b03165f52600a60205262ffffff60405f20541662ffffff81145f14610d26575062ffffff5f5460a01c1690565b9056fea26469706673582212209e1dadf719f4383e1f04deca96198b9cf88da4516815a6a0b23cb782af113b7a64736f6c634300081c0033ebafae466a4a780a1d87f5fab2f52fad33be9151a7f69d099e8934c8de85b7470000000000000000000000006631a487d59893831b331653225e0bfebf6ea1ec
Deployed Bytecode
0x60806040526004361015610011575f80fd5b5f5f3560e01c8063232aa5ac146108c257806328af8d0b146108555780633cb08b53146107ae57806342378e951461077157806346c96aac1461074a5780634bc2a657146106ff578063527eb4bc146106da5780637ab4974d146105c25780637fe355101461052a57806389035730146104c7578063a42dce8014610431578063ba364c3d14610368578063bf49a29214610342578063c415b95c1461031b578063c4d66de8146102ce578063cf3a52a614610297578063dd6c5a6b14610279578063e7589b3914610252578063ebb0d9f7146102215763eee0fdb4146100f6575f80fd5b3461021e57604036600319011261021e5761010f610cae565b610117610cbe565b6001600160a01b0360025416330361020f5762ffffff1690620f42408210156102005760020b828113806101f5575b156101cb57808352600760205262ffffff6040842054166101a057808352600760205260408320805462ffffff1916831790557febafae466a4a780a1d87f5fab2f52fad33be9151a7f69d099e8934c8de85b7478380a380f35b606460405162461bcd60e51b81526020600482015260046024820152630545321360e41b6044820152fd5b60405162461bcd60e51b8152602060048201526002602482015261545360f01b6044820152606490fd5b506140008112610146565b6330f7b9d960e01b8352600483fd5b63eb41813b60e01b8352600483fd5b80fd5b503461021e57602036600319011261021e576020610245610240610c72565b610cf2565b62ffffff60405191168152f35b503461021e578060031936011261021e5760206001600160a01b0360025416604051908152f35b503461021e578060031936011261021e57602060405162ffffff8152f35b503461021e57602036600319011261021e5762ffffff60406020926102ba610cae565b60020b815260078452205416604051908152f35b503461021e57602036600319011261021e576102e8610c72565b815490336001600160a01b03831603610317576001600160a01b0316906001600160601b0360a01b1617815580f35b8280fd5b503461021e578060031936011261021e5760206001600160a01b0360015416604051908152f35b503461021e578060031936011261021e576001600160a01b036020915416604051908152f35b503461021e57604036600319011261021e57610382610c72565b61038a610cbe565b906001600160a01b0360025416330361020f576001600160a01b031690813b15610317578262ffffff6040519263755dab1160e11b84521691826004820152818160248183885af1801561042657610411575b507fe4accbaee82fb833ac207d4c4454c5a04e85f5e1e9a20a9e2c98e54e8706ff2b6040848482519182526020820152a180f35b8161041b91610cd0565b61031757825f6103dd565b6040513d84823e3d90fd5b503461021e57602036600319011261021e5761044b610c72565b6001600160a01b036002541633036104b8576001600160a01b03600154911690816001600160a01b0382167f649c5e3d0ed183894196148e193af316452b0037e77d2ff0fef23b7dc722bed08580a373ffffffffffffffffffffffffffffffffffffffff19161760015580f35b63eb41813b60e01b8252600482fd5b503461021e578060031936011261021e5760a06001600160a01b03600454166001600160a01b03600554166006549060405192835260208301526001600160a01b038116604083015262ffffff81841c16606083015260b81c60020b6080820152f35b503461021e57602036600319011261021e5760043562ffffff8116808203610317576001600160a01b0360025416330361020f57620f4240811161020057825462ffffff60a01b19811660a093841b62ffffff60a01b16178455604080519190931c62ffffff16815260208101919091527f67a069e4d951485f3e494a1edfa67d7334e991e8514ba748fd1636270acd1c979190a180f35b503461021e57604036600319011261021e576105dc610c72565b906105e5610cbe565b6001600160a01b036002541633036104b85762ffffff16620f424081118015906106ce575b156106bf577f1fb49ee35e38c4a757469d4a1c37187e7b3821f994a5556fde452ba2607ee23560608462ffffff61066a6106448798610cf2565b926001600160a01b03811696878952600a60205260408920908419825416179055610cf2565b8160405193878552166020840152166040820152a1803b156106bc57818091600460405180948193637b7d549d60e01b83525af18015610426576106ab5750f35b816106b591610cd0565b61021e5780f35b50fd5b6330f7b9d960e01b8252600482fd5b5062ffffff811461060a565b503461021e578060031936011261021e5762ffffff6020915460a01c16604051908152f35b503461021e57602036600319011261021e57610719610c72565b6001600160a01b036002541633036104b8576001600160a01b03166001600160601b0360a01b600354161760035580f35b503461021e578060031936011261021e5760206001600160a01b0360035416604051908152f35b503461021e57602036600319011261021e5760ff60406020926001600160a01b0361079a610c72565b168152600984522054166040519015158152f35b503461021e57602036600319011261021e57806001600160a01b036107d1610c72565b6003548216331461080b5716803b156106bc57818091600460405180948193637b7d549d60e01b83525af18015610426576106ab57505080f35b16808252600a60205260408220805462ffffff1916620f4240179055803b156106bc57818091600460405180948193637b7d549d60e01b83525af18015610426576106ab57505080f35b503461021e57606036600319011261021e5761086f610c72565b906001600160a01b036040610882610c88565b928261088c610c9e565b9516815260086020522091165f5260205260405f209060020b5f5260205260206001600160a01b0360405f205416604051908152f35b34610bcc576080366003190112610bcc576108db610c72565b6108e3610c88565b6108eb610c9e565b606435926001600160a01b038416809403610bcc576001600160a01b0383166001600160a01b038216818114610c63571015610c54576001600160a01b03905b16918215610c45578160020b92835f52600760205260405f20549262ffffff8416938415610c3657825f52600860205260405f206001600160a01b0385165f5260205260405f20865f526020526001600160a01b0360405f205416610c27576040519360a085019085821067ffffffffffffffff831117610c13576001600160a01b03608091899360405230885286602089015216958660408201528760608201520152306001600160601b0360a01b6004541617600455826001600160601b0360a01b6005541617600555836001600160601b0360a01b60065416176006556006549062ffffff60a01b9062ffffff60a01b9060a01b16169062ffffff60a01b1916176006556006549060b81b62ffffff60b81b169062ffffff60b81b1916176006555f60206001600160a01b03825416606460405180948193635f90b0b360e11b83528760048401528860248401528a60448401525af1908115610bc1575f91610bd0575b5060406001600160a01b037f783cca1c0412dd0d695e784568c96da2e9c22ff989357a2e8b1d9b2b4e6b7118925f6004555f6005555f600655845f526008602052825f20865f52602052825f20885f52602052825f208282166001600160601b0360a01b825416179055855f526008602052825f20855f52602052825f20885f52602052825f208282166001600160601b0360a01b8254161790551695865f526009602052815f20600160ff19825416179055865f52600a602052815f2062ffffff80198254161790558151908152866020820152a481610b79575b602090604051908152f35b803b15610bcc576040519163f637731d60e01b835260048301525f8260248183855af1918215610bc157602092610bb1575b50610b6e565b5f610bbb91610cd0565b5f610bab565b6040513d5f823e3d90fd5b5f80fd5b90506020813d602011610c0b575b81610beb60209383610cd0565b81010312610bcc57516001600160a01b0381168103610bcc576040610a92565b3d9150610bde565b634e487b7160e01b5f52604160045260245ffd5b63938ced7160e01b5f5260045ffd5b63f704e89960e01b5f5260045ffd5b6366e7950960e01b5f5260045ffd5b916001600160a01b039061092b565b638d3e90ff60e01b5f5260045ffd5b600435906001600160a01b0382168203610bcc57565b602435906001600160a01b0382168203610bcc57565b604435908160020b8203610bcc57565b600435908160020b8203610bcc57565b6024359062ffffff82168203610bcc57565b90601f8019910116810190811067ffffffffffffffff821117610c1357604052565b6001600160a01b03165f52600a60205262ffffff60405f20541662ffffff81145f14610d26575062ffffff5f5460a01c1690565b9056fea26469706673582212209e1dadf719f4383e1f04deca96198b9cf88da4516815a6a0b23cb782af113b7a64736f6c634300081c0033
Loading...
Loading
Loading...
Loading
Loading...
Loading
Net Worth in USD
$0.00
Net Worth in HYPE
Multichain Portfolio | 35 Chains
| Chain | Token | Portfolio % | Price | Amount | Value |
|---|
Loading...
Loading
Loading...
Loading
Loading...
Loading
[ Download: CSV Export ]
A contract address hosts a smart contract, which is a set of code stored on the blockchain that runs when predetermined conditions are met. Learn more about addresses in our Knowledge Base.