router_handlers.rs 14 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421
  1. use anyhow::Result;
  2. use axum::extract::ws::WebSocketUpgrade;
  3. use axum::extract::{Json, Path, State};
  4. use axum::http::StatusCode;
  5. use axum::response::{IntoResponse, Response};
  6. use cdk::error::ErrorResponse;
  7. use cdk::nuts::{
  8. CheckStateRequest, CheckStateResponse, Id, KeysResponse, KeysetResponse, MeltBolt11Request,
  9. MeltQuoteBolt11Request, MeltQuoteBolt11Response, MintBolt11Request, MintBolt11Response,
  10. MintInfo, MintQuoteBolt11Request, MintQuoteBolt11Response, RestoreRequest, RestoreResponse,
  11. SwapRequest, SwapResponse,
  12. };
  13. use cdk::util::unix_time;
  14. use paste::paste;
  15. use tracing::instrument;
  16. use uuid::Uuid;
  17. use crate::ws::main_websocket;
  18. use crate::MintState;
  19. macro_rules! post_cache_wrapper {
  20. ($handler:ident, $request_type:ty, $response_type:ty) => {
  21. paste! {
  22. /// Cache wrapper function for $handler:
  23. /// Wrap $handler into a function that caches responses using the request as key
  24. pub async fn [<cache_ $handler>](
  25. state: State<MintState>,
  26. payload: Json<$request_type>
  27. ) -> Result<Json<$response_type>, Response> {
  28. use std::ops::Deref;
  29. let json_extracted_payload = payload.deref();
  30. let State(mint_state) = state.clone();
  31. let cache_key = match mint_state.cache.calculate_key(&json_extracted_payload) {
  32. Some(key) => key,
  33. None => {
  34. // Could not calculate key, just return the handler result
  35. return $handler(state, payload).await;
  36. }
  37. };
  38. if let Some(cached_response) = mint_state.cache.get::<$response_type>(&cache_key).await {
  39. return Ok(Json(cached_response));
  40. }
  41. let response = $handler(state, payload).await?;
  42. mint_state.cache.set(cache_key, &response.deref()).await;
  43. Ok(response)
  44. }
  45. }
  46. };
  47. }
  48. post_cache_wrapper!(post_swap, SwapRequest, SwapResponse);
  49. post_cache_wrapper!(
  50. post_mint_bolt11,
  51. MintBolt11Request<Uuid>,
  52. MintBolt11Response
  53. );
  54. post_cache_wrapper!(
  55. post_melt_bolt11,
  56. MeltBolt11Request<Uuid>,
  57. MeltQuoteBolt11Response<Uuid>
  58. );
  59. #[cfg_attr(feature = "swagger", utoipa::path(
  60. get,
  61. context_path = "/v1",
  62. path = "/keys",
  63. responses(
  64. (status = 200, description = "Successful response", body = KeysResponse, content_type = "application/json")
  65. )
  66. ))]
  67. /// Get the public keys of the newest mint keyset
  68. ///
  69. /// This endpoint returns a dictionary of all supported token values of the mint and their associated public key.
  70. pub async fn get_keys(State(state): State<MintState>) -> Result<Json<KeysResponse>, Response> {
  71. let pubkeys = state.mint.pubkeys().await.map_err(|err| {
  72. tracing::error!("Could not get keys: {}", err);
  73. into_response(err)
  74. })?;
  75. Ok(Json(pubkeys))
  76. }
  77. #[cfg_attr(feature = "swagger", utoipa::path(
  78. get,
  79. context_path = "/v1",
  80. path = "/keys/{keyset_id}",
  81. params(
  82. ("keyset_id" = String, description = "The keyset ID"),
  83. ),
  84. responses(
  85. (status = 200, description = "Successful response", body = KeysResponse, content_type = "application/json"),
  86. (status = 500, description = "Server error", body = ErrorResponse, content_type = "application/json")
  87. )
  88. ))]
  89. /// Get the public keys of a specific keyset
  90. ///
  91. /// Get the public keys of the mint from a specific keyset ID.
  92. pub async fn get_keyset_pubkeys(
  93. State(state): State<MintState>,
  94. Path(keyset_id): Path<Id>,
  95. ) -> Result<Json<KeysResponse>, Response> {
  96. let pubkeys = state.mint.keyset_pubkeys(&keyset_id).await.map_err(|err| {
  97. tracing::error!("Could not get keyset pubkeys: {}", err);
  98. into_response(err)
  99. })?;
  100. Ok(Json(pubkeys))
  101. }
  102. #[cfg_attr(feature = "swagger", utoipa::path(
  103. get,
  104. context_path = "/v1",
  105. path = "/keysets",
  106. responses(
  107. (status = 200, description = "Successful response", body = KeysetResponse, content_type = "application/json"),
  108. (status = 500, description = "Server error", body = ErrorResponse, content_type = "application/json")
  109. )
  110. ))]
  111. /// Get all active keyset IDs of the mint
  112. ///
  113. /// This endpoint returns a list of keysets that the mint currently supports and will accept tokens from.
  114. pub async fn get_keysets(State(state): State<MintState>) -> Result<Json<KeysetResponse>, Response> {
  115. let keysets = state.mint.keysets().await.map_err(|err| {
  116. tracing::error!("Could not get keysets: {}", err);
  117. into_response(err)
  118. })?;
  119. Ok(Json(keysets))
  120. }
  121. #[cfg_attr(feature = "swagger", utoipa::path(
  122. post,
  123. context_path = "/v1",
  124. path = "/mint/quote/bolt11",
  125. request_body(content = MintQuoteBolt11Request, description = "Request params", content_type = "application/json"),
  126. responses(
  127. (status = 200, description = "Successful response", body = MintQuoteBolt11Response, content_type = "application/json"),
  128. (status = 500, description = "Server error", body = ErrorResponse, content_type = "application/json")
  129. )
  130. ))]
  131. /// Request a quote for minting of new tokens
  132. ///
  133. /// Request minting of new tokens. The mint responds with a Lightning invoice. This endpoint can be used for a Lightning invoice UX flow.
  134. pub async fn post_mint_bolt11_quote(
  135. State(state): State<MintState>,
  136. Json(payload): Json<MintQuoteBolt11Request>,
  137. ) -> Result<Json<MintQuoteBolt11Response<Uuid>>, Response> {
  138. let quote = state
  139. .mint
  140. .get_mint_bolt11_quote(payload)
  141. .await
  142. .map_err(into_response)?;
  143. Ok(Json(quote))
  144. }
  145. #[cfg_attr(feature = "swagger", utoipa::path(
  146. get,
  147. context_path = "/v1",
  148. path = "/mint/quote/bolt11/{quote_id}",
  149. params(
  150. ("quote_id" = String, description = "The quote ID"),
  151. ),
  152. responses(
  153. (status = 200, description = "Successful response", body = MintQuoteBolt11Response, content_type = "application/json"),
  154. (status = 500, description = "Server error", body = ErrorResponse, content_type = "application/json")
  155. )
  156. ))]
  157. /// Get mint quote by ID
  158. ///
  159. /// Get mint quote state.
  160. pub async fn get_check_mint_bolt11_quote(
  161. State(state): State<MintState>,
  162. Path(quote_id): Path<Uuid>,
  163. ) -> Result<Json<MintQuoteBolt11Response<Uuid>>, Response> {
  164. let quote = state
  165. .mint
  166. .check_mint_quote(&quote_id)
  167. .await
  168. .map_err(|err| {
  169. tracing::error!("Could not check mint quote {}: {}", quote_id, err);
  170. into_response(err)
  171. })?;
  172. Ok(Json(quote))
  173. }
  174. pub async fn ws_handler(State(state): State<MintState>, ws: WebSocketUpgrade) -> impl IntoResponse {
  175. ws.on_upgrade(|ws| main_websocket(ws, state))
  176. }
  177. /// Mint tokens by paying a BOLT11 Lightning invoice.
  178. ///
  179. /// Requests the minting of tokens belonging to a paid payment request.
  180. ///
  181. /// Call this endpoint after `POST /v1/mint/quote`.
  182. #[cfg_attr(feature = "swagger", utoipa::path(
  183. post,
  184. context_path = "/v1",
  185. path = "/mint/bolt11",
  186. request_body(content = MintBolt11Request, description = "Request params", content_type = "application/json"),
  187. responses(
  188. (status = 200, description = "Successful response", body = MintBolt11Response, content_type = "application/json"),
  189. (status = 500, description = "Server error", body = ErrorResponse, content_type = "application/json")
  190. )
  191. ))]
  192. pub async fn post_mint_bolt11(
  193. State(state): State<MintState>,
  194. Json(payload): Json<MintBolt11Request<Uuid>>,
  195. ) -> Result<Json<MintBolt11Response>, Response> {
  196. let res = state
  197. .mint
  198. .process_mint_request(payload)
  199. .await
  200. .map_err(|err| {
  201. tracing::error!("Could not process mint: {}", err);
  202. into_response(err)
  203. })?;
  204. Ok(Json(res))
  205. }
  206. #[cfg_attr(feature = "swagger", utoipa::path(
  207. post,
  208. context_path = "/v1",
  209. path = "/melt/quote/bolt11",
  210. request_body(content = MeltQuoteBolt11Request, description = "Quote params", content_type = "application/json"),
  211. responses(
  212. (status = 200, description = "Successful response", body = MeltQuoteBolt11Response, content_type = "application/json"),
  213. (status = 500, description = "Server error", body = ErrorResponse, content_type = "application/json")
  214. )
  215. ))]
  216. #[instrument(skip_all)]
  217. /// Request a quote for melting tokens
  218. pub async fn post_melt_bolt11_quote(
  219. State(state): State<MintState>,
  220. Json(payload): Json<MeltQuoteBolt11Request>,
  221. ) -> Result<Json<MeltQuoteBolt11Response<Uuid>>, Response> {
  222. let quote = state
  223. .mint
  224. .get_melt_bolt11_quote(&payload)
  225. .await
  226. .map_err(into_response)?;
  227. Ok(Json(quote))
  228. }
  229. #[cfg_attr(feature = "swagger", utoipa::path(
  230. get,
  231. context_path = "/v1",
  232. path = "/melt/quote/bolt11/{quote_id}",
  233. params(
  234. ("quote_id" = String, description = "The quote ID"),
  235. ),
  236. responses(
  237. (status = 200, description = "Successful response", body = MeltQuoteBolt11Response, content_type = "application/json"),
  238. (status = 500, description = "Server error", body = ErrorResponse, content_type = "application/json")
  239. )
  240. ))]
  241. /// Get melt quote by ID
  242. ///
  243. /// Get melt quote state.
  244. #[instrument(skip_all)]
  245. pub async fn get_check_melt_bolt11_quote(
  246. State(state): State<MintState>,
  247. Path(quote_id): Path<Uuid>,
  248. ) -> Result<Json<MeltQuoteBolt11Response<Uuid>>, Response> {
  249. let quote = state
  250. .mint
  251. .check_melt_quote(&quote_id)
  252. .await
  253. .map_err(|err| {
  254. tracing::error!("Could not check melt quote: {}", err);
  255. into_response(err)
  256. })?;
  257. Ok(Json(quote))
  258. }
  259. #[cfg_attr(feature = "swagger", utoipa::path(
  260. post,
  261. context_path = "/v1",
  262. path = "/melt/bolt11",
  263. request_body(content = MeltBolt11Request, description = "Melt params", content_type = "application/json"),
  264. responses(
  265. (status = 200, description = "Successful response", body = MeltQuoteBolt11Response, content_type = "application/json"),
  266. (status = 500, description = "Server error", body = ErrorResponse, content_type = "application/json")
  267. )
  268. ))]
  269. /// Melt tokens for a Bitcoin payment that the mint will make for the user in exchange
  270. ///
  271. /// Requests tokens to be destroyed and sent out via Lightning.
  272. #[instrument(skip_all)]
  273. pub async fn post_melt_bolt11(
  274. State(state): State<MintState>,
  275. Json(payload): Json<MeltBolt11Request<Uuid>>,
  276. ) -> Result<Json<MeltQuoteBolt11Response<Uuid>>, Response> {
  277. let res = state
  278. .mint
  279. .melt_bolt11(&payload)
  280. .await
  281. .map_err(into_response)?;
  282. Ok(Json(res))
  283. }
  284. #[cfg_attr(feature = "swagger", utoipa::path(
  285. post,
  286. context_path = "/v1",
  287. path = "/checkstate",
  288. request_body(content = CheckStateRequest, description = "State params", content_type = "application/json"),
  289. responses(
  290. (status = 200, description = "Successful response", body = CheckStateResponse, content_type = "application/json"),
  291. (status = 500, description = "Server error", body = ErrorResponse, content_type = "application/json")
  292. )
  293. ))]
  294. /// Check whether a proof is spent already or is pending in a transaction
  295. ///
  296. /// Check whether a secret has been spent already or not.
  297. pub async fn post_check(
  298. State(state): State<MintState>,
  299. Json(payload): Json<CheckStateRequest>,
  300. ) -> Result<Json<CheckStateResponse>, Response> {
  301. let state = state.mint.check_state(&payload).await.map_err(|err| {
  302. tracing::error!("Could not check state of proofs");
  303. into_response(err)
  304. })?;
  305. Ok(Json(state))
  306. }
  307. #[cfg_attr(feature = "swagger", utoipa::path(
  308. get,
  309. context_path = "/v1",
  310. path = "/info",
  311. responses(
  312. (status = 200, description = "Successful response", body = MintInfo)
  313. )
  314. ))]
  315. /// Mint information, operator contact information, and other info
  316. pub async fn get_mint_info(State(state): State<MintState>) -> Result<Json<MintInfo>, Response> {
  317. Ok(Json(
  318. state
  319. .mint
  320. .mint_info()
  321. .await
  322. .map_err(|err| {
  323. tracing::error!("Could not get mint info: {}", err);
  324. into_response(err)
  325. })?
  326. .clone()
  327. .time(unix_time()),
  328. ))
  329. }
  330. #[cfg_attr(feature = "swagger", utoipa::path(
  331. post,
  332. context_path = "/v1",
  333. path = "/swap",
  334. request_body(content = SwapRequest, description = "Swap params", content_type = "application/json"),
  335. responses(
  336. (status = 200, description = "Successful response", body = SwapResponse, content_type = "application/json"),
  337. (status = 500, description = "Server error", body = ErrorResponse, content_type = "application/json")
  338. )
  339. ))]
  340. /// Swap inputs for outputs of the same value
  341. ///
  342. /// Requests a set of Proofs to be swapped for another set of BlindSignatures.
  343. ///
  344. /// This endpoint can be used by Alice to swap a set of proofs before making a payment to Carol. It can then used by Carol to redeem the tokens for new proofs.
  345. pub async fn post_swap(
  346. State(state): State<MintState>,
  347. Json(payload): Json<SwapRequest>,
  348. ) -> Result<Json<SwapResponse>, Response> {
  349. let swap_response = state
  350. .mint
  351. .process_swap_request(payload)
  352. .await
  353. .map_err(|err| {
  354. tracing::error!("Could not process swap request: {}", err);
  355. into_response(err)
  356. })?;
  357. Ok(Json(swap_response))
  358. }
  359. #[cfg_attr(feature = "swagger", utoipa::path(
  360. post,
  361. context_path = "/v1",
  362. path = "/restore",
  363. request_body(content = RestoreRequest, description = "Restore params", content_type = "application/json"),
  364. responses(
  365. (status = 200, description = "Successful response", body = RestoreResponse, content_type = "application/json"),
  366. (status = 500, description = "Server error", body = ErrorResponse, content_type = "application/json")
  367. )
  368. ))]
  369. /// Restores blind signature for a set of outputs.
  370. pub async fn post_restore(
  371. State(state): State<MintState>,
  372. Json(payload): Json<RestoreRequest>,
  373. ) -> Result<Json<RestoreResponse>, Response> {
  374. let restore_response = state.mint.restore(payload).await.map_err(|err| {
  375. tracing::error!("Could not process restore: {}", err);
  376. into_response(err)
  377. })?;
  378. Ok(Json(restore_response))
  379. }
  380. pub fn into_response<T>(error: T) -> Response
  381. where
  382. T: Into<ErrorResponse>,
  383. {
  384. (
  385. StatusCode::INTERNAL_SERVER_ERROR,
  386. Json::<ErrorResponse>(error.into()),
  387. )
  388. .into_response()
  389. }