Skip to main content

nautilus_model/defi/
amm.rs

1// -------------------------------------------------------------------------------------------------
2//  Copyright (C) 2015-2026 Nautech Systems Pty Ltd. All rights reserved.
3//  https://nautechsystems.io
4//
5//  Licensed under the GNU Lesser General Public License Version 3.0 (the "License");
6//  You may not use this file except in compliance with the License.
7//  You may obtain a copy of the License at https://www.gnu.org/licenses/lgpl-3.0.en.html
8//
9//  Unless required by applicable law or agreed to in writing, software
10//  distributed under the License is distributed on an "AS IS" BASIS,
11//  WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
12//  See the License for the specific language governing permissions and
13//  limitations under the License.
14// -------------------------------------------------------------------------------------------------
15
16//! Data types specific to automated-market-maker (AMM) protocols.
17
18use std::{fmt::Display, sync::Arc};
19
20use alloy_primitives::{Address, U160};
21use nautilus_core::UnixNanos;
22use serde::{Deserialize, Serialize};
23
24use crate::{
25    data::HasTsInit,
26    defi::{
27        Blockchain, PoolIdentifier, SharedDex, chain::SharedChain, dex::Dex,
28        tick_map::tick_math::get_tick_at_sqrt_ratio, token::Token,
29    },
30    identifiers::{InstrumentId, Symbol, Venue},
31};
32
33/// Represents a liquidity pool in a decentralized exchange.
34///
35/// ## Pool Identification Architecture
36///
37/// Pools are identified differently depending on the DEX protocol version:
38///
39/// **UniswapV2/V3**: Each pool has its own smart contract deployed at a unique address.
40/// - `address` = pool contract address
41/// - `pool_identifier` = same as address (hex string)
42///
43/// **UniswapV4**: All pools share a singleton PoolManager contract. Pools are distinguished
44/// by a unique Pool ID (keccak256 hash of currencies, fee, tick spacing, and hooks).
45/// - `address` = PoolManager contract address (shared by all pools)
46/// - `pool_identifier` = Pool ID (bytes32 as hex string)
47///
48/// ## Instrument ID Format
49///
50/// The instrument ID encodes with the following components:
51/// - `symbol` – The pool identifier (address for V2/V3, Pool ID for V4)
52/// - `venue`  – The chain name plus DEX ID
53///
54/// String representation: `<POOL_IDENTIFIER>.<CHAIN_NAME>:<DEX_ID>`
55///
56/// Example: `0x11b815efB8f581194ae79006d24E0d814B7697F6.Ethereum:UniswapV3`
57#[cfg_attr(
58    feature = "python",
59    pyo3::pyclass(module = "nautilus_trader.core.nautilus_pyo3.model", from_py_object)
60)]
61#[cfg_attr(
62    feature = "python",
63    pyo3_stub_gen::derive::gen_stub_pyclass(module = "nautilus_trader.model")
64)]
65#[derive(Debug, Clone, PartialEq, Serialize, Deserialize)]
66pub struct Pool {
67    /// The blockchain network where this pool exists.
68    pub chain: SharedChain,
69    /// The decentralized exchange protocol that created and manages this pool.
70    pub dex: SharedDex,
71    /// The blockchain address where the pool smart contract code is deployed.
72    pub address: Address,
73    /// The unique identifier for this pool across all pools on the DEX.
74    pub pool_identifier: PoolIdentifier,
75    /// The instrument ID for the pool.
76    pub instrument_id: InstrumentId,
77    /// The block number when this pool was created on the blockchain.
78    pub creation_block: u64,
79    /// The first token in the trading pair.
80    pub token0: Token,
81    /// The second token in the trading pair.
82    pub token1: Token,
83    /// The trading fee tier used by the pool expressed in hundred-thousandths
84    /// (1e-6) of one unit – identical to Uniswap-V3’s fee representation.
85    ///
86    /// Examples:
87    /// • `500`   →  0.05 %  (5 bps)
88    /// • `3_000` →  0.30 %  (30 bps)
89    /// • `10_000`→  1.00 %
90    pub fee: Option<u32>,
91    /// The minimum tick spacing for positions in concentrated liquidity AMMs.
92    pub tick_spacing: Option<u32>,
93    /// The initial tick when the pool was first initialized.
94    pub initial_tick: Option<i32>,
95    /// The initial square root price when the pool was first initialized.
96    pub initial_sqrt_price_x96: Option<U160>,
97    /// The hooks contract address for Uniswap V4 pools.
98    /// For V2/V3 pools, this will be None. For V4, it contains the hooks contract address.
99    pub hooks: Option<Address>,
100    /// UNIX timestamp (nanoseconds) when the instance was created.
101    pub ts_init: UnixNanos,
102}
103
104/// A thread-safe shared pointer to a `Pool`, enabling efficient reuse across multiple components.
105pub type SharedPool = Arc<Pool>;
106
107impl Pool {
108    /// Creates a new [`Pool`] instance with the specified properties.
109    #[must_use]
110    #[allow(clippy::too_many_arguments)]
111    pub fn new(
112        chain: SharedChain,
113        dex: SharedDex,
114        address: Address,
115        pool_identifier: PoolIdentifier,
116        creation_block: u64,
117        token0: Token,
118        token1: Token,
119        fee: Option<u32>,
120        tick_spacing: Option<u32>,
121        ts_init: UnixNanos,
122    ) -> Self {
123        let instrument_id = Self::create_instrument_id(chain.name, &dex, pool_identifier.as_str());
124
125        Self {
126            chain,
127            dex,
128            address,
129            pool_identifier,
130            instrument_id,
131            creation_block,
132            token0,
133            token1,
134            fee,
135            tick_spacing,
136            initial_tick: None,
137            initial_sqrt_price_x96: None,
138            hooks: None,
139            ts_init,
140        }
141    }
142
143    /// Returns a formatted string representation of the pool for display purposes.
144    pub fn to_full_spec_string(&self) -> String {
145        format!(
146            "{}/{}-{}.{}",
147            self.token0.symbol,
148            self.token1.symbol,
149            self.fee.unwrap_or(0),
150            self.instrument_id.venue
151        )
152    }
153
154    /// Initializes the pool with the initial tick and square root price.
155    ///
156    /// This method should be called when an Initialize event is processed
157    /// to set the initial price and tick values for the pool.
158    ///
159    /// # Panics
160    ///
161    /// Panics if the provided tick does not match the tick calculated from sqrt_price_x96.
162    pub fn initialize(&mut self, sqrt_price_x96: U160, tick: i32) {
163        let calculated_tick = get_tick_at_sqrt_ratio(sqrt_price_x96);
164
165        assert_eq!(
166            tick, calculated_tick,
167            "Provided tick {tick} does not match calculated tick {calculated_tick} for sqrt_price_x96 {sqrt_price_x96}",
168        );
169
170        self.initial_sqrt_price_x96 = Some(sqrt_price_x96);
171        self.initial_tick = Some(tick);
172    }
173
174    /// Sets the hooks contract address for this pool.
175    ///
176    /// This is typically called for Uniswap V4 pools that have hooks enabled.
177    pub fn set_hooks(&mut self, hooks: Address) {
178        self.hooks = Some(hooks);
179    }
180
181    pub fn create_instrument_id(
182        chain: Blockchain,
183        dex: &Dex,
184        pool_identifier: &str,
185    ) -> InstrumentId {
186        let symbol = Symbol::new(pool_identifier);
187        let venue = Venue::new(format!("{}:{}", chain, dex.name));
188        InstrumentId::new(symbol, venue)
189    }
190
191    /// Returns the base token based on token priority.
192    ///
193    /// The base token is the asset being traded/priced. Token priority determines
194    /// which token becomes base vs quote:
195    /// - Lower priority number (1=stablecoin, 2=native, 3=other) = quote token
196    /// - Higher priority number = base token
197    pub fn get_base_token(&self) -> &Token {
198        let priority0 = self.token0.get_token_priority();
199        let priority1 = self.token1.get_token_priority();
200
201        if priority0 < priority1 {
202            &self.token1
203        } else {
204            &self.token0
205        }
206    }
207
208    /// Returns the quote token based on token priority.
209    ///
210    /// The quote token is the pricing currency. Token priority determines
211    /// which token becomes quote:
212    /// - Lower priority number (1=stablecoin, 2=native, 3=other) = quote token
213    pub fn get_quote_token(&self) -> &Token {
214        let priority0 = self.token0.get_token_priority();
215        let priority1 = self.token1.get_token_priority();
216
217        if priority0 < priority1 {
218            &self.token0
219        } else {
220            &self.token1
221        }
222    }
223
224    /// Returns whether the base/quote order is inverted from token0/token1 order.
225    ///
226    /// # Returns
227    /// - `true` if base=token1, quote=token0 (inverted from pool order)
228    /// - `false` if base=token0, quote=token1 (matches pool order)
229    ///
230    /// # Use Case
231    /// This is useful for knowing whether prices need to be inverted when
232    /// converting from pool convention (token1/token0) to market convention (base/quote).
233    pub fn is_base_quote_inverted(&self) -> bool {
234        let priority0 = self.token0.get_token_priority();
235        let priority1 = self.token1.get_token_priority();
236
237        // Inverted when token0 has higher priority (becomes quote instead of base)
238        priority0 < priority1
239    }
240}
241
242impl Display for Pool {
243    fn fmt(&self, f: &mut std::fmt::Formatter<'_>) -> std::fmt::Result {
244        write!(
245            f,
246            "Pool(instrument_id={}, dex={}, fee={}, address={})",
247            self.instrument_id,
248            self.dex.name,
249            self.fee
250                .map_or("None".to_string(), |fee| format!("fee={fee}, ")),
251            self.address
252        )
253    }
254}
255
256impl HasTsInit for Pool {
257    fn ts_init(&self) -> UnixNanos {
258        self.ts_init
259    }
260}
261
262#[cfg(test)]
263mod tests {
264    use std::sync::Arc;
265
266    use rstest::rstest;
267
268    use super::*;
269    use crate::defi::{
270        chain::chains,
271        dex::{AmmType, Dex, DexType},
272        token::Token,
273    };
274
275    #[rstest]
276    fn test_pool_constructor_and_methods() {
277        let chain = Arc::new(chains::ETHEREUM.clone());
278        let dex = Dex::new(
279            chains::ETHEREUM.clone(),
280            DexType::UniswapV3,
281            "0x1F98431c8aD98523631AE4a59f267346ea31F984",
282            0,
283            AmmType::CLAMM,
284            "PoolCreated(address,address,uint24,int24,address)",
285            "Swap(address,address,int256,int256,uint160,uint128,int24)",
286            "Mint(address,address,int24,int24,uint128,uint256,uint256)",
287            "Burn(address,int24,int24,uint128,uint256,uint256)",
288            "Collect(address,address,int24,int24,uint128,uint128)",
289        );
290
291        let token0 = Token::new(
292            chain.clone(),
293            "0xA0b86a33E6441b936662bb6B5d1F8Fb0E2b57A5D"
294                .parse()
295                .unwrap(),
296            "Wrapped Ether".to_string(),
297            "WETH".to_string(),
298            18,
299        );
300
301        let token1 = Token::new(
302            chain.clone(),
303            "0xdAC17F958D2ee523a2206206994597C13D831ec7"
304                .parse()
305                .unwrap(),
306            "Tether USD".to_string(),
307            "USDT".to_string(),
308            6,
309        );
310
311        let pool_address: Address = "0x11b815efB8f581194ae79006d24E0d814B7697F6"
312            .parse()
313            .unwrap();
314        let pool_identifier = PoolIdentifier::from_address(pool_address);
315        let ts_init = UnixNanos::from(1_234_567_890_000_000_000u64);
316
317        let pool = Pool::new(
318            chain.clone(),
319            Arc::new(dex),
320            pool_address,
321            pool_identifier,
322            12345678,
323            token0,
324            token1,
325            Some(3000),
326            Some(60),
327            ts_init,
328        );
329
330        assert_eq!(pool.chain.chain_id, chain.chain_id);
331        assert_eq!(pool.dex.name, DexType::UniswapV3);
332        assert_eq!(pool.address, pool_address);
333        assert_eq!(pool.creation_block, 12345678);
334        assert_eq!(pool.token0.symbol, "WETH");
335        assert_eq!(pool.token1.symbol, "USDT");
336        assert_eq!(pool.fee.unwrap(), 3000);
337        assert_eq!(pool.tick_spacing.unwrap(), 60);
338        assert_eq!(pool.ts_init, ts_init);
339        assert_eq!(
340            pool.instrument_id.symbol.as_str(),
341            "0x11b815efB8f581194ae79006d24E0d814B7697F6"
342        );
343        assert_eq!(pool.instrument_id.venue.as_str(), "Ethereum:UniswapV3");
344        // We expect WETH to be a base and USDT a quote token
345        assert_eq!(pool.get_base_token().symbol, "WETH");
346        assert_eq!(pool.get_quote_token().symbol, "USDT");
347        assert!(!pool.is_base_quote_inverted());
348        assert_eq!(
349            pool.to_full_spec_string(),
350            "WETH/USDT-3000.Ethereum:UniswapV3"
351        );
352    }
353
354    #[rstest]
355    fn test_pool_instrument_id_format() {
356        let chain = Arc::new(chains::ETHEREUM.clone());
357        let factory_address = "0x1F98431c8aD98523631AE4a59f267346ea31F984";
358
359        let dex = Dex::new(
360            chains::ETHEREUM.clone(),
361            DexType::UniswapV3,
362            factory_address,
363            0,
364            AmmType::CLAMM,
365            "PoolCreated(address,address,uint24,int24,address)",
366            "Swap(address,address,int256,int256,uint160,uint128,int24)",
367            "Mint(address,address,int24,int24,uint128,uint256,uint256)",
368            "Burn(address,int24,int24,uint128,uint256,uint256)",
369            "Collect(address,address,int24,int24,uint128,uint128)",
370        );
371
372        let token0 = Token::new(
373            chain.clone(),
374            "0xA0b86a33E6441b936662bb6B5d1F8Fb0E2b57A5D"
375                .parse()
376                .unwrap(),
377            "Wrapped Ether".to_string(),
378            "WETH".to_string(),
379            18,
380        );
381
382        let token1 = Token::new(
383            chain.clone(),
384            "0xdAC17F958D2ee523a2206206994597C13D831ec7"
385                .parse()
386                .unwrap(),
387            "Tether USD".to_string(),
388            "USDT".to_string(),
389            6,
390        );
391
392        let pool_address = "0x11b815efB8f581194ae79006d24E0d814B7697F6"
393            .parse()
394            .unwrap();
395        let pool = Pool::new(
396            chain,
397            Arc::new(dex),
398            pool_address,
399            PoolIdentifier::from_address(pool_address),
400            0,
401            token0,
402            token1,
403            Some(3000),
404            Some(60),
405            UnixNanos::default(),
406        );
407
408        assert_eq!(
409            pool.instrument_id.to_string(),
410            "0x11b815efB8f581194ae79006d24E0d814B7697F6.Ethereum:UniswapV3"
411        );
412    }
413}