Skip to content

Commit 44f8fca

Browse files
authored
Add 'lending_currentInterestRate' RPC method (#959)
* Add 'current_interest_rate' RPC endpoint in pallet-lending * Fix remarks * Add tests
1 parent 53ccbdf commit 44f8fca

File tree

6 files changed

+190
-2
lines changed

6 files changed

+190
-2
lines changed

frame/lending/rpc/Cargo.toml

+31
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,31 @@
1+
[package]
2+
authors = ["Composable Developers"]
3+
edition = "2021"
4+
homepage = "https://composable.finance"
5+
name = "lending-rpc"
6+
rust-version = "1.56"
7+
version = "0.0.1"
8+
9+
[package.metadata.docs.rs]
10+
targets = ["x86_64-unknown-linux-gnu"]
11+
12+
[dependencies]
13+
# substrate primitives
14+
sp-api = { git = "https://github.com/paritytech/substrate", branch = "polkadot-v0.9.18" }
15+
sp-blockchain = { git = "https://github.com/paritytech/substrate", branch = "polkadot-v0.9.18" }
16+
sp-runtime = { git = "https://github.com/paritytech/substrate", branch = "polkadot-v0.9.18" }
17+
sp-std = { git = "https://github.com/paritytech/substrate", branch = "polkadot-v0.9.18" }
18+
19+
# local
20+
composable-support = { path = "../../composable-support" }
21+
composable-traits = { path = "../../composable-traits" }
22+
lending-runtime-api = { path = "../runtime-api" }
23+
24+
# SCALE
25+
codec = { default-features = false, features = [ "derive" ], package = "parity-scale-codec", version = "3.0.0" }
26+
scale-info = { version = "2.1.1", default-features = false, features = [ "derive" ] }
27+
28+
# rpc
29+
jsonrpc-core = "18.0.0"
30+
jsonrpc-core-client = "18.0.0"
31+
jsonrpc-derive = "18.0.0"

frame/lending/rpc/src/lib.rs

+66
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,66 @@
1+
use codec::Codec;
2+
use composable_support::rpc_helpers::SafeRpcWrapper;
3+
use composable_traits::defi::Rate;
4+
use core::{fmt::Display, str::FromStr};
5+
use jsonrpc_core::{Error as RpcError, ErrorCode, Result as RpcResult};
6+
use jsonrpc_derive::rpc;
7+
use lending_runtime_api::LendingRuntimeApi;
8+
use sp_api::ProvideRuntimeApi;
9+
use sp_blockchain::HeaderBackend;
10+
use sp_runtime::{generic::BlockId, traits::Block as BlockT};
11+
use sp_std::sync::Arc;
12+
13+
#[rpc]
14+
pub trait LendingApi<BlockHash, MarketId>
15+
where
16+
MarketId: FromStr + Display,
17+
{
18+
#[rpc(name = "lending_currentInterestRate")]
19+
fn current_interest_rate(
20+
&self,
21+
market_id: SafeRpcWrapper<MarketId>,
22+
at: Option<BlockHash>,
23+
) -> RpcResult<SafeRpcWrapper<Rate>>;
24+
}
25+
26+
pub struct Lending<C, Block> {
27+
client: Arc<C>,
28+
_marker: sp_std::marker::PhantomData<Block>,
29+
}
30+
31+
impl<C, M> Lending<C, M> {
32+
pub fn new(client: Arc<C>) -> Self {
33+
Self { client, _marker: Default::default() }
34+
}
35+
}
36+
37+
impl<C, Block, MarketId> LendingApi<<Block as BlockT>::Hash, MarketId>
38+
for Lending<C, (Block, MarketId)>
39+
where
40+
Block: BlockT,
41+
MarketId: Send + Sync + 'static + Codec + FromStr + Display,
42+
C: Send + Sync + 'static,
43+
C: ProvideRuntimeApi<Block>,
44+
C: HeaderBackend<Block>,
45+
C::Api: LendingRuntimeApi<Block, MarketId>,
46+
{
47+
fn current_interest_rate(
48+
&self,
49+
market_id: SafeRpcWrapper<MarketId>,
50+
at: Option<<Block as BlockT>::Hash>,
51+
) -> RpcResult<SafeRpcWrapper<Rate>> {
52+
let api = self.client.runtime_api();
53+
54+
let at = BlockId::hash(at.unwrap_or_else(|| self.client.info().best_hash));
55+
56+
// calling ../../runtime-api
57+
let runtime_api_result = api.current_interest_rate(&at, market_id.0);
58+
runtime_api_result.map_err(|e| {
59+
RpcError {
60+
code: ErrorCode::ServerError(9876), // No real reason for this value
61+
message: "Something wrong".into(),
62+
data: Some(format!("{:?}", e).into()),
63+
}
64+
})
65+
}
66+
}

frame/lending/runtime-api/Cargo.toml

+20
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,20 @@
1+
[package]
2+
authors = ["Composable Developers"]
3+
edition = "2021"
4+
homepage = "https://composable.finance"
5+
name = "lending-runtime-api"
6+
rust-version = "1.56"
7+
version = "0.0.1"
8+
9+
[package.metadata.docs.rs]
10+
targets = ["x86_64-unknown-linux-gnu"]
11+
12+
[dependencies]
13+
codec = { default-features = false, features = [ "derive" ], package = "parity-scale-codec", version = "3.0.0" }
14+
composable-support = { path = "../../composable-support", default-features = false }
15+
composable-traits = { path = "../../composable-traits", default-features = false }
16+
sp-api = { default-features = false, git = "https://github.com/paritytech/substrate", branch = "polkadot-v0.9.18" }
17+
18+
[features]
19+
default = ["std"]
20+
std = ["sp-api/std", "composable-support/std"]

frame/lending/runtime-api/src/lib.rs

+17
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,17 @@
1+
#![cfg_attr(not(feature = "std"), no_std)]
2+
3+
use codec::Codec;
4+
use composable_support::rpc_helpers::SafeRpcWrapper;
5+
use composable_traits::defi::Rate;
6+
7+
// Lending Runtime API declaration. Implemented for each runtime at
8+
// `runtime/<runtime-name>/src/lib.rs`.
9+
sp_api::decl_runtime_apis! {
10+
pub trait LendingRuntimeApi<MarketId>
11+
where
12+
MarketId: Codec,
13+
{
14+
/// Retrieve the current interest rate for the given `market_id`.
15+
fn current_interest_rate(market_id: MarketId) -> SafeRpcWrapper<Rate>;
16+
}
17+
}

frame/lending/src/lib.rs

+24-2
Original file line numberDiff line numberDiff line change
@@ -116,14 +116,16 @@ pub mod pallet {
116116
<T as Config>::LiquidationStrategyId,
117117
>;
118118

119+
pub type MarketId = u32;
120+
119121
// REVIEW: Maybe move this to `models::market_index`?
120122
// TODO: Rename to `MarketId`.
121123
#[derive(Default, Debug, Copy, Clone, Encode, Decode, PartialEq, MaxEncodedLen, TypeInfo)]
122124
#[repr(transparent)]
123125
pub struct MarketIndex(
124126
#[cfg(test)] // to allow pattern matching in tests outside of this crate
125-
pub u32,
126-
#[cfg(not(test))] pub(crate) u32,
127+
pub MarketId,
128+
#[cfg(not(test))] pub(crate) MarketId,
127129
);
128130

129131
impl MarketIndex {
@@ -1773,4 +1775,24 @@ pub mod pallet {
17731775
pub(crate) accrued_increment: T::Balance,
17741776
pub(crate) new_borrow_index: FixedU128,
17751777
}
1778+
1779+
/// Retrieve the current interest rate for the given `market_id`.
1780+
pub fn current_interest_rate<T: Config>(market_id: MarketId) -> Result<Rate, DispatchError> {
1781+
let market_id = MarketIndex::new(market_id);
1782+
let total_borrowed_from_market_excluding_interest =
1783+
Pallet::<T>::total_borrowed_from_market_excluding_interest(&market_id)?;
1784+
let total_available_to_be_borrowed =
1785+
Pallet::<T>::total_available_to_be_borrowed(&market_id)?;
1786+
let utilization_ratio = Pallet::<T>::calculate_utilization_ratio(
1787+
total_available_to_be_borrowed,
1788+
total_borrowed_from_market_excluding_interest,
1789+
)?;
1790+
1791+
Markets::<T>::try_get(market_id)
1792+
.map_err(|_| Error::<T>::MarketDoesNotExist)?
1793+
.interest_rate_model
1794+
.get_borrow_rate(utilization_ratio)
1795+
.ok_or(Error::<T>::BorrowRateDoesNotExist)
1796+
.map_err(Into::into)
1797+
}
17761798
}

frame/lending/src/tests.rs

+32
Original file line numberDiff line numberDiff line change
@@ -1039,6 +1039,38 @@ fn test_warn_soon_under_collateralized() {
10391039
});
10401040
}
10411041

1042+
#[test]
1043+
fn current_interest_rate_test() {
1044+
new_test_ext().execute_with(|| {
1045+
System::set_block_number(1);
1046+
let manager = *ALICE;
1047+
// Create a market
1048+
let ((market_id, _), _) = create_simple_vaulted_market(BTC::instance(), manager);
1049+
1050+
assert_eq!(
1051+
crate::current_interest_rate::<Runtime>(market_id.0).unwrap(),
1052+
FixedU128::saturating_from_rational(2, 100)
1053+
);
1054+
1055+
// Update the market
1056+
let market = crate::Markets::<Runtime>::get(market_id).unwrap();
1057+
let update_input = UpdateInput {
1058+
collateral_factor: market.collateral_factor,
1059+
under_collateralized_warn_percent: market.under_collateralized_warn_percent,
1060+
liquidators: market.liquidators,
1061+
interest_rate_model: InterestRateModel::Curve(
1062+
CurveModel::new(CurveModel::MAX_BASE_RATE).unwrap(),
1063+
),
1064+
};
1065+
assert_ok!(Lending::update_market(Origin::signed(manager), market_id, update_input));
1066+
1067+
assert_eq!(
1068+
crate::current_interest_rate::<Runtime>(market_id.0).unwrap(),
1069+
FixedU128::saturating_from_rational(1, 10)
1070+
);
1071+
})
1072+
}
1073+
10421074
prop_compose! {
10431075
fn valid_amount_without_overflow()
10441076
(x in MINIMUM_BALANCE..u64::MAX as Balance) -> Balance {

0 commit comments

Comments
 (0)