mint_nut04.rs 11 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353
  1. use tracing::instrument;
  2. use uuid::Uuid;
  3. use super::{
  4. nut04, CurrencyUnit, Mint, MintQuote, MintQuoteBolt11Request, MintQuoteBolt11Response,
  5. NotificationPayload, PaymentMethod, PublicKey,
  6. };
  7. use crate::nuts::MintQuoteState;
  8. use crate::types::LnKey;
  9. use crate::util::unix_time;
  10. use crate::{Amount, Error};
  11. impl Mint {
  12. /// Checks that minting is enabled, request is supported unit and within range
  13. fn check_mint_request_acceptable(
  14. &self,
  15. amount: Amount,
  16. unit: &CurrencyUnit,
  17. ) -> Result<(), Error> {
  18. let mint_info = self.mint_info();
  19. let nut04 = &mint_info.nuts.nut04;
  20. if nut04.disabled {
  21. return Err(Error::MintingDisabled);
  22. }
  23. match nut04.get_settings(unit, &PaymentMethod::Bolt11) {
  24. Some(settings) => {
  25. if settings
  26. .max_amount
  27. .map_or(false, |max_amount| amount > max_amount)
  28. {
  29. return Err(Error::AmountOutofLimitRange(
  30. settings.min_amount.unwrap_or_default(),
  31. settings.max_amount.unwrap_or_default(),
  32. amount,
  33. ));
  34. }
  35. if settings
  36. .min_amount
  37. .map_or(false, |min_amount| amount < min_amount)
  38. {
  39. return Err(Error::AmountOutofLimitRange(
  40. settings.min_amount.unwrap_or_default(),
  41. settings.max_amount.unwrap_or_default(),
  42. amount,
  43. ));
  44. }
  45. }
  46. None => {
  47. return Err(Error::UnitUnsupported);
  48. }
  49. }
  50. Ok(())
  51. }
  52. /// Create new mint bolt11 quote
  53. #[instrument(skip_all)]
  54. pub async fn get_mint_bolt11_quote(
  55. &self,
  56. mint_quote_request: MintQuoteBolt11Request,
  57. ) -> Result<MintQuoteBolt11Response<Uuid>, Error> {
  58. let MintQuoteBolt11Request {
  59. amount,
  60. unit,
  61. description,
  62. pubkey,
  63. } = mint_quote_request;
  64. self.check_mint_request_acceptable(amount, &unit)?;
  65. let ln = self
  66. .ln
  67. .get(&LnKey::new(unit.clone(), PaymentMethod::Bolt11))
  68. .ok_or_else(|| {
  69. tracing::info!("Bolt11 mint request for unsupported unit");
  70. Error::UnitUnsupported
  71. })?;
  72. let quote_expiry = unix_time() + self.config.quote_ttl().mint_ttl;
  73. if description.is_some() && !ln.get_settings().invoice_description {
  74. tracing::error!("Backend does not support invoice description");
  75. return Err(Error::InvoiceDescriptionUnsupported);
  76. }
  77. let create_invoice_response = ln
  78. .create_invoice(
  79. amount,
  80. &unit,
  81. description.unwrap_or("".to_string()),
  82. quote_expiry,
  83. )
  84. .await
  85. .map_err(|err| {
  86. tracing::error!("Could not create invoice: {}", err);
  87. Error::InvalidPaymentRequest
  88. })?;
  89. let quote = MintQuote::new(
  90. self.config.mint_url(),
  91. create_invoice_response.request.to_string(),
  92. unit.clone(),
  93. amount,
  94. create_invoice_response.expiry.unwrap_or(0),
  95. create_invoice_response.request_lookup_id.clone(),
  96. pubkey,
  97. );
  98. tracing::debug!(
  99. "New mint quote {} for {} {} with request id {}",
  100. quote.id,
  101. amount,
  102. unit,
  103. create_invoice_response.request_lookup_id,
  104. );
  105. self.localstore.add_mint_quote(quote.clone()).await?;
  106. let quote: MintQuoteBolt11Response<Uuid> = quote.into();
  107. self.pubsub_manager
  108. .broadcast(NotificationPayload::MintQuoteBolt11Response(quote.clone()));
  109. Ok(quote)
  110. }
  111. /// Check mint quote
  112. #[instrument(skip(self))]
  113. pub async fn check_mint_quote(
  114. &self,
  115. quote_id: &Uuid,
  116. ) -> Result<MintQuoteBolt11Response<Uuid>, Error> {
  117. let quote = self
  118. .localstore
  119. .get_mint_quote(quote_id)
  120. .await?
  121. .ok_or(Error::UnknownQuote)?;
  122. // Since the pending state is not part of the NUT it should not be part of the
  123. // response. In practice the wallet should not be checking the state of
  124. // a quote while waiting for the mint response.
  125. let state = match quote.state {
  126. MintQuoteState::Pending => MintQuoteState::Paid,
  127. s => s,
  128. };
  129. Ok(MintQuoteBolt11Response {
  130. quote: quote.id,
  131. request: quote.request,
  132. state,
  133. expiry: Some(quote.expiry),
  134. pubkey: quote.pubkey,
  135. })
  136. }
  137. /// Update mint quote
  138. #[instrument(skip_all)]
  139. pub async fn update_mint_quote(&self, quote: MintQuote) -> Result<(), Error> {
  140. self.localstore.add_mint_quote(quote).await?;
  141. Ok(())
  142. }
  143. /// Get mint quotes
  144. #[instrument(skip_all)]
  145. pub async fn mint_quotes(&self) -> Result<Vec<MintQuote>, Error> {
  146. let quotes = self.localstore.get_mint_quotes().await?;
  147. Ok(quotes)
  148. }
  149. /// Get pending mint quotes
  150. #[instrument(skip_all)]
  151. pub async fn get_pending_mint_quotes(&self) -> Result<Vec<MintQuote>, Error> {
  152. let mint_quotes = self.localstore.get_mint_quotes().await?;
  153. Ok(mint_quotes
  154. .into_iter()
  155. .filter(|p| p.state == MintQuoteState::Pending)
  156. .collect())
  157. }
  158. /// Get pending mint quotes
  159. #[instrument(skip_all)]
  160. pub async fn get_unpaid_mint_quotes(&self) -> Result<Vec<MintQuote>, Error> {
  161. let mint_quotes = self.localstore.get_mint_quotes().await?;
  162. Ok(mint_quotes
  163. .into_iter()
  164. .filter(|p| p.state == MintQuoteState::Unpaid)
  165. .collect())
  166. }
  167. /// Remove mint quote
  168. #[instrument(skip_all)]
  169. pub async fn remove_mint_quote(&self, quote_id: &Uuid) -> Result<(), Error> {
  170. self.localstore.remove_mint_quote(quote_id).await?;
  171. Ok(())
  172. }
  173. /// Flag mint quote as paid
  174. #[instrument(skip_all)]
  175. pub async fn pay_mint_quote_for_request_id(
  176. &self,
  177. request_lookup_id: &str,
  178. ) -> Result<(), Error> {
  179. if let Ok(Some(mint_quote)) = self
  180. .localstore
  181. .get_mint_quote_by_request_lookup_id(request_lookup_id)
  182. .await
  183. {
  184. tracing::debug!(
  185. "Received payment notification for mint quote {}",
  186. mint_quote.id
  187. );
  188. if mint_quote.state != MintQuoteState::Issued
  189. && mint_quote.state != MintQuoteState::Paid
  190. {
  191. let unix_time = unix_time();
  192. if mint_quote.expiry < unix_time {
  193. tracing::warn!(
  194. "Mint quote {} paid at {} expired at {}, leaving current state",
  195. mint_quote.id,
  196. mint_quote.expiry,
  197. unix_time,
  198. );
  199. return Err(Error::ExpiredQuote(mint_quote.expiry, unix_time));
  200. }
  201. tracing::debug!(
  202. "Marking quote {} paid by lookup id {}",
  203. mint_quote.id,
  204. request_lookup_id
  205. );
  206. self.localstore
  207. .update_mint_quote_state(&mint_quote.id, MintQuoteState::Paid)
  208. .await?;
  209. } else {
  210. tracing::debug!(
  211. "{} Quote already {} continuing",
  212. mint_quote.id,
  213. mint_quote.state
  214. );
  215. }
  216. self.pubsub_manager
  217. .mint_quote_bolt11_status(mint_quote, MintQuoteState::Paid);
  218. }
  219. Ok(())
  220. }
  221. /// Process mint request
  222. #[instrument(skip_all)]
  223. pub async fn process_mint_request(
  224. &self,
  225. mint_request: nut04::MintBolt11Request<Uuid>,
  226. ) -> Result<nut04::MintBolt11Response, Error> {
  227. let mint_quote =
  228. if let Some(mint_quote) = self.localstore.get_mint_quote(&mint_request.quote).await? {
  229. mint_quote
  230. } else {
  231. return Err(Error::UnknownQuote);
  232. };
  233. let state = self
  234. .localstore
  235. .update_mint_quote_state(&mint_request.quote, MintQuoteState::Pending)
  236. .await?;
  237. match state {
  238. MintQuoteState::Unpaid => {
  239. return Err(Error::UnpaidQuote);
  240. }
  241. MintQuoteState::Pending => {
  242. return Err(Error::PendingQuote);
  243. }
  244. MintQuoteState::Issued => {
  245. return Err(Error::IssuedQuote);
  246. }
  247. MintQuoteState::Paid => (),
  248. }
  249. // If the there is a public key provoided in mint quote request
  250. // verify the signature is provided for the mint request
  251. if let Some(pubkey) = mint_quote.pubkey {
  252. mint_request.verify_signature(pubkey)?;
  253. }
  254. let blinded_messages: Vec<PublicKey> = mint_request
  255. .outputs
  256. .iter()
  257. .map(|b| b.blinded_secret)
  258. .collect();
  259. if self
  260. .localstore
  261. .get_blind_signatures(&blinded_messages)
  262. .await?
  263. .iter()
  264. .flatten()
  265. .next()
  266. .is_some()
  267. {
  268. tracing::info!("Output has already been signed",);
  269. tracing::info!(
  270. "Mint {} did not succeed returning quote to Paid state",
  271. mint_request.quote
  272. );
  273. self.localstore
  274. .update_mint_quote_state(&mint_request.quote, MintQuoteState::Paid)
  275. .await
  276. .unwrap();
  277. return Err(Error::BlindedMessageAlreadySigned);
  278. }
  279. let mut blind_signatures = Vec::with_capacity(mint_request.outputs.len());
  280. for blinded_message in mint_request.outputs.iter() {
  281. let blind_signature = self.blind_sign(blinded_message).await?;
  282. blind_signatures.push(blind_signature);
  283. }
  284. self.localstore
  285. .add_blind_signatures(
  286. &mint_request
  287. .outputs
  288. .iter()
  289. .map(|p| p.blinded_secret)
  290. .collect::<Vec<PublicKey>>(),
  291. &blind_signatures,
  292. Some(mint_request.quote),
  293. )
  294. .await?;
  295. self.localstore
  296. .update_mint_quote_state(&mint_request.quote, MintQuoteState::Issued)
  297. .await?;
  298. self.pubsub_manager
  299. .mint_quote_bolt11_status(mint_quote, MintQuoteState::Issued);
  300. Ok(nut04::MintBolt11Response {
  301. signatures: blind_signatures,
  302. })
  303. }
  304. }