1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
use std::sync::Arc;
pub use loans_rpc_runtime_api::LoansApi as LoansRuntimeApi;
use codec::Codec;
use jsonrpsee::{
core::{async_trait, Error as JsonRpseeError, RpcResult},
proc_macros::rpc,
types::error::{CallError, ErrorCode, ErrorObject},
};
use primitives::{CurrencyId, Liquidity, Rate, Ratio, Shortfall};
use sp_api::ProvideRuntimeApi;
use sp_blockchain::HeaderBackend;
use sp_rpc::number::NumberOrHex;
use sp_runtime::{traits::Block as BlockT, FixedU128};
#[rpc(client, server)]
pub trait LoansApi<BlockHash, AccountId, Balance>
where
Balance: Codec + Copy + TryFrom<NumberOrHex>,
{
#[method(name = "loans_getCollateralLiquidity")]
fn get_account_liquidity(&self, account: AccountId, at: Option<BlockHash>) -> RpcResult<(Liquidity, Shortfall)>;
#[method(name = "loans_getMarketStatus")]
fn get_market_status(
&self,
asset_id: CurrencyId,
at: Option<BlockHash>,
) -> RpcResult<(Rate, Rate, Rate, Ratio, NumberOrHex, NumberOrHex, FixedU128)>;
#[method(name = "loans_getLiquidationThresholdLiquidity")]
fn get_liquidation_threshold_liquidity(
&self,
account: AccountId,
at: Option<BlockHash>,
) -> RpcResult<(Liquidity, Shortfall)>;
}
pub struct Loans<C, B> {
client: Arc<C>,
_marker: std::marker::PhantomData<B>,
}
impl<C, B> Loans<C, B> {
pub fn new(client: Arc<C>) -> Self {
Self {
client,
_marker: Default::default(),
}
}
}
pub enum Error {
RuntimeError,
AccountLiquidityError,
MarketStatusError,
}
impl From<Error> for i32 {
fn from(e: Error) -> i32 {
match e {
Error::RuntimeError => 1,
Error::AccountLiquidityError => 2,
Error::MarketStatusError => 3,
}
}
}
#[async_trait]
impl<C, Block, AccountId, Balance> LoansApiServer<<Block as BlockT>::Hash, AccountId, Balance> for Loans<C, Block>
where
Block: BlockT,
C: Send + Sync + 'static,
C: ProvideRuntimeApi<Block>,
C: HeaderBackend<Block>,
C::Api: LoansRuntimeApi<Block, AccountId, Balance>,
AccountId: Codec,
Balance: Codec + Copy + TryFrom<NumberOrHex> + Into<NumberOrHex> + std::fmt::Display,
{
fn get_account_liquidity(
&self,
account: AccountId,
at: Option<<Block as BlockT>::Hash>,
) -> RpcResult<(Liquidity, Shortfall)> {
let api = self.client.runtime_api();
let at = at.unwrap_or(
self.client.info().best_hash,
);
api.get_account_liquidity(at, account)
.map_err(runtime_error_into_rpc_error)?
.map_err(account_liquidity_error_into_rpc_error)
}
fn get_market_status(
&self,
asset_id: CurrencyId,
at: Option<<Block as BlockT>::Hash>,
) -> RpcResult<(Rate, Rate, Rate, Ratio, NumberOrHex, NumberOrHex, FixedU128)> {
let api = self.client.runtime_api();
let at = at.unwrap_or(
self.client.info().best_hash,
);
let (borrow_rate, supply_rate, exchange_rate, util, total_borrows, total_reserves, borrow_index) = api
.get_market_status(at, asset_id)
.map_err(runtime_error_into_rpc_error)?
.map_err(market_status_error_into_rpc_error)?;
Ok((
borrow_rate,
supply_rate,
exchange_rate,
util,
try_into_rpc_balance(total_borrows)?,
try_into_rpc_balance(total_reserves)?,
borrow_index,
))
}
fn get_liquidation_threshold_liquidity(
&self,
account: AccountId,
at: Option<<Block as BlockT>::Hash>,
) -> RpcResult<(Liquidity, Shortfall)> {
let api = self.client.runtime_api();
let at = at.unwrap_or(
self.client.info().best_hash,
);
api.get_liquidation_threshold_liquidity(at, account)
.map_err(runtime_error_into_rpc_error)?
.map_err(account_liquidity_error_into_rpc_error)
}
}
fn runtime_error_into_rpc_error(err: impl std::fmt::Debug) -> JsonRpseeError {
JsonRpseeError::Call(CallError::Custom(ErrorObject::owned(
Error::RuntimeError.into(),
"Runtime trapped",
Some(format!("{:?}", err)),
)))
}
fn account_liquidity_error_into_rpc_error(err: impl std::fmt::Debug) -> JsonRpseeError {
JsonRpseeError::Call(CallError::Custom(ErrorObject::owned(
Error::AccountLiquidityError.into(),
"Not able to get account liquidity",
Some(format!("{:?}", err)),
)))
}
fn market_status_error_into_rpc_error(err: impl std::fmt::Debug) -> JsonRpseeError {
JsonRpseeError::Call(CallError::Custom(ErrorObject::owned(
Error::MarketStatusError.into(),
"Not able to get market status",
Some(format!("{:?}", err)),
)))
}
fn try_into_rpc_balance<T: std::fmt::Display + Copy + TryInto<NumberOrHex>>(value: T) -> RpcResult<NumberOrHex> {
value.try_into().map_err(|_| {
JsonRpseeError::Call(CallError::Custom(ErrorObject::owned(
ErrorCode::InvalidParams.code(),
format!("{} doesn't fit in NumberOrHex representation", value),
None::<()>,
)))
})
}