router_handlers.rs 14 KB

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