Skip to content

Commit f6f568d

Browse files
committed
Add Pallet::add_liquidity related implementations
1 parent 938a417 commit f6f568d

File tree

5 files changed

+347
-55
lines changed

5 files changed

+347
-55
lines changed

pallets/swap-interface/src/lib.rs

+5-3
Original file line numberDiff line numberDiff line change
@@ -17,7 +17,9 @@ pub trait SwapHandler<AccountId> {
1717
fn remove_liquidity(account_id: AccountId) -> Result<(), Box<dyn Error>>;
1818
}
1919

20-
pub trait LiquidityDataProvider<First, Second> {
21-
fn first_reserve() -> First;
22-
fn second_reserve() -> Second;
20+
pub trait LiquidityDataProvider {
21+
fn tao_reserve() -> u64;
22+
fn set_tao_reserve() -> u64;
23+
fn alpha_reserve() -> u64;
24+
fn set_alpha_reserve() -> u64;
2325
}

pallets/swap/src/lib.rs

+7-5
Original file line numberDiff line numberDiff line change
@@ -7,6 +7,7 @@ use pallet_subtensor_swap_interface::OrderType;
77
use safe_math::*;
88
use sp_arithmetic::helpers_128bit::sqrt;
99
use substrate_fixed::types::U64F64;
10+
use frame_support::pallet_prelude::*;
1011

1112
use self::tick::{
1213
Tick, TickIndex,
@@ -55,12 +56,13 @@ struct SwapStepResult {
5556
/// fees_alpha - fees accrued by the position in base currency (Alpha)
5657
///
5758
#[cfg_attr(test, derive(Debug, PartialEq, Clone))]
59+
#[derive(Clone, Encode, Decode, PartialEq, Eq, RuntimeDebug, TypeInfo, MaxEncodedLen, Default)]
5860
pub struct Position {
59-
tick_low: TickIndex,
60-
tick_high: TickIndex,
61-
liquidity: u64,
62-
fees_tao: u64,
63-
fees_alpha: u64,
61+
pub tick_low: TickIndex,
62+
pub tick_high: TickIndex,
63+
pub liquidity: u64,
64+
pub fees_tao: u64,
65+
pub fees_alpha: u64,
6466
}
6567

6668
impl Position {

pallets/swap/src/pallet/impls.rs

+207
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,207 @@
1+
use frame_support::{ensure, traits::Get};
2+
use pallet_subtensor_swap_interface::LiquidityDataProvider;
3+
use safe_math::*;
4+
use sp_arithmetic::helpers_128bit;
5+
use sp_runtime::traits::AccountIdConversion;
6+
use substrate_fixed::types::U64F64;
7+
8+
use super::pallet::*;
9+
use crate::tick::{Tick, TickIndex};
10+
11+
impl<T: Config> Pallet<T> {
12+
// initializes V3 swap for a subnet
13+
fn maybe_initialize_v3(netuid: u16) -> Result<(), Error<T>> {
14+
if SwapV3Initialized::<T>::get(netuid) {
15+
return Ok(());
16+
}
17+
18+
// Initialize the v3:
19+
// Reserves are re-purposed, nothing to set, just query values for liquidity and price calculation
20+
let tao_reserve = <T as Config>::LiquidityDataProvider::tao_reserve();
21+
let alpha_reserve = <T as Config>::LiquidityDataProvider::alpha_reserve();
22+
23+
// Set price
24+
let price = U64F64::saturating_from_num(tao_reserve)
25+
.safe_div(U64F64::saturating_from_num(alpha_reserve));
26+
27+
let epsilon = U64F64::saturating_from_num(0.000001);
28+
29+
AlphaSqrtPrice::<T>::set(
30+
netuid,
31+
price.checked_sqrt(epsilon).unwrap_or(U64F64::from_num(0)),
32+
);
33+
34+
// Set initial (protocol owned) liquidity and positions
35+
// Protocol liquidity makes one position from TickIndex::MIN to TickIndex::MAX
36+
// We are using the sp_arithmetic sqrt here, which works for u128
37+
let liquidity = helpers_128bit::sqrt(tao_reserve as u128 * alpha_reserve as u128) as u64;
38+
let protocol_account_id = T::ProtocolId::get().into_account_truncating();
39+
40+
Self::add_liquidity(
41+
netuid,
42+
&protocol_account_id,
43+
TickIndex::MIN,
44+
TickIndex::MAX,
45+
liquidity,
46+
true,
47+
)?;
48+
49+
Ok(())
50+
}
51+
52+
/// Adds liquidity to the specified price range.
53+
///
54+
/// This function allows an account to provide liquidity to a given range of price ticks. The
55+
/// amount of liquidity to be added can be determined using
56+
/// [`get_tao_based_liquidity`] and [`get_alpha_based_liquidity`], which compute the required
57+
/// liquidity based on TAO and Alpha balances for the current price tick.
58+
///
59+
/// ### Behavior:
60+
/// - If the `protocol` flag is **not set** (`false`), the function will attempt to
61+
/// **withdraw balances** from the account using `state_ops.withdraw_balances()`.
62+
/// - If the `protocol` flag is **set** (`true`), the liquidity is added without modifying balances.
63+
/// - If swap V3 was not initialized before, updates the value in storage.
64+
///
65+
/// ### Parameters:
66+
/// - `account_id`: A reference to the account that is providing liquidity.
67+
/// - `tick_low`: The lower bound of the price tick range.
68+
/// - `tick_high`: The upper bound of the price tick range.
69+
/// - `liquidity`: The amount of liquidity to be added.
70+
/// - `protocol`: A boolean flag indicating whether the operation is protocol-managed:
71+
/// - `true` -> Do not use this value outside of this implementation. Liquidity is added **without**
72+
/// withdrawing balances.
73+
/// - `false` -> Use this value for all user transactions. Liquidity is added
74+
/// **after withdrawing balances**.
75+
///
76+
/// ### Returns:
77+
/// - `Ok(u64)`: The final liquidity amount added.
78+
/// - `Err(SwapError)`: If the operation fails due to insufficient balance, invalid tick range,
79+
/// or other swap-related errors.
80+
///
81+
/// ### Errors:
82+
/// - [`SwapError::InsufficientBalance`] if the account does not have enough balance.
83+
/// - [`SwapError::InvalidTickRange`] if `tick_low` is greater than or equal to `tick_high`.
84+
/// - Other [`SwapError`] variants as applicable.
85+
fn add_liquidity(
86+
netuid: u16,
87+
account_id: &<T as frame_system::Config>::AccountId,
88+
tick_low: TickIndex,
89+
tick_high: TickIndex,
90+
liquidity: u64,
91+
protocol: bool,
92+
) -> Result<(), Error<T>> {
93+
ensure!(
94+
Positions::<T>::get(netuid, account_id).len() <= T::MaxPositions::get() as usize,
95+
Error::<T>::MaxPositionsExceeded
96+
);
97+
98+
// Add liquidity at tick
99+
Self::add_liquidity_at_index(netuid, tick_low, liquidity, false);
100+
Self::add_liquidity_at_index(netuid, tick_high, liquidity, true);
101+
102+
// Update current tick liquidity
103+
let current_tick_index = Self::bounded_current_tick_index(netuid);
104+
Self::clamp_sqrt_price(netuid, current_tick_index);
105+
106+
Self::update_liquidity_if_needed(netuid, tick_low, tick_high, liquidity as i128);
107+
108+
// // New position
109+
// let position = Position {
110+
// tick_low,
111+
// tick_high,
112+
// liquidity,
113+
// fees_tao: 0_u64,
114+
// fees_alpha: 0_u64,
115+
// };
116+
117+
// // If this is a user transaction, withdraw balances and update reserves
118+
// if !protocol {
119+
// let current_price = self.state_ops.get_alpha_sqrt_price();
120+
// let (tao, alpha) = position.to_token_amounts(current_price)?;
121+
// self.state_ops.withdraw_balances(account_id, tao, alpha)?;
122+
123+
// // Update reserves
124+
// let new_tao_reserve = self.state_ops.get_tao_reserve().saturating_add(tao);
125+
// self.state_ops.set_tao_reserve(new_tao_reserve);
126+
// let new_alpha_reserve = self.state_ops.get_alpha_reserve().saturating_add(alpha);
127+
// self.state_ops.set_alpha_reserve(new_alpha_reserve);
128+
// }
129+
130+
// // Create a new user position
131+
// self.state_ops.create_position(account_id, position);
132+
133+
// SwapV3Initialized::<T>::set(netuid, true);
134+
135+
Ok(())
136+
}
137+
138+
/// Adds or updates liquidity at a specific tick index for a subnet
139+
///
140+
/// # Arguments
141+
/// * `netuid` - The subnet ID
142+
/// * `tick_index` - The tick index to add liquidity to
143+
/// * `liquidity` - The amount of liquidity to add
144+
fn add_liquidity_at_index(netuid: u16, tick_index: TickIndex, liquidity: u64, upper: bool) {
145+
// Convert liquidity to signed value, negating it for upper bounds
146+
let net_liquidity_change = if upper {
147+
-(liquidity as i128)
148+
} else {
149+
liquidity as i128
150+
};
151+
152+
Ticks::<T>::mutate(netuid, tick_index, |maybe_tick| match maybe_tick {
153+
Some(tick) => {
154+
tick.liquidity_net = tick.liquidity_net.saturating_add(net_liquidity_change);
155+
tick.liquidity_gross = tick.liquidity_gross.saturating_add(liquidity);
156+
}
157+
None => {
158+
*maybe_tick = Some(Tick {
159+
liquidity_net: net_liquidity_change,
160+
liquidity_gross: liquidity,
161+
fees_out_tao: U64F64::from_num(0),
162+
fees_out_alpha: U64F64::from_num(0),
163+
});
164+
}
165+
});
166+
}
167+
168+
/// Gets the current tick index for a subnet, ensuring it's within valid bounds
169+
fn bounded_current_tick_index(netuid: u16) -> TickIndex {
170+
let current_price = AlphaSqrtPrice::<T>::get(netuid);
171+
TickIndex::from_sqrt_price_bounded(current_price)
172+
}
173+
174+
/// Clamps the subnet's sqrt price when tick index is outside of valid bounds
175+
fn clamp_sqrt_price(netuid: u16, tick_index: TickIndex) {
176+
if tick_index >= TickIndex::MAX || tick_index <= TickIndex::MIN {
177+
let corrected_price = tick_index.to_sqrt_price_bounded();
178+
AlphaSqrtPrice::<T>::set(netuid, corrected_price);
179+
}
180+
}
181+
182+
/// Updates the current liquidity for a subnet if the current tick index is within the specified
183+
/// range
184+
///
185+
/// This function handles both increasing and decreasing liquidity based on the sign of the
186+
/// liquidity parameter. It uses i128 to safely handle values up to u64::MAX in both positive
187+
/// and negative directions.
188+
fn update_liquidity_if_needed(
189+
netuid: u16,
190+
tick_low: TickIndex,
191+
tick_high: TickIndex,
192+
liquidity: i128,
193+
) {
194+
let current_tick_index = Self::bounded_current_tick_index(netuid);
195+
if (tick_low <= current_tick_index) && (current_tick_index <= tick_high) {
196+
CurrentLiquidity::<T>::mutate(netuid, |current_liquidity| {
197+
let is_neg = liquidity.is_negative();
198+
let liquidity = liquidity.abs().min(u64::MAX as i128) as u64;
199+
if is_neg {
200+
*current_liquidity = current_liquidity.saturating_sub(liquidity);
201+
} else {
202+
*current_liquidity = current_liquidity.saturating_add(liquidity);
203+
}
204+
});
205+
}
206+
}
207+
}

0 commit comments

Comments
 (0)