Contract

0xD464d06eDd2bAf89CA67c02579Ce118a5DF106D9

Overview

S Balance

Sonic LogoSonic LogoSonic Logo0 S

S Value

-

Multichain Info

No addresses found
Transaction Hash
Method
Block
From
To
Quote Exact Inpu...19457122024-12-30 0:28:263 days ago1735518506IN
0xD464d06e...a5DF106D9
0 S0.045165341.21

Parent Transaction Hash Block From To
View All Internal Transactions
Loading...
Loading

Contract Source Code Verified (Exact Match)

Contract Name:
MixedRouteQuoterV1

Compiler Version
v0.8.28+commit.7893614a

Optimization Enabled:
Yes with 2633 runs

Other Settings:
cancun EvmVersion
File 1 of 25 : MixedRouteQuoterV1.sol
// SPDX-License-Identifier: GPL-2.0-or-later
pragma solidity ^0.8.26;
pragma abicoder v2;

import 'contracts/CL/core/libraries/SafeCast.sol';
import 'contracts/CL/core/libraries/TickMath.sol';
import 'contracts/CL/core/libraries/TickBitmap.sol';
import 'contracts/CL/core/interfaces/IRamsesV3Pool.sol';
import 'contracts/CL/core/interfaces/IRamsesV3Factory.sol';
import 'contracts/CL/core/interfaces/callback/IUniswapV3SwapCallback.sol';
import 'contracts/CL/periphery/libraries/Path.sol';
import 'contracts/CL/periphery/libraries/PoolAddress.sol';
import 'contracts/CL/periphery/libraries/CallbackValidation.sol';
import 'contracts/interfaces/IPair.sol';
import 'contracts/interfaces/IPairFactory.sol';
import 'contracts/CL/periphery/interfaces/IMixedRouteQuoterV1.sol';
import 'contracts/CL/periphery/libraries/PoolTicksCounter.sol';
import 'contracts/CL/universalRouter/modules/uniswap/v2/RamsesLegacyLibrary.sol';
/// @title Provides on chain quotes for V3, V2, and MixedRoute exact input swaps
/// @notice Allows getting the expected amount out for a given swap without executing the swap
/// @notice Does not support exact output swaps since using the contract balance between exactOut swaps is not supported
/// @dev These functions are not gas efficient and should _not_ be called on chain. Instead, optimistically execute
/// the swap and check the amounts in the callback.
contract MixedRouteQuoterV1 is IMixedRouteQuoterV1, IUniswapV3SwapCallback {
    using Path for bytes;
    using SafeCast for uint256;
    using PoolTicksCounter for IRamsesV3Pool;
    address public pairFactory;
    address public factory;
    address public contractDeployer;
    bytes32 public initCodeHash;
    /// @dev Value to bit mask with path fee to determine if V2 or V3 route
    // max V3 fee:           000011110100001001000000 (24 bits)
    // mask:       1 << 23 = 100000000000000000000000 = decimal value 8388608
    uint24 private constant flagBitmask = 8388608;

    /// @dev Transient storage variable used to check a safety condition in exact output swaps.
    uint256 private amountOutCached;

    constructor(address _factory, address _pairFactory) {
        factory = _factory;
        contractDeployer = IRamsesV3Factory(factory).ramsesV3PoolDeployer();
        pairFactory = _pairFactory;
        // initCodeHash = IPairFactory(_pairFactory).pairCodeHash();
        initCodeHash = 0x96e8ac4277198ff8b6f785478aa9a3453ee4fbe1945627f56725939b223ff5c2; // fake random hash
    }

    function getPool(address tokenA, address tokenB, int24 tickSpacing) private view returns (IRamsesV3Pool) {
        return IRamsesV3Pool(PoolAddress.computeAddress(contractDeployer, PoolAddress.getPoolKey(tokenA, tokenB, tickSpacing)));
    }

    /// @dev Given an amountIn, fetch the reserves of the V2 pair and get the amountOut
    function getPairAmountOut(
        uint256 amountIn,
        address tokenIn,
        address tokenOut,
        bool stable
    ) private view returns (uint256) {
        address pair = RamsesLegacyLibrary.pairFor(pairFactory, initCodeHash, tokenIn, tokenOut, stable);
        uint256 fee = IPairFactory(pairFactory).pairFee(pair);
        (uint256 reserveIn, uint256 reserveOut, uint256 decimalsIn, uint256 decimalsOut) = RamsesLegacyLibrary.getReserves(
            pairFactory,
            initCodeHash,
            tokenIn,
            tokenOut,
            stable
        );

        amountIn -= (amountIn * fee) / 10000;
        return RamsesLegacyLibrary.getAmountOut(amountIn, reserveIn, reserveOut, stable, decimalsIn, decimalsOut);
    }

    /// @inheritdoc IUniswapV3SwapCallback
    function uniswapV3SwapCallback(int256 amount0Delta, int256 amount1Delta, bytes memory path) external view override {
        require(amount0Delta > 0 || amount1Delta > 0); // swaps entirely within 0-liquidity regions are not supported
        (address tokenIn, int24 tickSpacing, address tokenOut) = path.decodeFirstPool();
        CallbackValidation.verifyCallback(contractDeployer, tokenIn, tokenOut, tickSpacing);

        (bool isExactInput, uint256 amountReceived) = amount0Delta > 0
            ? (tokenIn < tokenOut, uint256(-amount1Delta))
            : (tokenOut < tokenIn, uint256(-amount0Delta));

        IRamsesV3Pool pool = getPool(tokenIn, tokenOut, tickSpacing);
        (uint160 v3SqrtPriceX96After, int24 tickAfter, , , , , ) = pool.slot0();

        if (isExactInput) {
            assembly {
                let ptr := mload(0x40)
                mstore(ptr, amountReceived)
                mstore(add(ptr, 0x20), v3SqrtPriceX96After)
                mstore(add(ptr, 0x40), tickAfter)
                revert(ptr, 0x60)
            }
        } else {
            /// since we don't support exactOutput, revert here
            revert('Exact output quote not supported');
        }
    }

    /// @dev Parses a revert reason that should contain the numeric quote
    function parseRevertReason(
        bytes memory reason
    ) private pure returns (uint256 amount, uint160 sqrtPriceX96After, int24 tickAfter) {
        if (reason.length != 0x60) {
            if (reason.length < 0x44) revert('Unexpected error');
            assembly {
                reason := add(reason, 0x04)
            }
            revert(abi.decode(reason, (string)));
        }
        return abi.decode(reason, (uint256, uint160, int24));
    }

    function handleV3Revert(
        bytes memory reason,
        IRamsesV3Pool pool,
        uint256 gasEstimate
    ) private view returns (uint256 amount, uint160 sqrtPriceX96After, uint32 initializedTicksCrossed, uint256) {
        int24 tickBefore;
        int24 tickAfter;
        (, tickBefore, , , , , ) = pool.slot0();
        (amount, sqrtPriceX96After, tickAfter) = parseRevertReason(reason);

        initializedTicksCrossed = pool.countInitializedTicksCrossed(tickBefore, tickAfter);

        return (amount, sqrtPriceX96After, initializedTicksCrossed, gasEstimate);
    }

    /// @dev Fetch an exactIn quote for a V3 Pool on chain
    function quoteExactInputSingleV3(
        QuoteExactInputSingleV3Params memory params
    )
        public
        override
        returns (uint256 amountOut, uint160 sqrtPriceX96After, uint32 initializedTicksCrossed, uint256 gasEstimate)
    {
        bool zeroForOne = params.tokenIn < params.tokenOut;
        IRamsesV3Pool pool = getPool(params.tokenIn, params.tokenOut, params.tickSpacing);

        uint256 gasBefore = gasleft();
        try
            pool.swap(
                address(this), // address(0) might cause issues with some tokens
                zeroForOne,
                params.amountIn.toInt256(),
                params.sqrtPriceLimitX96 == 0
                    ? (zeroForOne ? TickMath.MIN_SQRT_RATIO + 1 : TickMath.MAX_SQRT_RATIO - 1)
                    : params.sqrtPriceLimitX96,
                abi.encodePacked(params.tokenIn, params.tickSpacing, params.tokenOut)
            )
        {} catch (bytes memory reason) {
            gasEstimate = gasBefore - gasleft();
            return handleV3Revert(reason, pool, gasEstimate);
        }
    }

    /// @dev Fetch an exactIn quote for a V2 pair on chain
    function quoteExactInputSingleV2(
        QuoteExactInputSingleV2Params memory params
    ) public view override returns (uint256 amountOut) {
        amountOut = getPairAmountOut(params.amountIn, params.tokenIn, params.tokenOut, params.stable);
    }

    /// @dev Get the quote for an exactIn swap between an array of V2 and/or V3 pools
    /// @notice To encode a V2 pair within the path, use 0x800000 (hex value of 8388608) for the fee between the two token addresses
    function quoteExactInput(
        bytes memory path,
        uint256 amountIn
    )
        public
        override
        returns (
            uint256 amountOut,
            uint160[] memory v3SqrtPriceX96AfterList,
            uint32[] memory v3InitializedTicksCrossedList,
            uint256 v3SwapGasEstimate
        )
    {
        v3SqrtPriceX96AfterList = new uint160[](path.numPools());
        v3InitializedTicksCrossedList = new uint32[](path.numPools());

        uint256 i = 0;
        while (true) {
            (address tokenIn, int24 tickSpacing, address tokenOut) = path.decodeFirstPool();
            uint24 tickSpacingUint = uint24(tickSpacing);

            if (tickSpacingUint & flagBitmask != 0) {
                bool stable = tickSpacingUint == flagBitmask ? true : false;
                amountIn = quoteExactInputSingleV2(
                    QuoteExactInputSingleV2Params({tokenIn: tokenIn, tokenOut: tokenOut, amountIn: amountIn, stable: stable})
                );
            } else {
                /// the outputs of prior swaps become the inputs to subsequent ones
                (
                    uint256 _amountOut,
                    uint160 _sqrtPriceX96After,
                    uint32 _initializedTicksCrossed,
                    uint256 _gasEstimate
                ) = quoteExactInputSingleV3(
                        QuoteExactInputSingleV3Params({
                            tokenIn: tokenIn,
                            tokenOut: tokenOut,
                            tickSpacing: tickSpacing,
                            amountIn: amountIn,
                            sqrtPriceLimitX96: 0
                        })
                    );
                v3SqrtPriceX96AfterList[i] = _sqrtPriceX96After;
                v3InitializedTicksCrossedList[i] = _initializedTicksCrossed;
                v3SwapGasEstimate += _gasEstimate;
                amountIn = _amountOut;
            }
            i++;

            /// decide whether to continue or terminate
            if (path.hasMultiplePools()) {
                path = path.skipToken();
            } else {
                return (amountIn, v3SqrtPriceX96AfterList, v3InitializedTicksCrossedList, v3SwapGasEstimate);
            }
        }
    }
}

File 2 of 25 : SafeCast.sol
// SPDX-License-Identifier: GPL-2.0-or-later
pragma solidity >=0.5.0;

/// @title Safe casting methods
/// @notice Contains methods for safely casting between types
library SafeCast {
    /// @notice Cast a uint256 to a uint160, revert on overflow
    /// @param y The uint256 to be downcasted
    /// @return z The downcasted integer, now type uint160
    function toUint160(uint256 y) internal pure returns (uint160 z) {
        require((z = uint160(y)) == y);
    }

    /// @notice Cast a int256 to a int128, revert on overflow or underflow
    /// @param y The int256 to be downcasted
    /// @return z The downcasted integer, now type int128
    function toInt128(int256 y) internal pure returns (int128 z) {
        require((z = int128(y)) == y);
    }

    /// @notice Cast a uint256 to a int256, revert on overflow
    /// @param y The uint256 to be casted
    /// @return z The casted integer, now type int256
    function toInt256(uint256 y) internal pure returns (int256 z) {
        require(y < 2 ** 255);
        z = int256(y);
    }
}

File 3 of 25 : TickMath.sol
// SPDX-License-Identifier: GPL-2.0-or-later
pragma solidity ^0.8.26;

/// @title Math library for computing sqrt prices from ticks and vice versa
/// @notice Computes sqrt price for ticks of size 1.0001, i.e. sqrt(1.0001^tick) as fixed point Q64.96 numbers. Supports
/// prices between 2**-128 and 2**128
library TickMath {
    error T();
    error R();

    /// @dev The minimum tick that may be passed to #getSqrtRatioAtTick computed from log base 1.0001 of 2**-128
    int24 internal constant MIN_TICK = -887272;
    /// @dev The maximum tick that may be passed to #getSqrtRatioAtTick computed from log base 1.0001 of 2**128
    int24 internal constant MAX_TICK = -MIN_TICK;

    /// @dev The minimum value that can be returned from #getSqrtRatioAtTick. Equivalent to getSqrtRatioAtTick(MIN_TICK)
    uint160 internal constant MIN_SQRT_RATIO = 4295128739;
    /// @dev The maximum value that can be returned from #getSqrtRatioAtTick. Equivalent to getSqrtRatioAtTick(MAX_TICK)
    uint160 internal constant MAX_SQRT_RATIO = 1461446703485210103287273052203988822378723970342;

    /// @notice Calculates sqrt(1.0001^tick) * 2^96
    /// @dev Throws if |tick| > max tick
    /// @param tick The input tick for the above formula
    /// @return sqrtPriceX96 A Fixed point Q64.96 number representing the sqrt of the ratio of the two assets (token1/token0)
    /// at the given tick
    function getSqrtRatioAtTick(int24 tick) internal pure returns (uint160 sqrtPriceX96) {
        unchecked {
            uint256 absTick = tick < 0 ? uint256(-int256(tick)) : uint256(int256(tick));
            if (absTick > uint256(int256(MAX_TICK))) revert T();

            uint256 ratio = absTick & 0x1 != 0
                ? 0xfffcb933bd6fad37aa2d162d1a594001
                : 0x100000000000000000000000000000000;
            if (absTick & 0x2 != 0) ratio = (ratio * 0xfff97272373d413259a46990580e213a) >> 128;
            if (absTick & 0x4 != 0) ratio = (ratio * 0xfff2e50f5f656932ef12357cf3c7fdcc) >> 128;
            if (absTick & 0x8 != 0) ratio = (ratio * 0xffe5caca7e10e4e61c3624eaa0941cd0) >> 128;
            if (absTick & 0x10 != 0) ratio = (ratio * 0xffcb9843d60f6159c9db58835c926644) >> 128;
            if (absTick & 0x20 != 0) ratio = (ratio * 0xff973b41fa98c081472e6896dfb254c0) >> 128;
            if (absTick & 0x40 != 0) ratio = (ratio * 0xff2ea16466c96a3843ec78b326b52861) >> 128;
            if (absTick & 0x80 != 0) ratio = (ratio * 0xfe5dee046a99a2a811c461f1969c3053) >> 128;
            if (absTick & 0x100 != 0) ratio = (ratio * 0xfcbe86c7900a88aedcffc83b479aa3a4) >> 128;
            if (absTick & 0x200 != 0) ratio = (ratio * 0xf987a7253ac413176f2b074cf7815e54) >> 128;
            if (absTick & 0x400 != 0) ratio = (ratio * 0xf3392b0822b70005940c7a398e4b70f3) >> 128;
            if (absTick & 0x800 != 0) ratio = (ratio * 0xe7159475a2c29b7443b29c7fa6e889d9) >> 128;
            if (absTick & 0x1000 != 0) ratio = (ratio * 0xd097f3bdfd2022b8845ad8f792aa5825) >> 128;
            if (absTick & 0x2000 != 0) ratio = (ratio * 0xa9f746462d870fdf8a65dc1f90e061e5) >> 128;
            if (absTick & 0x4000 != 0) ratio = (ratio * 0x70d869a156d2a1b890bb3df62baf32f7) >> 128;
            if (absTick & 0x8000 != 0) ratio = (ratio * 0x31be135f97d08fd981231505542fcfa6) >> 128;
            if (absTick & 0x10000 != 0) ratio = (ratio * 0x9aa508b5b7a84e1c677de54f3e99bc9) >> 128;
            if (absTick & 0x20000 != 0) ratio = (ratio * 0x5d6af8dedb81196699c329225ee604) >> 128;
            if (absTick & 0x40000 != 0) ratio = (ratio * 0x2216e584f5fa1ea926041bedfe98) >> 128;
            if (absTick & 0x80000 != 0) ratio = (ratio * 0x48a170391f7dc42444e8fa2) >> 128;

            if (tick > 0) ratio = type(uint256).max / ratio;

            /// @dev this divides by 1<<32 rounding up to go from a Q128.128 to a Q128.96.
            /// @dev we then downcast because we know the result always fits within 160 bits due to our tick input constraint
            /// @dev we round up in the division so getTickAtSqrtRatio of the output price is always consistent
            sqrtPriceX96 = uint160((ratio >> 32) + (ratio % (1 << 32) == 0 ? 0 : 1));
        }
    }

    /// @notice Calculates the greatest tick value such that getRatioAtTick(tick) <= ratio
    /// @dev Throws in case sqrtPriceX96 < MIN_SQRT_RATIO, as MIN_SQRT_RATIO is the lowest value getRatioAtTick may
    /// ever return.
    /// @param sqrtPriceX96 The sqrt ratio for which to compute the tick as a Q64.96
    /// @return tick The greatest tick for which the ratio is less than or equal to the input ratio
    function getTickAtSqrtRatio(uint160 sqrtPriceX96) internal pure returns (int24 tick) {
        unchecked {
            /// @dev second inequality must be < because the price can never reach the price at the max tick
            if (!(sqrtPriceX96 >= MIN_SQRT_RATIO && sqrtPriceX96 < MAX_SQRT_RATIO)) revert R();
            uint256 ratio = uint256(sqrtPriceX96) << 32;

            uint256 r = ratio;
            uint256 msb = 0;

            assembly {
                let f := shl(7, gt(r, 0xFFFFFFFFFFFFFFFFFFFFFFFFFFFFFFFF))
                msb := or(msb, f)
                r := shr(f, r)
            }
            assembly {
                let f := shl(6, gt(r, 0xFFFFFFFFFFFFFFFF))
                msb := or(msb, f)
                r := shr(f, r)
            }
            assembly {
                let f := shl(5, gt(r, 0xFFFFFFFF))
                msb := or(msb, f)
                r := shr(f, r)
            }
            assembly {
                let f := shl(4, gt(r, 0xFFFF))
                msb := or(msb, f)
                r := shr(f, r)
            }
            assembly {
                let f := shl(3, gt(r, 0xFF))
                msb := or(msb, f)
                r := shr(f, r)
            }
            assembly {
                let f := shl(2, gt(r, 0xF))
                msb := or(msb, f)
                r := shr(f, r)
            }
            assembly {
                let f := shl(1, gt(r, 0x3))
                msb := or(msb, f)
                r := shr(f, r)
            }
            assembly {
                let f := gt(r, 0x1)
                msb := or(msb, f)
            }

            if (msb >= 128) r = ratio >> (msb - 127);
            else r = ratio << (127 - msb);

            int256 log_2 = (int256(msb) - 128) << 64;

            assembly {
                r := shr(127, mul(r, r))
                let f := shr(128, r)
                log_2 := or(log_2, shl(63, f))
                r := shr(f, r)
            }
            assembly {
                r := shr(127, mul(r, r))
                let f := shr(128, r)
                log_2 := or(log_2, shl(62, f))
                r := shr(f, r)
            }
            assembly {
                r := shr(127, mul(r, r))
                let f := shr(128, r)
                log_2 := or(log_2, shl(61, f))
                r := shr(f, r)
            }
            assembly {
                r := shr(127, mul(r, r))
                let f := shr(128, r)
                log_2 := or(log_2, shl(60, f))
                r := shr(f, r)
            }
            assembly {
                r := shr(127, mul(r, r))
                let f := shr(128, r)
                log_2 := or(log_2, shl(59, f))
                r := shr(f, r)
            }
            assembly {
                r := shr(127, mul(r, r))
                let f := shr(128, r)
                log_2 := or(log_2, shl(58, f))
                r := shr(f, r)
            }
            assembly {
                r := shr(127, mul(r, r))
                let f := shr(128, r)
                log_2 := or(log_2, shl(57, f))
                r := shr(f, r)
            }
            assembly {
                r := shr(127, mul(r, r))
                let f := shr(128, r)
                log_2 := or(log_2, shl(56, f))
                r := shr(f, r)
            }
            assembly {
                r := shr(127, mul(r, r))
                let f := shr(128, r)
                log_2 := or(log_2, shl(55, f))
                r := shr(f, r)
            }
            assembly {
                r := shr(127, mul(r, r))
                let f := shr(128, r)
                log_2 := or(log_2, shl(54, f))
                r := shr(f, r)
            }
            assembly {
                r := shr(127, mul(r, r))
                let f := shr(128, r)
                log_2 := or(log_2, shl(53, f))
                r := shr(f, r)
            }
            assembly {
                r := shr(127, mul(r, r))
                let f := shr(128, r)
                log_2 := or(log_2, shl(52, f))
                r := shr(f, r)
            }
            assembly {
                r := shr(127, mul(r, r))
                let f := shr(128, r)
                log_2 := or(log_2, shl(51, f))
                r := shr(f, r)
            }
            assembly {
                r := shr(127, mul(r, r))
                let f := shr(128, r)
                log_2 := or(log_2, shl(50, f))
            }

            int256 log_sqrt10001 = log_2 * 255738958999603826347141; /// @dev 128.128 number

            int24 tickLow = int24((log_sqrt10001 - 3402992956809132418596140100660247210) >> 128);
            int24 tickHi = int24((log_sqrt10001 + 291339464771989622907027621153398088495) >> 128);

            tick = tickLow == tickHi
                ? tickLow
                : getSqrtRatioAtTick(tickHi) <= sqrtPriceX96
                    ? tickHi
                    : tickLow;
        }
    }
}

File 4 of 25 : TickBitmap.sol
// SPDX-License-Identifier: GPL-2.0-or-later
pragma solidity ^0.8.26;

import {BitMath} from './BitMath.sol';

/// @title Packed tick initialized state library
/// @notice Stores a packed mapping of tick index to its initialized state
/// @dev The mapping uses int16 for keys since ticks are represented as int24 and there are 256 (2^8) values per word.
library TickBitmap {
    /// @notice Computes the position in the mapping where the initialized bit for a tick lives
    /// @param tick The tick for which to compute the position
    /// @return wordPos The key in the mapping containing the word in which the bit is stored
    /// @return bitPos The bit position in the word where the flag is stored
    function position(int24 tick) private pure returns (int16 wordPos, uint8 bitPos) {
        unchecked {
            wordPos = int16(tick >> 8);
            bitPos = uint8(int8(tick % 256));
        }
    }

    /// @notice Flips the initialized state for a given tick from false to true, or vice versa
    /// @param self The mapping in which to flip the tick
    /// @param tick The tick to flip
    /// @param tickSpacing The spacing between usable ticks
    function flipTick(mapping(int16 => uint256) storage self, int24 tick, int24 tickSpacing) internal {
        unchecked {
            /// @dev ensure that the tick is spaced
            require(tick % tickSpacing == 0); 
            (int16 wordPos, uint8 bitPos) = position(tick / tickSpacing);
            uint256 mask = 1 << bitPos;
            self[wordPos] ^= mask;
        }
    }

    /// @notice Returns the next initialized tick contained in the same word (or adjacent word) as the tick that is either
    /// to the left (less than or equal to) or right (greater than) of the given tick
    /// @param self The mapping in which to compute the next initialized tick
    /// @param tick The starting tick
    /// @param tickSpacing The spacing between usable ticks
    /// @param lte Whether to search for the next initialized tick to the left (less than or equal to the starting tick)
    /// @return next The next initialized or uninitialized tick up to 256 ticks away from the current tick
    /// @return initialized Whether the next tick is initialized, as the function only searches within up to 256 ticks
    function nextInitializedTickWithinOneWord(
        mapping(int16 => uint256) storage self,
        int24 tick,
        int24 tickSpacing,
        bool lte
    ) internal view returns (int24 next, bool initialized) {
        unchecked {
            int24 compressed = tick / tickSpacing;
            if (tick < 0 && tick % tickSpacing != 0) compressed--; /// @dev round towards negative infinity

            if (lte) {
                (int16 wordPos, uint8 bitPos) = position(compressed);
                /// @dev all the 1s at or to the right of the current bitPos
                uint256 mask = (1 << bitPos) - 1 + (1 << bitPos);
                uint256 masked = self[wordPos] & mask;

                /// @dev if there are no initialized ticks to the right of or at the current tick, return rightmost in the word
                initialized = masked != 0;
                /// @dev overflow/underflow is possible, but prevented externally by limiting both tickSpacing and tick
                next = initialized
                    ? (compressed - int24(uint24(bitPos - BitMath.mostSignificantBit(masked)))) * tickSpacing
                    : (compressed - int24(uint24(bitPos))) * tickSpacing;
            } else {
                /// @dev start from the word of the next tick, since the current tick state doesn't matter
                (int16 wordPos, uint8 bitPos) = position(compressed + 1);
                /// @dev all the 1s at or to the left of the bitPos
                uint256 mask = ~((1 << bitPos) - 1);
                uint256 masked = self[wordPos] & mask;

                /// @dev if there are no initialized ticks to the left of the current tick, return leftmost in the word
                initialized = masked != 0;
                /// @dev overflow/underflow is possible, but prevented externally by limiting both tickSpacing and tick
                next = initialized
                    ? (compressed + 1 + int24(uint24(BitMath.leastSignificantBit(masked) - bitPos))) * tickSpacing
                    : (compressed + 1 + int24(uint24(type(uint8).max - bitPos))) * tickSpacing;
            }
        }
    }
}

File 5 of 25 : IRamsesV3Pool.sol
// 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;
}

File 6 of 25 : IRamsesV3Factory.sol
// 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 {
    error IT();
    /// @dev Fee Too Large
    error FTL();
    error A0();
    error F0();
    error PE();

    /// @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(uint8 feeProtocolOld, uint8 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, uint8 feeProtocolOld, uint8 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.
    /// @return _feeProtocol the default feeProtocol
    function feeProtocol() external view returns (uint8 _feeProtocol);

    /// @notice returns the % of fees directed to governance
    /// @dev if the fee is 0, or the pool is uninitialized this will return the Factory's default feeProtocol
    /// @param pool the address of the pool
    /// @return _feeProtocol the feeProtocol for the pool
    function poolFeeProtocol(address pool) external view returns (uint8 _feeProtocol);

    /// @notice Sets the default protocol's % share of the fees
    /// @param _feeProtocol new default protocol fee for token0 and token1
    function setFeeProtocol(uint8 _feeProtocol) external;

    /// @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
    /// @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 feetier 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 Sets the fee collector address
    /// @param _feeCollector the fee collector address
    function setFeeCollector(address _feeCollector) external;

    /// @notice sets the swap fee for a specific pool
    /// @param _pool address of the pool
    /// @param _fee the fee to be assigned to the pool, scaled to 1_000_000 = 100%
    function setFee(address _pool, uint24 _fee) external;

    /// @notice Returns the address of the fee collector contract
    /// @dev Fee collector decides where the protocol fees go (fee distributor, treasury, etc.)
    function feeCollector() external view returns (address);

    /// @notice sets the feeProtocol of a specific pool
    /// @param pool address of the pool
    /// @param _feeProtocol the fee protocol to assign
    function setPoolFeeProtocol(address pool, uint8 _feeProtocol) external;

    /// @notice sets the feeProtocol upon a gauge's creation
    /// @param pool address of the pool
    function gaugeFeeSplitEnable(address pool) external;

    /// @notice sets the the voter address
    /// @param _voter the address of the voter
    function setVoter(address _voter) external;

    function initialize(address poolDeployer) external;
}

File 7 of 25 : IUniswapV3SwapCallback.sol
// SPDX-License-Identifier: GPL-2.0-or-later
pragma solidity >=0.5.0;

/// @dev original UniswapV3 callbacks maintained to ensure seamless integrations

/// @title Callback for IUniswapV3PoolActions#swap
/// @notice Any contract that calls IUniswapV3PoolActions#swap must implement this interface
interface IUniswapV3SwapCallback {
    /// @notice Called to `msg.sender` after executing a swap via IUniswapV3Pool#swap.
    /// @dev In the implementation you must pay the pool tokens owed for the swap.
    /// The caller of this method must be checked to be a UniswapV3Pool deployed by the canonical UniswapV3Factory.
    /// amount0Delta and amount1Delta can both be 0 if no tokens were swapped.
    /// @param amount0Delta The amount of token0 that was sent (negative) or must be received (positive) by the pool by
    /// the end of the swap. If positive, the callback must send that amount of token0 to the pool.
    /// @param amount1Delta The amount of token1 that was sent (negative) or must be received (positive) by the pool by
    /// the end of the swap. If positive, the callback must send that amount of token1 to the pool.
    /// @param data Any data passed through by the caller via the IUniswapV3PoolActions#swap call
    function uniswapV3SwapCallback(int256 amount0Delta, int256 amount1Delta, bytes calldata data) external;
}

File 8 of 25 : Path.sol
// SPDX-License-Identifier: GPL-2.0-or-later
pragma solidity >=0.6.0;

import './BytesLib.sol';

/// @title Functions for manipulating path data for multihop swaps
library Path {
    using BytesLib for bytes;

    /// @dev The length of the bytes encoded address
    uint256 private constant ADDR_SIZE = 20;
    /// @dev The length of the bytes encoded fee
    uint256 private constant FEE_SIZE = 3;

    /// @dev The offset of a single token address and pool fee
    uint256 private constant NEXT_OFFSET = ADDR_SIZE + FEE_SIZE;
    /// @dev The offset of an encoded pool key
    uint256 private constant POP_OFFSET = NEXT_OFFSET + ADDR_SIZE;
    /// @dev The minimum length of an encoding that contains 2 or more pools
    uint256 private constant MULTIPLE_POOLS_MIN_LENGTH = POP_OFFSET + NEXT_OFFSET;

    /// @notice Returns true iff the path contains two or more pools
    /// @param path The encoded swap path
    /// @return True if path contains two or more pools, otherwise false
    function hasMultiplePools(bytes memory path) internal pure returns (bool) {
        return path.length >= MULTIPLE_POOLS_MIN_LENGTH;
    }

    /// @notice Returns the number of pools in the path
    /// @param path The encoded swap path
    /// @return The number of pools in the path
    function numPools(bytes memory path) internal pure returns (uint256) {
        /// @dev Ignore the first token address. From then on every fee and token offset indicates a pool.
        return ((path.length - ADDR_SIZE) / NEXT_OFFSET);
    }

    /// @notice Decodes the first pool in path
    /// @param path The bytes encoded swap path
    /// @return tokenA The first token of the given pool
    /// @return tickSpacing The tickSpacing of the pool
    /// @return tokenB The second token of the given pool
    function decodeFirstPool(bytes memory path)
        internal
        pure
        returns (
            address tokenA,
            int24 tickSpacing,
            address tokenB
        )
    {
        tokenA = path.toAddress(0);
        tickSpacing = path.toUint24(ADDR_SIZE);
        tokenB = path.toAddress(NEXT_OFFSET);
    }

    /// @notice Gets the segment corresponding to the first pool in the path
    /// @param path The bytes encoded swap path
    /// @return The segment containing all data necessary to target the first pool in the path
    function getFirstPool(bytes memory path) internal pure returns (bytes memory) {
        return path.slice(0, POP_OFFSET);
    }

    /// @notice Skips a token + fee element from the buffer and returns the remainder
    /// @param path The swap path
    /// @return The remaining token + fee elements in the path
    function skipToken(bytes memory path) internal pure returns (bytes memory) {
        return path.slice(NEXT_OFFSET, path.length - NEXT_OFFSET);
    }
}

File 9 of 25 : PoolAddress.sol
// SPDX-License-Identifier: GPL-2.0-or-later
pragma solidity >=0.5.0;

/// @title Provides functions for deriving a pool address from the deployer, tokens, and the fee
library PoolAddress {
    bytes32 internal constant POOL_INIT_CODE_HASH = 0xc701ee63862761c31d620a4a083c61bdc1e81761e6b9c9267fd19afd22e0821d;

    /// @notice The identifying key of the pool
    struct PoolKey {
        address token0;
        address token1;
        int24 tickSpacing;
    }

    /// @notice Returns PoolKey: the ordered tokens with the matched fee levels
    /// @param tokenA The first token of a pool, unsorted
    /// @param tokenB The second token of a pool, unsorted
    /// @param tickSpacing The tickSpacing of the pool
    /// @return Poolkey The pool details with ordered token0 and token1 assignments
    function getPoolKey(address tokenA, address tokenB, int24 tickSpacing) internal pure returns (PoolKey memory) {
        if (tokenA > tokenB) (tokenA, tokenB) = (tokenB, tokenA);
        return PoolKey({token0: tokenA, token1: tokenB, tickSpacing: tickSpacing});
    }

    /// @notice Deterministically computes the pool address given the deployer and PoolKey
    /// @param deployer The Uniswap V3 deployer contract address
    /// @param key The PoolKey
    /// @return pool The contract address of the V3 pool
    function computeAddress(address deployer, PoolKey memory key) internal pure returns (address pool) {
        require(key.token0 < key.token1, "!TokenOrder");
        pool = address(
            uint160(
                uint256(
                    keccak256(
                        abi.encodePacked(
                            hex'ff',
                            deployer,
                            keccak256(abi.encode(key.token0, key.token1, key.tickSpacing)),
                            POOL_INIT_CODE_HASH
                        )
                    )
                )
            )
        );
    }
}

File 10 of 25 : CallbackValidation.sol
// SPDX-License-Identifier: GPL-2.0-or-later
pragma solidity ^0.8.0;

import '../../core/interfaces/IRamsesV3Pool.sol';
import './PoolAddress.sol';

/// @notice Provides validation for callbacks from Ramses V3 Pools
library CallbackValidation {
    /// @notice Returns the address of a valid Ramses V3 Pool
    /// @param deployer The contract address of the Ramses V3 deployer
    /// @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 V3 pool contract address
    function verifyCallback(
        address deployer,
        address tokenA,
        address tokenB,
        int24 tickSpacing
    ) internal view returns (IRamsesV3Pool pool) {
        return verifyCallback(deployer, PoolAddress.getPoolKey(tokenA, tokenB, tickSpacing));
    }

    /// @notice Returns the address of a valid Ramses V3 Pool
    /// @param deployer The contract address of the Ramses V3 deployer
    /// @param poolKey The identifying key of the V3 pool
    /// @return pool The V3 pool contract address
    function verifyCallback(
        address deployer,
        PoolAddress.PoolKey memory poolKey
    ) internal view returns (IRamsesV3Pool pool) {
        pool = IRamsesV3Pool(PoolAddress.computeAddress(deployer, poolKey));
        require(msg.sender == address(pool));
    }
}

File 11 of 25 : IPair.sol
// SPDX-License-Identifier: GPL-2.0-or-later
pragma solidity ^0.8.26;

interface IPair {
    error NOT_AUTHORIZED();
    error UNSTABLE_RATIO();
    /// @dev safe transfer failed
    error STF();
    error OVERFLOW();
    /// @dev skim disabled
    error SD();
    /// @dev insufficient liquidity minted
    error ILM();
    /// @dev insufficient liquidity burned
    error ILB();
    /// @dev insufficient output amount
    error IOA();
    /// @dev insufficient input amount
    error IIA();
    error IL();
    error IT();
    error K();

    event Mint(address indexed sender, uint256 amount0, uint256 amount1);
    event Burn(
        address indexed sender,
        uint256 amount0,
        uint256 amount1,
        address indexed to
    );
    event Swap(
        address indexed sender,
        uint256 amount0In,
        uint256 amount1In,
        uint256 amount0Out,
        uint256 amount1Out,
        address indexed to
    );
    event Sync(uint112 reserve0, uint112 reserve1);

    /// @notice initialize the pool, called only once programatically
    function initialize(
        address _token0,
        address _token1,
        bool _stable
    ) external;

    /// @notice calculate the current reserves of the pool and their last 'seen' timestamp
    /// @return _reserve0 amount of token0 in reserves
    /// @return _reserve1 amount of token1 in reserves
    /// @return _blockTimestampLast the timestamp when the pool was last updated
    function getReserves()
        external
        view
        returns (
            uint112 _reserve0,
            uint112 _reserve1,
            uint32 _blockTimestampLast
        );

    /// @notice mint the pair tokens (LPs)
    /// @param to where to mint the LP tokens to
    /// @return liquidity amount of LP tokens to mint
    function mint(address to) external returns (uint256 liquidity);

    /// @notice burn the pair tokens (LPs)
    /// @param to where to send the underlying
    /// @return amount0 amount of amount0
    /// @return amount1 amount of amount1
    function burn(
        address to
    ) external returns (uint256 amount0, uint256 amount1);

    /// @notice direct swap through the pool
    function swap(
        uint256 amount0Out,
        uint256 amount1Out,
        address to,
        bytes calldata data
    ) external;

    /// @notice force balances to match reserves, can be used to harvest rebases from rebasing tokens or other external factors
    /// @param to where to send the excess tokens to
    function skim(address to) external;

    /// @notice force reserves to match balances, prevents skim excess if skim is enabled
    function sync() external;

    /// @notice set the pair fees contract address
    function setFeeRecipient(address _pairFees) external;

    /// @notice set the feesplit variable
    function setFeeSplit(uint256 _feeSplit) external;

    /// @notice sets the swap fee of the pair
    /// @dev max of 10_000 (10%)
    /// @param _fee the fee
    function setFee(uint256 _fee) external;

    /// @notice 'mint' the fees as LP tokens
    /// @dev this is used for protocol/voter fees
    function mintFee() external;

    /// @notice calculates the amount of tokens to receive post swap
    /// @param amountIn the token amount
    /// @param tokenIn the address of the token
    function getAmountOut(
        uint256 amountIn,
        address tokenIn
    ) external view returns (uint256 amountOut);

    /// @notice returns various metadata about the pair
    function metadata()
        external
        view
        returns (
            uint256 _decimals0,
            uint256 _decimals1,
            uint256 _reserve0,
            uint256 _reserve1,
            bool _stable,
            address _token0,
            address _token1
        );

    /// @notice returns the feeSplit of the pair
    function feeSplit() external view returns (uint256);

    /// @notice returns the fee of the pair
    function fee() external view returns (uint256);

    /// @notice returns the feeRecipient of the pair
    function feeRecipient() external view returns (address);

}

File 12 of 25 : IPairFactory.sol
// SPDX-License-Identifier: GPL-2.0-or-later
pragma solidity ^0.8.26;

interface IPairFactory {
    error FEE_TOO_HIGH();
    error ZERO_FEE();
    /// @dev invalid assortment
    error IA();
    /// @dev zero address
    error ZA();
    /// @dev pair exists
    error PE();
    error NOT_AUTHORIZED();
    error INVALID_FEE_SPLIT();

    event PairCreated(
        address indexed token0,
        address indexed token1,
        address pair,
        uint256
    );

    event SetFee(uint256 indexed fee);

    event SetPairFee(address indexed pair, uint256 indexed fee);

    event SetFeeSplit(uint256 indexed _feeSplit);

    event SetPairFeeSplit(address indexed pair, uint256 indexed _feeSplit);

    event SkimStatus(address indexed _pair, bool indexed _status);

    event NewTreasury(address indexed _caller, address indexed _newTreasury);

    event FeeSplitWhenNoGauge(address indexed _caller, bool indexed _status);

    event SetFeeRecipient(address indexed pair, address indexed feeRecipient);

    /// @notice returns the total length of legacy pairs
    /// @return _length the length
    function allPairsLength() external view returns (uint256 _length);

    /// @notice calculates if the address is a legacy pair
    /// @param pair the address to check
    /// @return _boolean the bool return
    function isPair(address pair) external view returns (bool _boolean);

    /// @notice calculates the pairCodeHash
    /// @return _hash the pair code hash
    function pairCodeHash() external view returns (bytes32 _hash);

    /// @param tokenA address of tokenA
    /// @param tokenB address of tokenB
    /// @param stable whether it uses the stable curve
    /// @return _pair the address of the pair
    function getPair(
        address tokenA,
        address tokenB,
        bool stable
    ) external view returns (address _pair);

    /// @notice creates a new legacy pair
    /// @param tokenA address of tokenA
    /// @param tokenB address of tokenB
    /// @param stable whether it uses the stable curve
    /// @return pair the address of the created pair
    function createPair(
        address tokenA,
        address tokenB,
        bool stable
    ) external returns (address pair);

    /// @notice the address of the voter
    /// @return _voter the address of the voter
    function voter() external view returns (address _voter);

    /// @notice returns the address of a pair based on the index
    /// @param _index the index to check for a pair
    /// @return _pair the address of the pair at the index
    function allPairs(uint256 _index) external view returns (address _pair);

    /// @notice the swap fee of a pair
    /// @param _pair the address of the pair
    /// @return _fee the fee
    function pairFee(address _pair) external view returns (uint256 _fee);

    /// @notice the split of fees
    /// @return _split the feeSplit
    function feeSplit() external view returns (uint256 _split);

    /// @notice sets the swap fee for a pair
    /// @param _pair the address of the pair
    /// @param _fee the fee for the pair
    function setPairFee(address _pair, uint256 _fee) external;

    /// @notice set the swap fees of the pair
    /// @param _fee the fee, scaled to MAX 10% of 100_000
    function setFee(uint256 _fee) external;

    /// @notice the address for the treasury
    /// @return _treasury address of the treasury
    function treasury() external view returns (address _treasury);

    /// @notice sets the pairFees contract
    /// @param _pair the address of the pair
    /// @param _pairFees the address of the new Pair Fees
    function setFeeRecipient(address _pair, address _pairFees) external;

    /// @notice sets the feeSplit for a pair
    /// @param _pair the address of the pair
    /// @param _feeSplit the feeSplit
    function setPairFeeSplit(address _pair, uint256 _feeSplit) external;

    /// @notice whether there is feeSplit when there's no gauge
    /// @return _boolean whether there is a feesplit when no gauge
    function feeSplitWhenNoGauge() external view returns (bool _boolean);

    /// @notice whether a pair can be skimmed
    /// @param _pair the pair address
    /// @return _boolean whether skim is enabled
    function skimEnabled(address _pair) external view returns (bool _boolean);

    /// @notice set whether skim is enabled for a specific pair
    function setSkimEnabled(address _pair, bool _status) external;

    /// @notice sets a new treasury address
    /// @param _treasury the new treasury address
    function setTreasury(address _treasury) external;

    /// @notice set whether there should be a feesplit without gauges
    /// @param status whether enabled or not
    function setFeeSplitWhenNoGauge(bool status) external;

    /// @notice sets the feesSplit globally
    /// @param _feeSplit the fee split
    function setFeeSplit(uint256 _feeSplit) external;
}

File 13 of 25 : IMixedRouteQuoterV1.sol
// SPDX-License-Identifier: GPL-2.0-or-later
pragma solidity ^0.8.26;
pragma abicoder v2;

/// @title MixedRouteQuoterV1 Interface
/// @notice Supports quoting the calculated amounts for exact input swaps. Is specialized for routes containing a mix of V2 and V3 liquidity.
/// @notice For each pool also tells you the number of initialized ticks crossed and the sqrt price of the pool after the swap.
/// @dev These functions are not marked view because they rely on calling non-view functions and reverting
/// to compute the result. They are also not gas efficient and should not be called on-chain.
interface IMixedRouteQuoterV1 {
    /// @notice Returns the amount out received for a given exact input swap without executing the swap
    /// @param path The path of the swap, i.e. each token pair and the pool fee
    /// @param amountIn The amount of the first token to swap
    /// @return amountOut The amount of the last token that would be received
    /// @return v3SqrtPriceX96AfterList List of the sqrt price after the swap for each v3 pool in the path, 0 for v2 pools
    /// @return v3InitializedTicksCrossedList List of the initialized ticks that the swap crossed for each v3 pool in the path, 0 for v2 pools
    /// @return v3SwapGasEstimate The estimate of the gas that the v3 swaps in the path consume
    function quoteExactInput(
        bytes memory path,
        uint256 amountIn
    )
        external
        returns (
            uint256 amountOut,
            uint160[] memory v3SqrtPriceX96AfterList,
            uint32[] memory v3InitializedTicksCrossedList,
            uint256 v3SwapGasEstimate
        );

    struct QuoteExactInputSingleV3Params {
        address tokenIn;
        address tokenOut;
        uint256 amountIn;
        int24 tickSpacing;
        uint160 sqrtPriceLimitX96;
    }

    struct QuoteExactInputSingleV2Params {
        address tokenIn;
        address tokenOut;
        uint256 amountIn;
        bool stable;
    }

    /// @notice Returns the amount out received for a given exact input but for a swap of a single pool
    /// @param params The params for the quote, encoded as `QuoteExactInputSingleParams`
    /// tokenIn The token being swapped in
    /// tokenOut The token being swapped out
    /// fee The fee of the token pool to consider for the pair
    /// amountIn The desired input amount
    /// sqrtPriceLimitX96 The price limit of the pool that cannot be exceeded by the swap
    /// @return amountOut The amount of `tokenOut` that would be received
    /// @return sqrtPriceX96After The sqrt price of the pool after the swap
    /// @return initializedTicksCrossed The number of initialized ticks that the swap crossed
    /// @return gasEstimate The estimate of the gas that the swap consumes
    function quoteExactInputSingleV3(
        QuoteExactInputSingleV3Params memory params
    )
        external
        returns (uint256 amountOut, uint160 sqrtPriceX96After, uint32 initializedTicksCrossed, uint256 gasEstimate);

    /// @notice Returns the amount out received for a given exact input but for a swap of a single V2 pool
    /// @param params The params for the quote, encoded as `QuoteExactInputSingleV2Params`
    /// tokenIn The token being swapped in
    /// tokenOut The token being swapped out
    /// amountIn The desired input amount
    /// @return amountOut The amount of `tokenOut` that would be received
    function quoteExactInputSingleV2(QuoteExactInputSingleV2Params memory params) external returns (uint256 amountOut);

    /// @dev ExactOutput swaps are not supported by this new Quoter which is specialized for supporting routes
    ///      crossing both V2 liquidity pairs and V3 pools.
    /// @deprecated quoteExactOutputSingle and exactOutput. Use QuoterV2 instead.
}

File 14 of 25 : PoolTicksCounter.sol
// SPDX-License-Identifier: GPL-2.0-or-later
pragma solidity >=0.6.0;

import '../../core/interfaces/IRamsesV3Pool.sol';

library PoolTicksCounter {
    /// @dev This function counts the number of initialized ticks that would incur a gas cost between tickBefore and tickAfter.
    /// When tickBefore and/or tickAfter themselves are initialized, the logic over whether we should count them depends on the
    /// direction of the swap. If we are swapping upwards (tickAfter > tickBefore) we don't want to count tickBefore but we do
    /// want to count tickAfter. The opposite is true if we are swapping downwards.
    function countInitializedTicksCrossed(
        IRamsesV3Pool self,
        int24 tickBefore,
        int24 tickAfter
    ) internal view returns (uint32 initializedTicksCrossed) {
        int16 wordPosLower;
        int16 wordPosHigher;
        uint8 bitPosLower;
        uint8 bitPosHigher;
        bool tickBeforeInitialized;
        bool tickAfterInitialized;

        {
            /// @dev Get the key and offset in the tick bitmap of the active tick before and after the swap.
            int16 wordPos = int16((tickBefore / self.tickSpacing()) >> 8);
            uint8 bitPos = uint8(int8((tickBefore / self.tickSpacing()) % 256));

            int16 wordPosAfter = int16((tickAfter / self.tickSpacing()) >> 8);
            uint8 bitPosAfter = uint8(int8((tickAfter / self.tickSpacing()) % 256));

            /// @dev In the case where tickAfter is initialized, we only want to count it if we are swapping downwards.
            /// @dev If the initializable tick after the swap is initialized, our original tickAfter is a
            /// @dev multiple of tick spacing, and we are swapping downwards we know that tickAfter is initialized
            /// @dev and we shouldn't count it.
            tickAfterInitialized =
                ((self.tickBitmap(wordPosAfter) & (1 << bitPosAfter)) > 0) &&
                ((tickAfter % self.tickSpacing()) == 0) &&
                (tickBefore > tickAfter);

            /// @dev In the case where tickBefore is initialized, we only want to count it if we are swapping upwards.
            /// @dev Use the same logic as above to decide whether we should count tickBefore or not.
            tickBeforeInitialized =
                ((self.tickBitmap(wordPos) & (1 << bitPos)) > 0) &&
                ((tickBefore % self.tickSpacing()) == 0) &&
                (tickBefore < tickAfter);

            if (wordPos < wordPosAfter || (wordPos == wordPosAfter && bitPos <= bitPosAfter)) {
                wordPosLower = wordPos;
                bitPosLower = bitPos;
                wordPosHigher = wordPosAfter;
                bitPosHigher = bitPosAfter;
            } else {
                wordPosLower = wordPosAfter;
                bitPosLower = bitPosAfter;
                wordPosHigher = wordPos;
                bitPosHigher = bitPos;
            }
        }

        /// @dev Count the number of initialized ticks crossed by iterating through the tick bitmap.
        /// @dev Our first mask should include the lower tick and everything to its left.
        uint256 mask = type(uint256).max << bitPosLower;
        while (wordPosLower <= wordPosHigher) {
            /// @dev If we're on the final tick bitmap page, ensure we only count up to our
            /// @dev ending tick.
            if (wordPosLower == wordPosHigher) {
                mask = mask & (type(uint256).max >> (255 - bitPosHigher));
            }

            uint256 masked = self.tickBitmap(wordPosLower) & mask;
            initializedTicksCrossed += countOneBits(masked);
            wordPosLower++;
            /// @dev Reset our mask so we consider all bits on the next iteration.
            mask = type(uint256).max;
        }

        if (tickAfterInitialized) {
            initializedTicksCrossed -= 1;
        }

        if (tickBeforeInitialized) {
            initializedTicksCrossed -= 1;
        }

        return initializedTicksCrossed;
    }

    function countOneBits(uint256 x) private pure returns (uint16) {
        uint16 bits = 0;
        while (x != 0) {
            bits++;
            x &= (x - 1);
        }
        return bits;
    }
}

File 15 of 25 : RamsesLegacyLibrary.sol
// SPDX-License-Identifier: GPL-3.0-or-later
pragma solidity >=0.8.0;

import {IPair} from "./../../../../../interfaces/IPair.sol";
import {SwapRoute} from "../../../libraries/SwapRoute.sol";
import {IPairFactory} from "./../../../../../interfaces/IPairFactory.sol";

/// @title Ramses legacy Helper Library
/// @notice Calculates the recipient address for a command
library RamsesLegacyLibrary {
    error INVALID_RESERVES();
    error INVALID_PATH();

    /// @notice Calculates the address for a pair without making any external calls
    /// @param factory The address of the factory
    /// @param initCodeHash The hash of the pair initcode
    /// @param tokenA One of the tokens in the pair
    /// @param tokenB The other token in the pair
    /// @param stable If pair is xy(x^2 + y^2)
    /// @return pair The resultant pair address
    function pairFor(
        address factory,
        bytes32 initCodeHash,
        address tokenA,
        address tokenB,
        bool stable
    ) internal pure returns (address pair) {
        (address token0, address token1) = sortTokens(tokenA, tokenB);
        pair = pairForPreSorted(factory, initCodeHash, token0, token1, stable);
    }

    /// @notice Calculates the address for a pair and the pair's token0
    /// @param factory The address of the factory
    /// @param initCodeHash The hash of the pair initcode
    /// @param tokenA One of the tokens in the pair
    /// @param tokenB The other token in the pair
    /// @param stable If pair is xy(x^2 + y^2)
    /// @return pair The resultant pair address
    /// @return token0 The token considered token0 in this pair
    function pairAndToken0For(
        address factory,
        bytes32 initCodeHash,
        address tokenA,
        address tokenB,
        bool stable
    ) internal pure returns (address pair, address token0) {
        address token1;
        (token0, token1) = sortTokens(tokenA, tokenB);
        pair = pairForPreSorted(factory, initCodeHash, token0, token1, stable);
    }

    /// @notice Calculates the address for a pair assuming the input tokens are pre-sorted
    /// @param factory The address of the factory
    /// @param initCodeHash The hash of the pair initcode
    /// @param token0 The pair's token0
    /// @param token1 The pair's token1
    /// @param stable If pair is xy(x^2 + y^2)
    /// @return pair The resultant pair address
    function pairForPreSorted(
        address factory,
        bytes32 initCodeHash,
        address token0,
        address token1,
        bool stable
    ) private pure returns (address pair) {
        pair = address(
            uint160(
                uint256(
                    keccak256(
                        abi.encodePacked(
                            hex"ff",
                            factory,
                            keccak256(abi.encodePacked(token0, token1, stable)),
                            initCodeHash
                        )
                    )
                )
            )
        );
    }

    /// @notice Calculates the address for a pair and fetches the reserves for each token
    /// @param factory The address of the factory
    /// @param initCodeHash The hash of the pair initcode
    /// @param tokenA One of the tokens in the pair
    /// @param tokenB The other token in the pair
    /// @param stable If pair is xy(x^2 + y^2)
    /// @return pair The resultant pair address
    /// @return reserveA The reserves for tokenA
    /// @return reserveB The reserves for tokenB
    function pairAndReservesFor(
        address factory,
        bytes32 initCodeHash,
        address tokenA,
        address tokenB,
        bool stable
    )
        private
        view
        returns (
            address pair,
            uint256 reserveA,
            uint256 reserveB,
            uint256 decimalsA,
            uint256 decimalsB
        )
    {
        address token0;
        (pair, token0) = pairAndToken0For(
            factory,
            initCodeHash,
            tokenA,
            tokenB,
            stable
        );
        (
            uint256 decimals0,
            uint256 decimals1,
            uint256 reserve0,
            uint256 reserve1,
            ,
            ,

        ) = IPair(pair).metadata();
        (reserveA, reserveB) = tokenA == token0
            ? (reserve0, reserve1)
            : (reserve1, reserve0);
        if (stable) {
            (decimalsA, decimalsB) = tokenA == token0
                ? (decimals0, decimals1)
                : (decimals1, decimals0);
        }
    }

    /// @notice Given an input asset amount returns the maximum output amount of the other asset
    /// @param amountIn The token input amount
    /// @param reserveIn The reserves available of the input token
    /// @param reserveOut The reserves available of the output token
    /// @return amountOut The output amount of the output token
    function getAmountOut(
        uint256 amountIn,
        uint256 reserveIn,
        uint256 reserveOut,
        bool stable,
        uint256 decimalsIn,
        uint256 decimalsOut
    ) internal pure returns (uint256 amountOut) {
        if (stable) {
            uint256 k = _k(reserveIn, reserveOut, decimalsIn, decimalsOut);
            reserveIn = (reserveIn * 1e18) / decimalsIn;
            reserveOut = (reserveOut * 1e18) / decimalsOut;
            amountIn = (amountIn * 1e18) / decimalsIn;
            uint256 y = reserveOut -
                _get_y(
                    amountIn + reserveIn,
                    k,
                    reserveOut,
                    decimalsIn,
                    decimalsOut
                );
            amountOut = (y * decimalsOut) / 1e18;
        } else {
            amountOut = (amountIn * reserveOut) / (reserveIn + amountIn);
        }
    }

    /// @notice Returns the input amount needed for a desired output amount in a single-hop trade
    /// @param amountOut The desired output amount
    /// @param reserveIn The reserves available of the input token
    /// @param reserveOut The reserves available of the output token
    /// @return amountIn The input amount of the input token
    function getAmountIn(
        uint256 amountOut,
        uint256 reserveIn,
        uint256 reserveOut,
        uint256 decimalsIn,
        uint256 decimalsOut,
        bool stable
    ) internal pure returns (uint256 amountIn) {
        if (reserveIn == 0 || reserveOut == 0) revert INVALID_RESERVES();

        if (stable) {
            uint256 k = _k(reserveIn, reserveOut, decimalsIn, decimalsOut);
            reserveIn = (reserveIn * 1e18) / decimalsIn;
            reserveOut = (reserveOut * 1e18) / decimalsOut;
            amountOut = (amountOut * 1e18) / decimalsIn;
            uint256 y = _get_y(
                reserveOut - amountOut,
                k,
                reserveIn,
                decimalsIn,
                decimalsOut
            ) - reserveIn;
            amountIn = (y * decimalsIn) / 1e18;
        } else {
            amountIn = (reserveIn * amountOut) / (reserveOut - amountOut);
        }
    }

    // fetches and sorts the reserves for a pair
    function getReserves(
        address factory,
        bytes32 initCodeHash,
        address tokenA,
        address tokenB,
        bool stable
    ) internal view returns (uint256 reserveA, uint256 reserveB, uint256 decimalsA, uint256 decimalsB) {
        (address token0, ) = sortTokens(tokenA, tokenB);
        (uint256 decimals0, uint256 decimals1, uint256 reserve0, uint256 reserve1, , , ) = IPair(
            pairFor(factory, initCodeHash, tokenA, tokenB, stable)
        ).metadata();
        (reserveA, reserveB, decimalsA, decimalsB) = tokenA == token0
            ? (reserve0, reserve1, decimals0, decimals1)
            : (reserve1, reserve0, decimals1, decimals0);
    }


    /// @notice Returns the input amount needed for a desired output amount in a multi-hop trade
    /// @param factory The address of the v2 factory
    /// @param initCodeHash The hash of the pair initcode
    /// @param amountOut The desired output amount
    /// @param path The path of the multi-hop trade
    /// @return amount The input amount of the input token
    /// @return pair The first pair in the trade
    function getAmountInMultihop(
        address factory,
        bytes32 initCodeHash,
        uint256 amountOut,
        SwapRoute.Route[] memory path
    ) internal view returns (uint256 amount, address pair) {
        if (path.length < 2) revert INVALID_PATH();
        amount = amountOut;
        for (uint256 i = path.length - 1; i > 0; i--) {
            uint256 reserveIn;
            uint256 reserveOut;
            uint256 decimalsIn;
            uint256 decimalsOut;
            (
                pair,
                reserveIn,
                reserveOut,
                decimalsIn,
                decimalsOut
            ) = pairAndReservesFor(
                factory,
                initCodeHash,
                path[i].from,
                path[i].to,
                path[i].stable
            );
            amount = getAmountIn(
                amount,
                reserveIn,
                reserveOut,
                decimalsIn,
                decimalsOut,
                path[i].stable
            );
            amount += (amount * IPairFactory(factory).pairFee(pair)) / 1_000_000;
        }
    }

    /// @notice Sorts two tokens to return token0 and token1
    /// @param tokenA The first token to sort
    /// @param tokenB The other token to sort
    /// @return token0 The smaller token by address value
    /// @return token1 The larger token by address value
    function sortTokens(
        address tokenA,
        address tokenB
    ) internal pure returns (address token0, address token1) {
        (token0, token1) = tokenA < tokenB
            ? (tokenA, tokenB)
            : (tokenB, tokenA);
    }

    /// @notice solve k = xy(x^2 + y^2)
    /// @param reserve0 The reserves available of token0
    /// @param reserve1 The reserves available of token1
    /// @param decimals0 10** decimals of the token0
    /// @param decimals1 10**decimals of the token1
    /// @return k
    function _k(
        uint256 reserve0,
        uint256 reserve1,
        uint256 decimals0,
        uint256 decimals1
    ) internal pure returns (uint256 k) {
        uint256 _x = (reserve0 * 1e18) / decimals0;
        uint256 _y = (reserve1 * 1e18) / decimals1;
        uint256 _a = (_x * _y) / 1e18;
        uint256 _b = ((_x * _x) / 1e18 + (_y * _y) / 1e18);
        k = (_a * _b) / 1e18;
    }

    function _f(uint256 x0, uint256 y) internal pure returns (uint256) {
        uint256 _a = (x0 * y) / 1e18;
        uint256 _b = ((x0 * x0) / 1e18 + (y * y) / 1e18);
        return (_a * _b) / 1e18;
    }

    function _d(uint256 x0, uint256 y) internal pure returns (uint256) {
        return
            (3 * x0 * ((y * y) / 1e18)) /
            1e18 +
            ((((x0 * x0) / 1e18) * x0) / 1e18);
    }

    function _get_y(
        uint256 x0,
        uint256 xy,
        uint256 y,
        uint256 decimals0,
        uint256 decimals1
    ) internal pure returns (uint256 _y) {
        for (uint256 i = 0; i < 255; i++) {
            uint256 k = _f(x0, y);
            if (k < xy) {
                uint256 dy = ((xy - k) * 1e18) / _d(x0, y);
                if (dy == 0) {
                    if (k == xy) {
                        return y;
                    }
                    if (_k(x0, y + 1, decimals0, decimals1) > xy) {
                        return y + 1;
                    }
                    dy = 1;
                }
                y = y + dy;
            } else {
                uint256 dy = ((k - xy) * 1e18) / _d(x0, y);
                if (dy == 0) {
                    if (k == xy || _f(x0, y - 1) < xy) {
                        return y;
                    }
                    dy = 1;
                }
                y = y - dy;
            }
        }
    }
}

File 16 of 25 : BitMath.sol
// SPDX-License-Identifier: GPL-2.0-or-later
pragma solidity ^0.8.26;

/// @title BitMath
/// @dev This library provides functionality for computing bit properties of an unsigned integer
library BitMath {
    /// @notice Returns the index of the most significant bit of the number,
    ///     where the least significant bit is at index 0 and the most significant bit is at index 255
    /// @dev The function satisfies the property:
    ///     x >= 2**mostSignificantBit(x) and x < 2**(mostSignificantBit(x)+1)
    /// @param x the value for which to compute the most significant bit, must be greater than 0
    /// @return r the index of the most significant bit
    function mostSignificantBit(uint256 x) internal pure returns (uint8 r) {
        require(x > 0);

        unchecked {
            if (x >= 0x100000000000000000000000000000000) {
                x >>= 128;
                r += 128;
            }
            if (x >= 0x10000000000000000) {
                x >>= 64;
                r += 64;
            }
            if (x >= 0x100000000) {
                x >>= 32;
                r += 32;
            }
            if (x >= 0x10000) {
                x >>= 16;
                r += 16;
            }
            if (x >= 0x100) {
                x >>= 8;
                r += 8;
            }
            if (x >= 0x10) {
                x >>= 4;
                r += 4;
            }
            if (x >= 0x4) {
                x >>= 2;
                r += 2;
            }
            if (x >= 0x2) r += 1;
        }
    }

    /// @notice Returns the index of the least significant bit of the number,
    ///     where the least significant bit is at index 0 and the most significant bit is at index 255
    /// @dev The function satisfies the property:
    ///     (x & 2**leastSignificantBit(x)) != 0 and (x & (2**(leastSignificantBit(x)) - 1)) == 0)
    /// @param x the value for which to compute the least significant bit, must be greater than 0
    /// @return r the index of the least significant bit
    function leastSignificantBit(uint256 x) internal pure returns (uint8 r) {
        require(x > 0);

        unchecked {
            r = 255;
            if (x & type(uint128).max > 0) {
                r -= 128;
            } else {
                x >>= 128;
            }
            if (x & type(uint64).max > 0) {
                r -= 64;
            } else {
                x >>= 64;
            }
            if (x & type(uint32).max > 0) {
                r -= 32;
            } else {
                x >>= 32;
            }
            if (x & type(uint16).max > 0) {
                r -= 16;
            } else {
                x >>= 16;
            }
            if (x & type(uint8).max > 0) {
                r -= 8;
            } else {
                x >>= 8;
            }
            if (x & 0xf > 0) {
                r -= 4;
            } else {
                x >>= 4;
            }
            if (x & 0x3 > 0) {
                r -= 2;
            } else {
                x >>= 2;
            }
            if (x & 0x1 > 0) r -= 1;
        }
    }
}

File 17 of 25 : IRamsesV3PoolImmutables.sol
// 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);
}

File 18 of 25 : IRamsesV3PoolState.sol
// 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,
            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
        );


    /// @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 not in range for the period
    function positionPeriodSecondsInRange(
        uint256 period,
        address owner,
        uint256 index,
        int24 tickLower,
        int24 tickUpper
    ) external view returns (uint256 periodSecondsInsideX96);
}

File 19 of 25 : IRamsesV3PoolDerivedState.sol
// 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);
}

File 20 of 25 : IRamsesV3PoolActions.sol
// 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;
}

File 21 of 25 : IRamsesV3PoolOwnerActions.sol
// 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;
}

File 22 of 25 : IRamsesV3PoolErrors.sol
// 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 IRamsesV3PoolErrors {
    error LOK();
    error TLU();
    error TLM();
    error TUM();
    error AI();
    error M0();
    error M1();
    error AS();
    error IIA();
    error L();
    error F0();
    error F1();
    error SPL();
}

File 23 of 25 : IRamsesV3PoolEvents.sol
// 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 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);
}

File 24 of 25 : BytesLib.sol
// SPDX-License-Identifier: GPL-2.0-or-later
/*
 * @title Solidity Bytes Arrays Utils
 * @author Gonçalo Sá <[email protected]>
 *
 * @dev Bytes tightly packed arrays utility library for ethereum contracts written in Solidity.
 *      The library lets you concatenate, slice and type cast bytes arrays both in memory and storage.
 */
pragma solidity >=0.8.0 <0.9.0;

library BytesLib {
    /// @notice merging errors between functions, might change
    error Overflow();
    error OutOfBounds();

    function slice(bytes memory _bytes, uint256 _start, uint256 _length) internal pure returns (bytes memory) {
        if (_length + 31 < _length) revert Overflow();
        if (_bytes.length < _start + _length) revert OutOfBounds();

        bytes memory tempBytes;

        assembly {
            switch iszero(_length)
            case 0 {
                // Get a location of some free memory and store it in tempBytes as
                // Solidity does for memory variables.
                tempBytes := mload(0x40)

                // The first word of the slice result is potentially a partial
                // word read from the original array. To read it, we calculate
                // the length of that partial word and start copying that many
                // bytes into the array. The first word we copy will start with
                // data we don't care about, but the last `lengthmod` bytes will
                // land at the beginning of the contents of the new array. When
                // we're done copying, we overwrite the full first word with
                // the actual length of the slice.
                let lengthmod := and(_length, 31)

                // The multiplication in the next line is necessary
                // because when slicing multiples of 32 bytes (lengthmod == 0)
                // the following copy loop was copying the origin's length
                // and then ending prematurely not copying everything it should.
                let mc := add(add(tempBytes, lengthmod), mul(0x20, iszero(lengthmod)))
                let end := add(mc, _length)

                for {
                    // The multiplication in the next line has the same exact purpose
                    // as the one above.
                    let cc := add(add(add(_bytes, lengthmod), mul(0x20, iszero(lengthmod))), _start)
                } lt(mc, end) {
                    mc := add(mc, 0x20)
                    cc := add(cc, 0x20)
                } {
                    mstore(mc, mload(cc))
                }

                mstore(tempBytes, _length)

                //update free-memory pointer
                //allocating the array padded to 32 bytes like the compiler does now
                mstore(0x40, and(add(mc, 31), not(31)))
            }
            //if we want a zero-length slice let's just return a zero-length array
            default {
                tempBytes := mload(0x40)
                //zero out the 32 bytes slice we are about to return
                //we need to do it because Solidity does not garbage collect
                mstore(tempBytes, 0)

                mstore(0x40, add(tempBytes, 0x20))
            }
        }

        return tempBytes;
    }

    function toAddress(bytes memory _bytes, uint256 _start) internal pure returns (address) {
        if (_bytes.length < _start + 20) revert OutOfBounds();
        address tempAddress;

        assembly {
            tempAddress := div(mload(add(add(_bytes, 0x20), _start)), 0x1000000000000000000000000)
        }

        return tempAddress;
    }

    /// @notice this is actually toInt24 now
    function toUint24(bytes memory _bytes, uint256 _start) internal pure returns (int24) {
        if (_start + 3 < _start) revert Overflow();
        if (_bytes.length < _start + 3) revert OutOfBounds();
        int24 tempUint;

        assembly {
            tempUint := mload(add(add(_bytes, 0x3), _start))
        }

        return tempUint;
    }
}

File 25 of 25 : SwapRoute.sol
// SPDX-License-Identifier: GPL-3.0-or-later
pragma solidity ^0.8.17;

library SwapRoute {
    struct Route {
        address from;
        address to;
        bool stable;
    }
}

Settings
{
  "remappings": [
    "@openzeppelin-contracts-5.1.0/=dependencies/@openzeppelin-contracts-5.1.0/",
    "@openzeppelin-contracts-upgradeable-5.1.0/=dependencies/@openzeppelin-contracts-upgradeable-5.1.0/",
    "@forge-std-1.9.4/=dependencies/forge-std-1.9.4/",
    "@openzeppelin-contracts-upgradeable/=dependencies/@openzeppelin-contracts-upgradeable-5.1.0/",
    "@openzeppelin-contracts/contracts/=dependencies/@openzeppelin-contracts-5.1.0/",
    "@openzeppelin/contracts/=dependencies/@openzeppelin-contracts-5.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/",
    "eth-gas-reporter/=node_modules/eth-gas-reporter/",
    "forge-std-1.9.4/=dependencies/forge-std-1.9.4/src/",
    "hardhat/=node_modules/hardhat/",
    "solmate/=node_modules/solmate/"
  ],
  "optimizer": {
    "enabled": true,
    "runs": 2633
  },
  "metadata": {
    "useLiteralContent": false,
    "bytecodeHash": "ipfs",
    "appendCBOR": true
  },
  "outputSelection": {
    "*": {
      "*": [
        "evm.bytecode",
        "evm.deployedBytecode",
        "devdoc",
        "userdoc",
        "metadata",
        "abi"
      ]
    }
  },
  "evmVersion": "cancun",
  "viaIR": true,
  "libraries": {}
}

Contract Security Audit

Contract ABI

[{"inputs":[{"internalType":"address","name":"_factory","type":"address"},{"internalType":"address","name":"_pairFactory","type":"address"}],"stateMutability":"nonpayable","type":"constructor"},{"inputs":[],"name":"OutOfBounds","type":"error"},{"inputs":[],"name":"Overflow","type":"error"},{"inputs":[],"name":"contractDeployer","outputs":[{"internalType":"address","name":"","type":"address"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"factory","outputs":[{"internalType":"address","name":"","type":"address"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"initCodeHash","outputs":[{"internalType":"bytes32","name":"","type":"bytes32"}],"stateMutability":"view","type":"function"},{"inputs":[],"name":"pairFactory","outputs":[{"internalType":"address","name":"","type":"address"}],"stateMutability":"view","type":"function"},{"inputs":[{"internalType":"bytes","name":"path","type":"bytes"},{"internalType":"uint256","name":"amountIn","type":"uint256"}],"name":"quoteExactInput","outputs":[{"internalType":"uint256","name":"amountOut","type":"uint256"},{"internalType":"uint160[]","name":"v3SqrtPriceX96AfterList","type":"uint160[]"},{"internalType":"uint32[]","name":"v3InitializedTicksCrossedList","type":"uint32[]"},{"internalType":"uint256","name":"v3SwapGasEstimate","type":"uint256"}],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"components":[{"internalType":"address","name":"tokenIn","type":"address"},{"internalType":"address","name":"tokenOut","type":"address"},{"internalType":"uint256","name":"amountIn","type":"uint256"},{"internalType":"bool","name":"stable","type":"bool"}],"internalType":"struct IMixedRouteQuoterV1.QuoteExactInputSingleV2Params","name":"params","type":"tuple"}],"name":"quoteExactInputSingleV2","outputs":[{"internalType":"uint256","name":"amountOut","type":"uint256"}],"stateMutability":"view","type":"function"},{"inputs":[{"components":[{"internalType":"address","name":"tokenIn","type":"address"},{"internalType":"address","name":"tokenOut","type":"address"},{"internalType":"uint256","name":"amountIn","type":"uint256"},{"internalType":"int24","name":"tickSpacing","type":"int24"},{"internalType":"uint160","name":"sqrtPriceLimitX96","type":"uint160"}],"internalType":"struct IMixedRouteQuoterV1.QuoteExactInputSingleV3Params","name":"params","type":"tuple"}],"name":"quoteExactInputSingleV3","outputs":[{"internalType":"uint256","name":"amountOut","type":"uint256"},{"internalType":"uint160","name":"sqrtPriceX96After","type":"uint160"},{"internalType":"uint32","name":"initializedTicksCrossed","type":"uint32"},{"internalType":"uint256","name":"gasEstimate","type":"uint256"}],"stateMutability":"nonpayable","type":"function"},{"inputs":[{"internalType":"int256","name":"amount0Delta","type":"int256"},{"internalType":"int256","name":"amount1Delta","type":"int256"},{"internalType":"bytes","name":"path","type":"bytes"}],"name":"uniswapV3SwapCallback","outputs":[],"stateMutability":"view","type":"function"}]

6080806040523461011a57604081611f1d803803809161001f8285610131565b83398101031261011a575f60206100408161003985610168565b9401610168565b600180546001600160a01b0319166001600160a01b039095169485179055604051635fa4d14960e11b815290939092839160049183915af1908115610126575f916100e8575b50600280546001600160a01b039283166001600160a01b0319918216179091555f80549390921692169190911790557f96e8ac4277198ff8b6f785478aa9a3453ee4fbe1945627f56725939b223ff5c2600355604051611da0908161017d8239f35b90506020813d60201161011e575b8161010360209383610131565b8101031261011a5761011490610168565b5f610086565b5f80fd5b3d91506100f6565b6040513d5f823e3d90fd5b601f909101601f19168101906001600160401b0382119082101761015457604052565b634e487b7160e01b5f52604160045260245ffd5b51906001600160a01b038216820361011a5756fe60806040526004361015610011575f80fd5b5f3560e01c80637c71f78014610094578063891e50c61461008f578063a24bfc6e1461008a578063c45a015514610085578063cdca175314610080578063db4c545e1461007b578063e14f870d146100765763fa461e3314610071575f80fd5b610428565b610403565b6103e6565b610314565b61028c565b610266565b6101c0565b34610102576080600319360112610102576100b0610100604052565b6004356100bc8161019a565b6080526024356100cb8161019a565b60a05260443560c0526064356100e0816101ab565b60e0526100fe6100ee6105f1565b6040519081529081906020820190565b0390f35b5f80fd5b634e487b7160e01b5f52604160045260245ffd5b60a0810190811067ffffffffffffffff82111761013657604052565b610106565b6060810190811067ffffffffffffffff82111761013657604052565b90601f601f19910116810190811067ffffffffffffffff82111761013657604052565b6040519061018960a083610157565b565b60405190610189608083610157565b6001600160a01b0381160361010257565b8015150361010257565b8060020b0361010257565b346101025760a0600319360112610102576100fe6102316040516101e38161011a565b6004356101ef8161019a565b81526024356101fd8161019a565b60208201526044356040820152606435610216816101b5565b60608201526084356102278161019a565b6080820152610869565b604080519485526001600160a01b03909316602085015263ffffffff9091169183019190915260608201529081906080820190565b34610102575f6003193601126101025760206001600160a01b0360025416604051908152f35b34610102575f6003193601126101025760206001600160a01b0360015416604051908152f35b67ffffffffffffffff811161013657601f01601f191660200190565b81601f82011215610102578035906102e5826102b2565b926102f36040519485610157565b8284526020838301011161010257815f926020809301838601378301015290565b346101025760406003193601126101025760043567ffffffffffffffff8111610102576103486103519136906004016102ce565b60243590610b17565b60405193845260806020808601829052845191860182905260a08601959401905f5b8181106103c75750505082840360408401526020808351958681520192015f945b8086106103a957505082935060608301520390f35b909260208060019263ffffffff875116815201940195019490610394565b82516001600160a01b0316875260209687019690920191600101610373565b34610102575f600319360112610102576020600354604051908152f35b34610102575f6003193601126101025760206001600160a01b035f5416604051908152f35b346101025760606003193601126101025760443560043560243567ffffffffffffffff83116101025760e06104e06104d4610468600496369088016102ce565b6104855f8713918280156105e8575b61048090610c6d565b610f25565b96919790926104a784898b6104a26002546001600160a01b031690565b61103c565b50156105c157506104b790610c74565b946001600160a01b0381166001600160a01b038816109596610d83565b6001600160a01b031690565b604051948580927f3850c7bd0000000000000000000000000000000000000000000000000000000082525afa9081156105bc575f935f92610581575b50156105375760609260405192835260208301526040820152fd5b60405162461bcd60e51b815260206004820181905260248201527f4578616374206f75747075742071756f7465206e6f7420737570706f72746564604482015280606481015b0390fd5b9093506105a6915060e03d60e0116105b5575b61059e8183610157565b810190610caf565b5050505050929092905f61051c565b503d610594565b61080f565b6105cb9150610c74565b946001600160a01b0387166001600160a01b038216109596610d83565b505f8713610477565b61068c60c0516001600160a01b03608051166001600160a01b0360a0511660e0511515905f54926001600160a01b0384166020600354916106486104d461063b888888888761105e565b926001600160a01b031690565b60405180809b81947f841fa66b000000000000000000000000000000000000000000000000000000008352600483019190916001600160a01b036020820193169052565b03915afa9485156105bc576106e8975f966106eb575b50846106d5946106dd946106e3946106c36106c8956001600160a01b031690565b61112e565b9892949195909783610d4d565b612710900490565b9061085c565b611237565b90565b6106c89196506106d5946106dd946106e3946106c36107228a9560203d602011610731575b61071a8183610157565b810190610d1a565b9a9550509450945094506106a2565b503d610710565b61068c906040810151906001600160a01b038151169060606001600160a01b036020830151169101511515905f54926001600160a01b0384166020600354916106486104d461063b888888888761105e565b634e487b7160e01b5f52601160045260245ffd5b9190826040910312610102576020825192015190565b90601f19601f602080948051918291828752018686015e5f8582860101520116010190565b919360a0936106e896956001600160a01b03809416855215156020850152604084015216606082015281608082015201906107b4565b6040513d5f823e3d90fd5b3d15610844573d9061082b826102b2565b916108396040519384610157565b82523d5f602084013e565b606090565b5f1981019190821161085757565b61078a565b9190820391821161085757565b905f915f5f905f9161088284516001600160a01b031690565b926020850194604061089b87516001600160a01b031690565b6108ca6001600160a01b0382166001600160a01b038916109760608501926108c4845160020b90565b91610d83565b966109bc5a996109886108df86880151610da8565b946108f460808901516001600160a01b031690565b6001600160a01b038116610a5c57508415610a365761097a61094161093361092b6401000276a45b9b5b516001600160a01b031690565b935160020b90565b94516001600160a01b031690565b8851948593602085019192602b936bffffffffffffffffffffffff19809360601b16845260e81b601484015260601b1660178201520190565b03601f198101835282610157565b845195869485947f128acb0800000000000000000000000000000000000000000000000000000000865230600487016107d9565b03815f6001600160a01b038a165af19081610a08575b50610a01575050506109f99293506109f36109eb61081a565b925a9061085c565b91610dd3565b929391929091565b9250925092565b610a299060403d604011610a2f575b610a218183610157565b81019061079e565b506109d2565b503d610a17565b61097a61094161093361092b73fffd8963efd1fc6a506488495d951d5263988d2561091c565b61094161093361092b61097a939b61091e565b67ffffffffffffffff81116101365760051b60200190565b90610a9182610a6f565b610a9e6040519182610157565b828152601f19610aae8294610a6f565b0190602036910137565b8051821015610acc5760209160051b010190565b634e487b7160e01b5f52603260045260245ffd5b90601f820180921161085757565b906001820180921161085757565b9190820180921161085757565b5f1981146108575760010190565b5f610b29610b2483610ef3565b610a87565b93610b36610b2484610ef3565b925f945b610b4382610f25565b919290888a62800000831615610bf0575050610bb692610bbc94926280000062ffffff610bb19416145f14610be657610ba36001925b610b93610b8461018b565b6001600160a01b039097168752565b6001600160a01b03166020860152565b604084015215156060830152565b610738565b95610b09565b90610bca8160429051101590565b15610bdf57610bd890610f81565b9094610b3a565b5093949350565b610ba35f92610b79565b610c4c610c33610bbc97610c28610c61959c96610c3e98610c19610c669b610b93610b8461017a565b604084015260020b6060830152565b5f6080820152610869565b9791929c9094610ab8565b906001600160a01b03169052565b610c568b8b610ab8565b9063ffffffff169052565b610afc565b9395610b09565b1561010257565b7f80000000000000000000000000000000000000000000000000000000000000008114610857575f0390565b519061ffff8216820361010257565b908160e0910312610102578051610cc58161019a565b916020820151610cd4816101b5565b91610ce160408201610ca0565b91610cee60608301610ca0565b91610cfb60808201610ca0565b9160a082015160ff811681036101025760c0909201516106e8816101ab565b90816020910312610102575190565b90670de0b6b3a7640000820291808304670de0b6b3a7640000149015171561085757565b8181029291811591840414171561085757565b634e487b7160e01b5f52601260045260245ffd5b8115610d7e570490565b610d60565b610d9e6001600160a01b0393610da493856002541693611304565b9061135c565b1690565b7f80000000000000000000000000000000000000000000000000000000000000008110156101025790565b919092604051927f3850c7bd00000000000000000000000000000000000000000000000000000000845260e0846004816001600160a01b0389165afa9384156105bc575f94610ecb575b50805160608103610e4f5750610e3f81602080610e4894518301019101611534565b91959096611618565b9293929190565b604411610e8757610e6f81602480600461057d95015183010191016114c0565b60405191829162461bcd60e51b835260048301611523565b606460405162461bcd60e51b815260206004820152601060248201527f556e6578706563746564206572726f72000000000000000000000000000000006044820152fd5b610ee591945060e03d60e0116105b55761059e8183610157565b50505050509050925f610e1d565b517fffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffec8101908111610857576017900490565b6014815110610f5957602081015160601c916017825110610f5957601782015191602b815110610f59576037015160601c90565b7fb4120f14000000000000000000000000000000000000000000000000000000005f5260045ffd5b80519060178203918083116108575782610f9a81610ae0565b10611014578151610fac846017610afc565b11610f5957601703610fca5750506040515f81526020810160405290565b60405191601f8116916017831560051b80858701019484860193010101905b8084106110015750508252601f01601f191660405290565b9092602080918551815201930190610fe9565b7f35278d12000000000000000000000000000000000000000000000000000000005f5260045ffd5b906001600160a01b039361105393610d9e92611304565b168033036101025790565b91936110756001600160a01b03946106e896611ad9565b90916bffffffffffffffffffffffff196040519281602085019560601b16855260601b166034830152151560f81b6048820152602981526110b7604982610157565b51902090604051916bffffffffffffffffffffffff1960208401947fff00000000000000000000000000000000000000000000000000000000000000865260601b1660018501526015840152603583015261111e816055840103601f198101835282610157565b519020166001600160a01b031690565b91926111546004956001600160a01b03928660e09561114d8383611ad9565b509761105e565b16604051948580927f392f37e90000000000000000000000000000000000000000000000000000000082525afa9283156105bc575f925f925f925f966111b8575b506001600160a01b039182169116036111b2579291905b90919293565b916111ac565b9350945092505060e0813d60e01161122f575b816111d860e09383610157565b81010312610102578051906020810151926001600160a01b038060408401519461122460c060608701519661121060808201516101ab565b61121d60a082015161019a565b015161019a565b959493969150611195565b3d91506111cb565b93909194925f146112e35761124e83828785611afb565b670de0b6b3a7640000830292808404670de0b6b3a76400001490151715610857578115610d7e57670de0b6b3a7640000860295808704670de0b6b3a764000014901517156108575783826112d0946106dd936112cb6112d599610c61856112c66112bc6106e89f8a90610d74565b9a8b970493610d29565b610d74565b611b93565b610d4d565b670de0b6b3a7640000900490565b50926112f0915082610d4d565b908201809211610857578115610d7e570490565b91906001600160a01b03905f6040805161131d8161013b565b828152826020820152015281811682851611611356575b81604051946113428661013b565b16845216602083015260020b604082015290565b92611334565b906001600160a01b038151169160208201926001600160a01b03845116111561147c5761097a61146d6106e894846113f06113c060406113b76113a96104d49a516001600160a01b031690565b95516001600160a01b031690565b93015160020b90565b604080516001600160a01b0395861660208201908152959094169084015260020b6060830152816080810161097a565b51902060405192839160208301958690916bffffffffffffffffffffffff196055937fff00000000000000000000000000000000000000000000000000000000000000845260601b16600183015260158201527fc701ee63862761c31d620a4a083c61bdc1e81761e6b9c9267fd19afd22e0821d60358201520190565b5190206001600160a01b031690565b606460405162461bcd60e51b815260206004820152600b60248201527f21546f6b656e4f726465720000000000000000000000000000000000000000006044820152fd5b6020818303126101025780519067ffffffffffffffff8211610102570181601f82011215610102578051906114f4826102b2565b926115026040519485610157565b8284526020838301011161010257815f9260208093018386015e8301015290565b9060206106e89281815201906107b4565b9081606091031261010257805191604060208301516115528161019a565b9201516106e8816101b5565b9081602091031261010257516106e8816101b5565b60020b9060020b908115610d7e577fffffffffffffffffffffffffffffffffffffffffffffffffffffffffff80000081145f19831416610857570590565b9060020b908115610d7e5760020b0790565b60ff1660ff039060ff821161085757565b9063ffffffff8091169116019063ffffffff821161085757565b60010b617fff81146108575760010190565b63ffffffff5f199116019063ffffffff821161085757565b90916001600160a01b035f9216936040516334324e9f60e21b8152602081600481895afa80156105bc5761165b6116679161166d935f91611aba575b5087611573565b60020b60081d60020b90565b60010b90565b916040516334324e9f60e21b81526020816004818a5afa80156105bc576116a36116ae916116b4935f91611a9b575b5088611573565b6101009060020b0790565b60ff1690565b946040516334324e9f60e21b81526020816004818b5afa80156105bc5761165b611667916116ea935f91611a7c575b5085611573565b926040516334324e9f60e21b81526020816004818c5afa80156105bc576116a36116ae91611720935f91611a5d575b5086611573565b6040517f5339c296000000000000000000000000000000000000000000000000000000008152600186900b60048201529095906020816024818d5afa9081156105bc575f91611a3e575b50600160ff88161b16151592836119e5575b836119d4575b6040517f5339c296000000000000000000000000000000000000000000000000000000008152600183900b60048201526020816024818e5afa9081156105bc575f916119b5575b50600160ff8b161b161515948561194b575b85611939575b50508460010b8160010b90808212918215611919575b5050156119065790969095939493905f1960ff9091161b5b8560010b8760010b8181136118d657146118ba575b6040517f5339c296000000000000000000000000000000000000000000000000000000008152600188900b6004820152916020836024818d5afa80156105bc5761188161188e9361188892611894965f9161189c575b5016611caa565b61ffff1690565b906115d4565b956115ee565b945f1961180f565b6118b4915060203d81116107315761071a8183610157565b5f61187a565b6118d06118c6866115c3565b60ff5f1991161c90565b16611824565b50505095965092509250506118f6575b6118ed5790565b6106e890611600565b9061190090611600565b906118e6565b9096939590945f1960ff9091161b61180f565b14905080611929575b5f806117f7565b5060ff861660ff89161115611922565b600290810b91900b1293505f806117e1565b6040516334324e9f60e21b81529095506020816004818e5afa80156105bc5761197c915f91611986575b50826115b1565b60020b15946117db565b6119a8915060203d6020116119ae575b6119a08183610157565b81019061155e565b5f611975565b503d611996565b6119ce915060203d6020116107315761071a8183610157565b5f6117c9565b92508360020b8360020b1392611782565b92506040516334324e9f60e21b81526020816004818d5afa80156105bc57611a15915f91611a1f575b50856115b1565b60020b159261177c565b611a38915060203d6020116119ae576119a08183610157565b5f611a0e565b611a57915060203d6020116107315761071a8183610157565b5f61176a565b611a76915060203d6020116119ae576119a08183610157565b5f611719565b611a95915060203d6020116119ae576119a08183610157565b5f6116e3565b611ab4915060203d6020116119ae576119a08183610157565b5f61169c565b611ad3915060203d6020116119ae576119a08183610157565b5f611654565b6001600160a01b0382166001600160a01b038216105f14611af75791565b9091565b92919092670de0b6b3a7640000810290808204670de0b6b3a76400001490151715610857578115610d7e570491670de0b6b3a7640000810290808204670de0b6b3a76400001490151715610857578115610d7e570490670de0b6b3a7640000611b7c81611b7481611b6c8787610d4d565b049480610d4d565b049380610d4d565b048201809211610857576106e8916112d591610d4d565b5f95948694939192915b60ff8610611bad57505050505050565b611bb78185611cdb565b83811015611c4a5783611be5611bd5611bd0848461085c565b610d29565b611bdf8589611d17565b90610d74565b918215611c04575b5050611bfb90600192610afc565b955b0194611b9d565b149050611c415782611c208387611c1a85610aee565b88611afb565b11611c3057600183611bfb611bed565b9450505050506106e8919250610aee565b96505050505050565b83611c5b611bd5611bd0838561085c565b918215611c77575b5050611c719060019261085c565b95611bfd565b1490508015611c90575b611c4157600183611c71611c63565b5082611ca4611c9e83610849565b86611cdb565b10611c81565b805f915b611cb6575090565b9061ffff1661ffff811461085757600101905f19810190808211610857571680611cae565b670de0b6b3a7640000611cf681611b7481611b6c8787610d4d565b04820180921161085757670de0b6b3a764000091611d1391610d4d565b0490565b90816003029060038204830361085757670de0b6b3a7640000611d4a819382611d4385611d5d96610d4d565b0490610d4d565b049282611d578280610d4d565b04610d4d565b048101809111610857579056fea26469706673582212204a25fc7054e0d143f790fb9d4f37ede5538920c8021201fa86beccbc15caa4fd64736f6c634300081c0033000000000000000000000000cd2d0637c94fe77c2896bbcbb174ceffb08de6d70000000000000000000000000000000000000000000000000000000000000000

Deployed Bytecode

0x60806040526004361015610011575f80fd5b5f3560e01c80637c71f78014610094578063891e50c61461008f578063a24bfc6e1461008a578063c45a015514610085578063cdca175314610080578063db4c545e1461007b578063e14f870d146100765763fa461e3314610071575f80fd5b610428565b610403565b6103e6565b610314565b61028c565b610266565b6101c0565b34610102576080600319360112610102576100b0610100604052565b6004356100bc8161019a565b6080526024356100cb8161019a565b60a05260443560c0526064356100e0816101ab565b60e0526100fe6100ee6105f1565b6040519081529081906020820190565b0390f35b5f80fd5b634e487b7160e01b5f52604160045260245ffd5b60a0810190811067ffffffffffffffff82111761013657604052565b610106565b6060810190811067ffffffffffffffff82111761013657604052565b90601f601f19910116810190811067ffffffffffffffff82111761013657604052565b6040519061018960a083610157565b565b60405190610189608083610157565b6001600160a01b0381160361010257565b8015150361010257565b8060020b0361010257565b346101025760a0600319360112610102576100fe6102316040516101e38161011a565b6004356101ef8161019a565b81526024356101fd8161019a565b60208201526044356040820152606435610216816101b5565b60608201526084356102278161019a565b6080820152610869565b604080519485526001600160a01b03909316602085015263ffffffff9091169183019190915260608201529081906080820190565b34610102575f6003193601126101025760206001600160a01b0360025416604051908152f35b34610102575f6003193601126101025760206001600160a01b0360015416604051908152f35b67ffffffffffffffff811161013657601f01601f191660200190565b81601f82011215610102578035906102e5826102b2565b926102f36040519485610157565b8284526020838301011161010257815f926020809301838601378301015290565b346101025760406003193601126101025760043567ffffffffffffffff8111610102576103486103519136906004016102ce565b60243590610b17565b60405193845260806020808601829052845191860182905260a08601959401905f5b8181106103c75750505082840360408401526020808351958681520192015f945b8086106103a957505082935060608301520390f35b909260208060019263ffffffff875116815201940195019490610394565b82516001600160a01b0316875260209687019690920191600101610373565b34610102575f600319360112610102576020600354604051908152f35b34610102575f6003193601126101025760206001600160a01b035f5416604051908152f35b346101025760606003193601126101025760443560043560243567ffffffffffffffff83116101025760e06104e06104d4610468600496369088016102ce565b6104855f8713918280156105e8575b61048090610c6d565b610f25565b96919790926104a784898b6104a26002546001600160a01b031690565b61103c565b50156105c157506104b790610c74565b946001600160a01b0381166001600160a01b038816109596610d83565b6001600160a01b031690565b604051948580927f3850c7bd0000000000000000000000000000000000000000000000000000000082525afa9081156105bc575f935f92610581575b50156105375760609260405192835260208301526040820152fd5b60405162461bcd60e51b815260206004820181905260248201527f4578616374206f75747075742071756f7465206e6f7420737570706f72746564604482015280606481015b0390fd5b9093506105a6915060e03d60e0116105b5575b61059e8183610157565b810190610caf565b5050505050929092905f61051c565b503d610594565b61080f565b6105cb9150610c74565b946001600160a01b0387166001600160a01b038216109596610d83565b505f8713610477565b61068c60c0516001600160a01b03608051166001600160a01b0360a0511660e0511515905f54926001600160a01b0384166020600354916106486104d461063b888888888761105e565b926001600160a01b031690565b60405180809b81947f841fa66b000000000000000000000000000000000000000000000000000000008352600483019190916001600160a01b036020820193169052565b03915afa9485156105bc576106e8975f966106eb575b50846106d5946106dd946106e3946106c36106c8956001600160a01b031690565b61112e565b9892949195909783610d4d565b612710900490565b9061085c565b611237565b90565b6106c89196506106d5946106dd946106e3946106c36107228a9560203d602011610731575b61071a8183610157565b810190610d1a565b9a9550509450945094506106a2565b503d610710565b61068c906040810151906001600160a01b038151169060606001600160a01b036020830151169101511515905f54926001600160a01b0384166020600354916106486104d461063b888888888761105e565b634e487b7160e01b5f52601160045260245ffd5b9190826040910312610102576020825192015190565b90601f19601f602080948051918291828752018686015e5f8582860101520116010190565b919360a0936106e896956001600160a01b03809416855215156020850152604084015216606082015281608082015201906107b4565b6040513d5f823e3d90fd5b3d15610844573d9061082b826102b2565b916108396040519384610157565b82523d5f602084013e565b606090565b5f1981019190821161085757565b61078a565b9190820391821161085757565b905f915f5f905f9161088284516001600160a01b031690565b926020850194604061089b87516001600160a01b031690565b6108ca6001600160a01b0382166001600160a01b038916109760608501926108c4845160020b90565b91610d83565b966109bc5a996109886108df86880151610da8565b946108f460808901516001600160a01b031690565b6001600160a01b038116610a5c57508415610a365761097a61094161093361092b6401000276a45b9b5b516001600160a01b031690565b935160020b90565b94516001600160a01b031690565b8851948593602085019192602b936bffffffffffffffffffffffff19809360601b16845260e81b601484015260601b1660178201520190565b03601f198101835282610157565b845195869485947f128acb0800000000000000000000000000000000000000000000000000000000865230600487016107d9565b03815f6001600160a01b038a165af19081610a08575b50610a01575050506109f99293506109f36109eb61081a565b925a9061085c565b91610dd3565b929391929091565b9250925092565b610a299060403d604011610a2f575b610a218183610157565b81019061079e565b506109d2565b503d610a17565b61097a61094161093361092b73fffd8963efd1fc6a506488495d951d5263988d2561091c565b61094161093361092b61097a939b61091e565b67ffffffffffffffff81116101365760051b60200190565b90610a9182610a6f565b610a9e6040519182610157565b828152601f19610aae8294610a6f565b0190602036910137565b8051821015610acc5760209160051b010190565b634e487b7160e01b5f52603260045260245ffd5b90601f820180921161085757565b906001820180921161085757565b9190820180921161085757565b5f1981146108575760010190565b5f610b29610b2483610ef3565b610a87565b93610b36610b2484610ef3565b925f945b610b4382610f25565b919290888a62800000831615610bf0575050610bb692610bbc94926280000062ffffff610bb19416145f14610be657610ba36001925b610b93610b8461018b565b6001600160a01b039097168752565b6001600160a01b03166020860152565b604084015215156060830152565b610738565b95610b09565b90610bca8160429051101590565b15610bdf57610bd890610f81565b9094610b3a565b5093949350565b610ba35f92610b79565b610c4c610c33610bbc97610c28610c61959c96610c3e98610c19610c669b610b93610b8461017a565b604084015260020b6060830152565b5f6080820152610869565b9791929c9094610ab8565b906001600160a01b03169052565b610c568b8b610ab8565b9063ffffffff169052565b610afc565b9395610b09565b1561010257565b7f80000000000000000000000000000000000000000000000000000000000000008114610857575f0390565b519061ffff8216820361010257565b908160e0910312610102578051610cc58161019a565b916020820151610cd4816101b5565b91610ce160408201610ca0565b91610cee60608301610ca0565b91610cfb60808201610ca0565b9160a082015160ff811681036101025760c0909201516106e8816101ab565b90816020910312610102575190565b90670de0b6b3a7640000820291808304670de0b6b3a7640000149015171561085757565b8181029291811591840414171561085757565b634e487b7160e01b5f52601260045260245ffd5b8115610d7e570490565b610d60565b610d9e6001600160a01b0393610da493856002541693611304565b9061135c565b1690565b7f80000000000000000000000000000000000000000000000000000000000000008110156101025790565b919092604051927f3850c7bd00000000000000000000000000000000000000000000000000000000845260e0846004816001600160a01b0389165afa9384156105bc575f94610ecb575b50805160608103610e4f5750610e3f81602080610e4894518301019101611534565b91959096611618565b9293929190565b604411610e8757610e6f81602480600461057d95015183010191016114c0565b60405191829162461bcd60e51b835260048301611523565b606460405162461bcd60e51b815260206004820152601060248201527f556e6578706563746564206572726f72000000000000000000000000000000006044820152fd5b610ee591945060e03d60e0116105b55761059e8183610157565b50505050509050925f610e1d565b517fffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffec8101908111610857576017900490565b6014815110610f5957602081015160601c916017825110610f5957601782015191602b815110610f59576037015160601c90565b7fb4120f14000000000000000000000000000000000000000000000000000000005f5260045ffd5b80519060178203918083116108575782610f9a81610ae0565b10611014578151610fac846017610afc565b11610f5957601703610fca5750506040515f81526020810160405290565b60405191601f8116916017831560051b80858701019484860193010101905b8084106110015750508252601f01601f191660405290565b9092602080918551815201930190610fe9565b7f35278d12000000000000000000000000000000000000000000000000000000005f5260045ffd5b906001600160a01b039361105393610d9e92611304565b168033036101025790565b91936110756001600160a01b03946106e896611ad9565b90916bffffffffffffffffffffffff196040519281602085019560601b16855260601b166034830152151560f81b6048820152602981526110b7604982610157565b51902090604051916bffffffffffffffffffffffff1960208401947fff00000000000000000000000000000000000000000000000000000000000000865260601b1660018501526015840152603583015261111e816055840103601f198101835282610157565b519020166001600160a01b031690565b91926111546004956001600160a01b03928660e09561114d8383611ad9565b509761105e565b16604051948580927f392f37e90000000000000000000000000000000000000000000000000000000082525afa9283156105bc575f925f925f925f966111b8575b506001600160a01b039182169116036111b2579291905b90919293565b916111ac565b9350945092505060e0813d60e01161122f575b816111d860e09383610157565b81010312610102578051906020810151926001600160a01b038060408401519461122460c060608701519661121060808201516101ab565b61121d60a082015161019a565b015161019a565b959493969150611195565b3d91506111cb565b93909194925f146112e35761124e83828785611afb565b670de0b6b3a7640000830292808404670de0b6b3a76400001490151715610857578115610d7e57670de0b6b3a7640000860295808704670de0b6b3a764000014901517156108575783826112d0946106dd936112cb6112d599610c61856112c66112bc6106e89f8a90610d74565b9a8b970493610d29565b610d74565b611b93565b610d4d565b670de0b6b3a7640000900490565b50926112f0915082610d4d565b908201809211610857578115610d7e570490565b91906001600160a01b03905f6040805161131d8161013b565b828152826020820152015281811682851611611356575b81604051946113428661013b565b16845216602083015260020b604082015290565b92611334565b906001600160a01b038151169160208201926001600160a01b03845116111561147c5761097a61146d6106e894846113f06113c060406113b76113a96104d49a516001600160a01b031690565b95516001600160a01b031690565b93015160020b90565b604080516001600160a01b0395861660208201908152959094169084015260020b6060830152816080810161097a565b51902060405192839160208301958690916bffffffffffffffffffffffff196055937fff00000000000000000000000000000000000000000000000000000000000000845260601b16600183015260158201527fc701ee63862761c31d620a4a083c61bdc1e81761e6b9c9267fd19afd22e0821d60358201520190565b5190206001600160a01b031690565b606460405162461bcd60e51b815260206004820152600b60248201527f21546f6b656e4f726465720000000000000000000000000000000000000000006044820152fd5b6020818303126101025780519067ffffffffffffffff8211610102570181601f82011215610102578051906114f4826102b2565b926115026040519485610157565b8284526020838301011161010257815f9260208093018386015e8301015290565b9060206106e89281815201906107b4565b9081606091031261010257805191604060208301516115528161019a565b9201516106e8816101b5565b9081602091031261010257516106e8816101b5565b60020b9060020b908115610d7e577fffffffffffffffffffffffffffffffffffffffffffffffffffffffffff80000081145f19831416610857570590565b9060020b908115610d7e5760020b0790565b60ff1660ff039060ff821161085757565b9063ffffffff8091169116019063ffffffff821161085757565b60010b617fff81146108575760010190565b63ffffffff5f199116019063ffffffff821161085757565b90916001600160a01b035f9216936040516334324e9f60e21b8152602081600481895afa80156105bc5761165b6116679161166d935f91611aba575b5087611573565b60020b60081d60020b90565b60010b90565b916040516334324e9f60e21b81526020816004818a5afa80156105bc576116a36116ae916116b4935f91611a9b575b5088611573565b6101009060020b0790565b60ff1690565b946040516334324e9f60e21b81526020816004818b5afa80156105bc5761165b611667916116ea935f91611a7c575b5085611573565b926040516334324e9f60e21b81526020816004818c5afa80156105bc576116a36116ae91611720935f91611a5d575b5086611573565b6040517f5339c296000000000000000000000000000000000000000000000000000000008152600186900b60048201529095906020816024818d5afa9081156105bc575f91611a3e575b50600160ff88161b16151592836119e5575b836119d4575b6040517f5339c296000000000000000000000000000000000000000000000000000000008152600183900b60048201526020816024818e5afa9081156105bc575f916119b5575b50600160ff8b161b161515948561194b575b85611939575b50508460010b8160010b90808212918215611919575b5050156119065790969095939493905f1960ff9091161b5b8560010b8760010b8181136118d657146118ba575b6040517f5339c296000000000000000000000000000000000000000000000000000000008152600188900b6004820152916020836024818d5afa80156105bc5761188161188e9361188892611894965f9161189c575b5016611caa565b61ffff1690565b906115d4565b956115ee565b945f1961180f565b6118b4915060203d81116107315761071a8183610157565b5f61187a565b6118d06118c6866115c3565b60ff5f1991161c90565b16611824565b50505095965092509250506118f6575b6118ed5790565b6106e890611600565b9061190090611600565b906118e6565b9096939590945f1960ff9091161b61180f565b14905080611929575b5f806117f7565b5060ff861660ff89161115611922565b600290810b91900b1293505f806117e1565b6040516334324e9f60e21b81529095506020816004818e5afa80156105bc5761197c915f91611986575b50826115b1565b60020b15946117db565b6119a8915060203d6020116119ae575b6119a08183610157565b81019061155e565b5f611975565b503d611996565b6119ce915060203d6020116107315761071a8183610157565b5f6117c9565b92508360020b8360020b1392611782565b92506040516334324e9f60e21b81526020816004818d5afa80156105bc57611a15915f91611a1f575b50856115b1565b60020b159261177c565b611a38915060203d6020116119ae576119a08183610157565b5f611a0e565b611a57915060203d6020116107315761071a8183610157565b5f61176a565b611a76915060203d6020116119ae576119a08183610157565b5f611719565b611a95915060203d6020116119ae576119a08183610157565b5f6116e3565b611ab4915060203d6020116119ae576119a08183610157565b5f61169c565b611ad3915060203d6020116119ae576119a08183610157565b5f611654565b6001600160a01b0382166001600160a01b038216105f14611af75791565b9091565b92919092670de0b6b3a7640000810290808204670de0b6b3a76400001490151715610857578115610d7e570491670de0b6b3a7640000810290808204670de0b6b3a76400001490151715610857578115610d7e570490670de0b6b3a7640000611b7c81611b7481611b6c8787610d4d565b049480610d4d565b049380610d4d565b048201809211610857576106e8916112d591610d4d565b5f95948694939192915b60ff8610611bad57505050505050565b611bb78185611cdb565b83811015611c4a5783611be5611bd5611bd0848461085c565b610d29565b611bdf8589611d17565b90610d74565b918215611c04575b5050611bfb90600192610afc565b955b0194611b9d565b149050611c415782611c208387611c1a85610aee565b88611afb565b11611c3057600183611bfb611bed565b9450505050506106e8919250610aee565b96505050505050565b83611c5b611bd5611bd0838561085c565b918215611c77575b5050611c719060019261085c565b95611bfd565b1490508015611c90575b611c4157600183611c71611c63565b5082611ca4611c9e83610849565b86611cdb565b10611c81565b805f915b611cb6575090565b9061ffff1661ffff811461085757600101905f19810190808211610857571680611cae565b670de0b6b3a7640000611cf681611b7481611b6c8787610d4d565b04820180921161085757670de0b6b3a764000091611d1391610d4d565b0490565b90816003029060038204830361085757670de0b6b3a7640000611d4a819382611d4385611d5d96610d4d565b0490610d4d565b049282611d578280610d4d565b04610d4d565b048101809111610857579056fea26469706673582212204a25fc7054e0d143f790fb9d4f37ede5538920c8021201fa86beccbc15caa4fd64736f6c634300081c0033

Constructor Arguments (ABI-Encoded and is the last bytes of the Contract Creation Code above)

000000000000000000000000cd2d0637c94fe77c2896bbcbb174ceffb08de6d70000000000000000000000000000000000000000000000000000000000000000

-----Decoded View---------------
Arg [0] : _factory (address): 0xcD2d0637c94fe77C2896BbCBB174cefFb08DE6d7
Arg [1] : _pairFactory (address): 0x0000000000000000000000000000000000000000

-----Encoded View---------------
2 Constructor Arguments found :
Arg [0] : 000000000000000000000000cd2d0637c94fe77c2896bbcbb174ceffb08de6d7
Arg [1] : 0000000000000000000000000000000000000000000000000000000000000000


Block Transaction Gas Used Reward
view all blocks produced

Block Uncle Number Difficulty Gas Used Reward
View All Uncles
Loading...
Loading
Loading...
Loading

Validator Index Block Amount
View All Withdrawals

Transaction Hash Block Value Eth2 PubKey Valid
View All Deposits
[ 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.