router_handlers.rs 14 KB

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