1use base64ct::{Base64, Encoding};
37use ed25519_dalek::{Signature, Signer, SigningKey, VerifyingKey};
38use reqwest::{IntoUrl, Method, Request, Response, StatusCode, Url, header::CONTENT_TYPE};
39use routes::{
40 account::{
41 API_ACCOUNT, API_ACCOUNT_CONVERT_DUST, API_ACCOUNT_MAX_BORROW, API_ACCOUNT_MAX_ORDER,
42 API_ACCOUNT_MAX_WITHDRAWAL,
43 },
44 borrow_lend::API_BORROW_LEND_POSITIONS,
45 capital::{API_CAPITAL, API_COLLATERAL, API_DEPOSIT_ADDRESS, API_DEPOSITS, API_WITHDRAWALS},
46 futures::API_FUTURES_POSITION,
47 history::API_FILLS_HISTORY,
48 order::{API_ORDER, API_ORDERS},
49 rfq::{API_RFQ, API_RFQ_QUOTE},
50 user::API_USER_2FA,
51};
52use serde::Serialize;
53use serde_json::Value;
54use std::{
55 borrow::Cow,
56 collections::BTreeMap,
57 time::{SystemTime, UNIX_EPOCH},
58};
59
60pub mod error;
61
62mod routes;
63
64#[cfg(feature = "ws")]
65mod ws;
66
67pub use bpx_api_types as types;
69
70pub use error::{Error, Result};
72
73use crate::routes::rfq::{API_RFQ_ACCEPT, API_RFQ_CANCEL, API_RFQ_REFRESH};
74
75const API_USER_AGENT: &str = "bpx-rust-client";
76const API_KEY_HEADER: &str = "X-API-Key";
77
78const DEFAULT_WINDOW: u32 = 5000;
79
80const SIGNATURE_HEADER: &str = "X-Signature";
81const TIMESTAMP_HEADER: &str = "X-Timestamp";
82const WINDOW_HEADER: &str = "X-Window";
83
84const JSON_CONTENT: &str = "application/json; charset=utf-8";
85
86pub const BACKPACK_API_BASE_URL: &str = "https://api.backpack.exchange";
88
89pub const BACKPACK_WS_URL: &str = "wss://ws.backpack.exchange";
91
92pub type BpxHeaders = reqwest::header::HeaderMap;
94
95#[derive(Debug, Clone)]
97pub struct BpxClient {
98 signing_key: Option<SigningKey>,
99 verifying_key: Option<VerifyingKey>,
100 base_url: Url,
101 #[cfg_attr(not(feature = "ws"), allow(dead_code))]
102 ws_url: Url,
103 client: reqwest::Client,
104}
105
106impl std::ops::Deref for BpxClient {
107 type Target = reqwest::Client;
108
109 fn deref(&self) -> &Self::Target {
110 &self.client
111 }
112}
113
114impl std::ops::DerefMut for BpxClient {
115 fn deref_mut(&mut self) -> &mut Self::Target {
116 &mut self.client
117 }
118}
119
120impl AsRef<reqwest::Client> for BpxClient {
121 fn as_ref(&self) -> &reqwest::Client {
122 &self.client
123 }
124}
125
126impl BpxClient {
128 pub fn builder() -> BpxClientBuilder {
129 BpxClientBuilder::new()
130 }
131
132 pub fn init(base_url: String, secret: &str, headers: Option<BpxHeaders>) -> Result<Self> {
137 BpxClientBuilder::new()
138 .base_url(base_url)
139 .secret(secret)
140 .headers(headers.unwrap_or_default())
141 .build()
142 }
143
144 #[cfg(feature = "ws")]
146 #[deprecated(
147 note = "Use BpxClient::builder() instead to configure the client with a custom websocket URL."
148 )]
149 pub fn init_with_ws(
150 base_url: String,
151 ws_url: String,
152 secret: &str,
153 headers: Option<BpxHeaders>,
154 ) -> Result<Self> {
155 BpxClientBuilder::new()
156 .base_url(base_url)
157 .ws_url(ws_url)
158 .secret(secret)
159 .headers(headers.unwrap_or_default())
160 .build()
161 }
162
163 async fn process_response(res: Response) -> Result<Response> {
168 if let Err(e) = res.error_for_status_ref() {
169 let err_text = res.text().await?;
170 let err = Error::BpxApiError {
171 status_code: e.status().unwrap_or(StatusCode::INTERNAL_SERVER_ERROR),
172 message: err_text.into(),
173 };
174 return Err(err);
175 }
176 Ok(res)
177 }
178
179 pub async fn get<U: IntoUrl>(&self, url: U) -> Result<Response> {
181 let req = self.build_and_maybe_sign_request::<(), _>(url, Method::GET, None)?;
182 tracing::debug!(?req, "GET request");
183 let res = self.client.execute(req).await?;
184 Self::process_response(res).await
185 }
186
187 pub async fn post<P: Serialize, U: IntoUrl>(&self, url: U, payload: P) -> Result<Response> {
189 let req = self.build_and_maybe_sign_request(url, Method::POST, Some(&payload))?;
190 tracing::debug!(?req, "POST request");
191 let res = self.client.execute(req).await?;
192 Self::process_response(res).await
193 }
194
195 pub async fn delete<P: Serialize, U: IntoUrl>(&self, url: U, payload: P) -> Result<Response> {
197 let req = self.build_and_maybe_sign_request(url, Method::DELETE, Some(&payload))?;
198 tracing::debug!(?req, "DELETE request");
199 let res = self.client.execute(req).await?;
200 Self::process_response(res).await
201 }
202
203 pub async fn patch<P: Serialize, U: IntoUrl>(&self, url: U, payload: P) -> Result<Response> {
205 let req = self.build_and_maybe_sign_request(url, Method::PATCH, Some(&payload))?;
206 tracing::debug!(?req, "PATCH request");
207 let res = self.client.execute(req).await?;
208 Self::process_response(res).await
209 }
210
211 pub const fn verifying_key(&self) -> Option<&VerifyingKey> {
214 self.verifying_key.as_ref()
215 }
216
217 pub const fn client(&self) -> &reqwest::Client {
219 &self.client
220 }
221}
222
223impl BpxClient {
225 fn build_and_maybe_sign_request<P: Serialize, U: IntoUrl>(
231 &self,
232 url: U,
233 method: Method,
234 payload: Option<&P>,
235 ) -> Result<Request> {
236 let url = url.into_url()?;
237 let instruction = match url.path() {
238 API_CAPITAL if method == Method::GET => "balanceQuery",
239 API_DEPOSITS if method == Method::GET => "depositQueryAll",
240 API_DEPOSIT_ADDRESS if method == Method::GET => "depositAddressQuery",
241 API_WITHDRAWALS if method == Method::GET => "withdrawalQueryAll",
242 API_WITHDRAWALS if method == Method::POST => "withdraw",
243 API_USER_2FA if method == Method::POST => "issueTwoFactorToken",
244 API_ORDER if method == Method::GET => "orderQuery",
245 API_ORDER if method == Method::POST => "orderExecute",
246 API_ORDER if method == Method::DELETE => "orderCancel",
247 API_ORDERS if method == Method::GET => "orderQueryAll",
248 API_ORDERS if method == Method::DELETE => "orderCancelAll",
249 API_RFQ if method == Method::POST => "rfqSubmit",
250 API_RFQ_QUOTE if method == Method::POST => "quoteSubmit",
251 API_RFQ_ACCEPT if method == Method::POST => "quoteAccept",
252 API_RFQ_CANCEL if method == Method::POST => "rfqCancel",
253 API_RFQ_REFRESH if method == Method::POST => "rfqRefresh",
254 API_FUTURES_POSITION if method == Method::GET => "positionQuery",
255 API_BORROW_LEND_POSITIONS if method == Method::GET => "borrowLendPositionQuery",
256 API_COLLATERAL if method == Method::GET => "collateralQuery",
257 API_ACCOUNT if method == Method::GET => "accountQuery",
258 API_ACCOUNT_MAX_BORROW if method == Method::GET => "maxBorrowQuantity",
259 API_ACCOUNT_MAX_ORDER if method == Method::GET => "maxOrderQuantity",
260 API_ACCOUNT_MAX_WITHDRAWAL if method == Method::GET => "maxWithdrawalQuantity",
261 API_ACCOUNT if method == Method::PATCH => "accountUpdate",
262 API_ACCOUNT_CONVERT_DUST if method == Method::POST => "convertDust",
263 API_FILLS_HISTORY if method == Method::GET => "fillHistoryQueryAll",
264 _ => {
265 let req = self.client().request(method, url);
266 if let Some(payload) = payload {
267 return Ok(req.json(payload).build()?);
268 } else {
269 return Ok(req.build()?);
270 }
271 }
272 };
273
274 let Some(signing_key) = &self.signing_key else {
275 return Err(Error::NotAuthenticated);
276 };
277
278 let query_params = url
279 .query_pairs()
280 .collect::<BTreeMap<Cow<'_, str>, Cow<'_, str>>>();
281 let body_params = if let Some(payload) = payload {
282 let s = serde_json::to_value(payload)?;
283 match s {
284 Value::Object(map) => map
285 .into_iter()
286 .map(|(k, v)| (k, v.to_string()))
287 .collect::<BTreeMap<_, _>>(),
288 _ => {
289 return Err(Error::InvalidRequest(
290 "payload must be a JSON object".into(),
291 ));
292 }
293 }
294 } else {
295 BTreeMap::new()
296 };
297
298 let timestamp = now_millis();
299 let mut signee = format!("instruction={instruction}");
300 for (k, v) in query_params {
301 signee.push_str(&format!("&{k}={v}"));
302 }
303 for (k, v) in body_params {
304 let v = v.trim_start_matches('"').trim_end_matches('"');
305 signee.push_str(&format!("&{k}={v}"));
306 }
307 signee.push_str(&format!("×tamp={timestamp}&window={DEFAULT_WINDOW}"));
308 tracing::debug!("signee: {}", signee);
309
310 let signature: Signature = signing_key.sign(signee.as_bytes());
311 let signature = Base64::encode_string(&signature.to_bytes());
312
313 let mut req = self.client().request(method, url);
314 if let Some(payload) = payload {
315 req = req.json(payload);
316 }
317 let mut req = req.build()?;
318 req.headers_mut()
319 .insert(SIGNATURE_HEADER, signature.parse()?);
320 req.headers_mut()
321 .insert(TIMESTAMP_HEADER, timestamp.to_string().parse()?);
322 req.headers_mut()
323 .insert(WINDOW_HEADER, DEFAULT_WINDOW.to_string().parse()?);
324 if matches!(req.method(), &Method::POST | &Method::DELETE) {
325 req.headers_mut()
326 .insert(CONTENT_TYPE, JSON_CONTENT.parse()?);
327 }
328 Ok(req)
329 }
330}
331
332#[derive(Debug, Default)]
333pub struct BpxClientBuilder {
334 base_url: Option<String>,
335 ws_url: Option<String>,
336 secret: Option<String>,
337 headers: Option<BpxHeaders>,
338}
339
340impl BpxClientBuilder {
341 pub fn new() -> Self {
342 Default::default()
343 }
344
345 pub fn base_url(mut self, base_url: impl ToString) -> Self {
354 self.base_url = Some(base_url.to_string());
355 self
356 }
357
358 #[cfg(feature = "ws")]
367 pub fn ws_url(mut self, ws_url: impl ToString) -> Self {
368 self.ws_url = Some(ws_url.to_string());
369 self
370 }
371
372 pub fn secret(mut self, secret: impl ToString) -> Self {
381 self.secret = Some(secret.to_string());
382 self
383 }
384
385 pub fn headers(mut self, headers: BpxHeaders) -> Self {
394 self.headers = Some(headers);
395 self
396 }
397
398 pub fn build(self) -> Result<BpxClient> {
403 let base_url = self.base_url.as_deref().unwrap_or(BACKPACK_API_BASE_URL);
404 let base_url = Url::parse(base_url)?;
405
406 let ws_url = self.ws_url.as_deref().unwrap_or(BACKPACK_WS_URL);
407 let ws_url = Url::parse(ws_url)?;
408
409 let signing_key = if let Some(secret) = self.secret {
410 Some(
411 Base64::decode_vec(&secret)?
412 .try_into()
413 .map(|s| SigningKey::from_bytes(&s))
414 .map_err(|_| Error::SecretKey)?,
415 )
416 } else {
417 None
418 };
419 let verifying_key = signing_key.as_ref().map(|s| s.verifying_key());
420
421 let mut header_map = BpxHeaders::new();
422 if let Some(headers) = self.headers {
423 header_map.extend(headers);
424 }
425
426 header_map.insert(CONTENT_TYPE, JSON_CONTENT.parse()?);
427 if let Some(signing_key) = &signing_key {
428 let verifier = signing_key.verifying_key();
429 header_map.insert(
430 API_KEY_HEADER,
431 Base64::encode_string(&verifier.to_bytes()).parse()?,
432 );
433 }
434
435 let client = BpxClient {
436 signing_key,
437 verifying_key,
438 base_url,
439 ws_url,
440 client: reqwest::Client::builder()
441 .user_agent(API_USER_AGENT)
442 .default_headers(header_map)
443 .build()?,
444 };
445
446 Ok(client)
447 }
448}
449
450fn now_millis() -> u64 {
452 SystemTime::now()
453 .duration_since(UNIX_EPOCH)
454 .expect("Time went backwards")
455 .as_millis() as u64
456}