melt.rs 26 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423424425426427428429430431432433434435436437438439440441442443444445446447448449450451452453454455456457458459460461462463464465466467468469470471472473474475476477478479480481482483484485486487488489490491492493494495496497498499500501502503504505506507508509510511512513514515516517518519520521522523524525526527528529530531532533534535536537538539540541542543544545546547548549550551552553554555556557558559560561562563564565566567568569570571572573574575576577578579580581582583584585586587588589590591592593594595596597598599600601602603604605606607608609610611612613614615616617618619620621622623624625626627628629630631632633634635636637638639640641642643644645646647648649650651652653654655656657658659660661662663664665666667668669670671672673674675676677678679680681682683684685686687688689690691692693694695696697698699700701702703704705706707708709710711712713714715716717718719720721722723724725726727728
  1. use std::collections::HashSet;
  2. use std::str::FromStr;
  3. use anyhow::bail;
  4. use cdk_common::nut00::ProofsMethods;
  5. use cdk_common::MeltOptions;
  6. use lightning_invoice::Bolt11Invoice;
  7. use tracing::instrument;
  8. use uuid::Uuid;
  9. use super::{
  10. CurrencyUnit, MeltBolt11Request, MeltQuote, MeltQuoteBolt11Request, MeltQuoteBolt11Response,
  11. Mint, PaymentMethod, PublicKey, State,
  12. };
  13. use crate::amount::to_unit;
  14. use crate::cdk_lightning::{MintLightning, PayInvoiceResponse};
  15. use crate::mint::SigFlag;
  16. use crate::nuts::nut11::{enforce_sig_flag, EnforceSigFlag};
  17. use crate::nuts::{Id, MeltQuoteState};
  18. use crate::types::LnKey;
  19. use crate::util::unix_time;
  20. use crate::{cdk_lightning, Amount, Error};
  21. impl Mint {
  22. #[instrument(skip_all)]
  23. async fn check_melt_request_acceptable(
  24. &self,
  25. amount: Amount,
  26. unit: CurrencyUnit,
  27. method: PaymentMethod,
  28. request: String,
  29. options: Option<MeltOptions>,
  30. ) -> Result<(), Error> {
  31. let mint_info = self.mint_info();
  32. let nut05 = mint_info.nuts.nut05;
  33. let nut15 = mint_info.nuts.nut15;
  34. if nut05.disabled {
  35. return Err(Error::MeltingDisabled);
  36. }
  37. let settings = nut05
  38. .get_settings(&unit, &method)
  39. .ok_or(Error::UnitUnsupported)?;
  40. if matches!(options, Some(MeltOptions::Mpp { mpp: _ })) {
  41. // Verify there is no corresponding mint quote.
  42. // Otherwise a wallet is trying to pay someone internally, but
  43. // with a multi-part quote. And that's just not possible.
  44. if (self.localstore.get_mint_quote_by_request(&request).await?).is_some() {
  45. return Err(Error::InternalMultiPartMeltQuote);
  46. }
  47. // Verify MPP is enabled for unit and method
  48. if !nut15
  49. .methods
  50. .into_iter()
  51. .any(|m| m.method == method && m.unit == unit)
  52. {
  53. return Err(Error::MppUnitMethodNotSupported(unit, method));
  54. }
  55. }
  56. let is_above_max = matches!(settings.max_amount, Some(max) if amount > max);
  57. let is_below_min = matches!(settings.min_amount, Some(min) if amount < min);
  58. match is_above_max || is_below_min {
  59. true => Err(Error::AmountOutofLimitRange(
  60. settings.min_amount.unwrap_or_default(),
  61. settings.max_amount.unwrap_or_default(),
  62. amount,
  63. )),
  64. false => Ok(()),
  65. }
  66. }
  67. /// Get melt bolt11 quote
  68. #[instrument(skip_all)]
  69. pub async fn get_melt_bolt11_quote(
  70. &self,
  71. melt_request: &MeltQuoteBolt11Request,
  72. ) -> Result<MeltQuoteBolt11Response<Uuid>, Error> {
  73. let MeltQuoteBolt11Request {
  74. request,
  75. unit,
  76. options,
  77. ..
  78. } = melt_request;
  79. let amount_msats = melt_request.amount_msat()?;
  80. let amount_quote_unit = to_unit(amount_msats, &CurrencyUnit::Msat, unit)?;
  81. self.check_melt_request_acceptable(
  82. amount_quote_unit,
  83. unit.clone(),
  84. PaymentMethod::Bolt11,
  85. request.to_string(),
  86. *options,
  87. )
  88. .await?;
  89. let ln = self
  90. .ln
  91. .get(&LnKey::new(unit.clone(), PaymentMethod::Bolt11))
  92. .ok_or_else(|| {
  93. tracing::info!("Could not get ln backend for {}, bolt11 ", unit);
  94. Error::UnitUnsupported
  95. })?;
  96. let payment_quote = ln.get_payment_quote(melt_request).await.map_err(|err| {
  97. tracing::error!(
  98. "Could not get payment quote for mint quote, {} bolt11, {}",
  99. unit,
  100. err
  101. );
  102. Error::UnitUnsupported
  103. })?;
  104. // We only want to set the msats_to_pay of the melt quote if the invoice is amountless
  105. // or we want to ignore the amount and do an mpp payment
  106. let msats_to_pay = options.map(|opt| opt.amount_msat());
  107. let quote = MeltQuote::new(
  108. request.to_string(),
  109. unit.clone(),
  110. payment_quote.amount,
  111. payment_quote.fee,
  112. unix_time() + self.config.quote_ttl().melt_ttl,
  113. payment_quote.request_lookup_id.clone(),
  114. msats_to_pay,
  115. );
  116. tracing::debug!(
  117. "New melt quote {} for {} {} with request id {}",
  118. quote.id,
  119. amount_quote_unit,
  120. unit,
  121. payment_quote.request_lookup_id
  122. );
  123. self.localstore.add_melt_quote(quote.clone()).await?;
  124. Ok(quote.into())
  125. }
  126. /// Check melt quote status
  127. #[instrument(skip(self))]
  128. pub async fn check_melt_quote(
  129. &self,
  130. quote_id: &Uuid,
  131. ) -> Result<MeltQuoteBolt11Response<Uuid>, Error> {
  132. let quote = self
  133. .localstore
  134. .get_melt_quote(quote_id)
  135. .await?
  136. .ok_or(Error::UnknownQuote)?;
  137. let blind_signatures = self
  138. .localstore
  139. .get_blind_signatures_for_quote(quote_id)
  140. .await?;
  141. let change = (!blind_signatures.is_empty()).then_some(blind_signatures);
  142. Ok(MeltQuoteBolt11Response {
  143. quote: quote.id,
  144. paid: Some(quote.state == MeltQuoteState::Paid),
  145. state: quote.state,
  146. expiry: quote.expiry,
  147. amount: quote.amount,
  148. fee_reserve: quote.fee_reserve,
  149. payment_preimage: quote.payment_preimage,
  150. change,
  151. })
  152. }
  153. /// Update melt quote
  154. #[instrument(skip_all)]
  155. pub async fn update_melt_quote(&self, quote: MeltQuote) -> Result<(), Error> {
  156. self.localstore.add_melt_quote(quote).await?;
  157. Ok(())
  158. }
  159. /// Get melt quotes
  160. #[instrument(skip_all)]
  161. pub async fn melt_quotes(&self) -> Result<Vec<MeltQuote>, Error> {
  162. let quotes = self.localstore.get_melt_quotes().await?;
  163. Ok(quotes)
  164. }
  165. /// Remove melt quote
  166. #[instrument(skip(self))]
  167. pub async fn remove_melt_quote(&self, quote_id: &Uuid) -> Result<(), Error> {
  168. self.localstore.remove_melt_quote(quote_id).await?;
  169. Ok(())
  170. }
  171. /// Check melt has expected fees
  172. #[instrument(skip_all)]
  173. pub async fn check_melt_expected_ln_fees(
  174. &self,
  175. melt_quote: &MeltQuote,
  176. melt_request: &MeltBolt11Request<Uuid>,
  177. ) -> Result<Option<Amount>, Error> {
  178. let invoice = Bolt11Invoice::from_str(&melt_quote.request)?;
  179. let quote_msats = to_unit(melt_quote.amount, &melt_quote.unit, &CurrencyUnit::Msat)
  180. .expect("Quote unit is checked above that it can convert to msat");
  181. let invoice_amount_msats: Amount = match melt_quote.msat_to_pay {
  182. Some(amount) => amount,
  183. None => invoice
  184. .amount_milli_satoshis()
  185. .ok_or(Error::InvoiceAmountUndefined)?
  186. .into(),
  187. };
  188. let partial_amount = match invoice_amount_msats > quote_msats {
  189. true => {
  190. let partial_msats = invoice_amount_msats - quote_msats;
  191. Some(
  192. to_unit(partial_msats, &CurrencyUnit::Msat, &melt_quote.unit)
  193. .map_err(|_| Error::UnitUnsupported)?,
  194. )
  195. }
  196. false => None,
  197. };
  198. let amount_to_pay = match partial_amount {
  199. Some(amount_to_pay) => amount_to_pay,
  200. None => to_unit(invoice_amount_msats, &CurrencyUnit::Msat, &melt_quote.unit)
  201. .map_err(|_| Error::UnitUnsupported)?,
  202. };
  203. let inputs_amount_quote_unit = melt_request.proofs_amount().map_err(|_| {
  204. tracing::error!("Proof inputs in melt quote overflowed");
  205. Error::AmountOverflow
  206. })?;
  207. if amount_to_pay + melt_quote.fee_reserve > inputs_amount_quote_unit {
  208. tracing::debug!(
  209. "Not enough inputs provided: {} msats needed {} msats",
  210. inputs_amount_quote_unit,
  211. amount_to_pay
  212. );
  213. return Err(Error::TransactionUnbalanced(
  214. inputs_amount_quote_unit.into(),
  215. amount_to_pay.into(),
  216. melt_quote.fee_reserve.into(),
  217. ));
  218. }
  219. Ok(partial_amount)
  220. }
  221. /// Verify melt request is valid
  222. #[instrument(skip_all)]
  223. pub async fn verify_melt_request(
  224. &self,
  225. melt_request: &MeltBolt11Request<Uuid>,
  226. ) -> Result<MeltQuote, Error> {
  227. let state = self
  228. .localstore
  229. .update_melt_quote_state(&melt_request.quote, MeltQuoteState::Pending)
  230. .await?;
  231. match state {
  232. MeltQuoteState::Unpaid | MeltQuoteState::Failed => Ok(()),
  233. MeltQuoteState::Pending => Err(Error::PendingQuote),
  234. MeltQuoteState::Paid => Err(Error::PaidQuote),
  235. MeltQuoteState::Unknown => Err(Error::UnknownPaymentState),
  236. }?;
  237. let ys = melt_request.inputs.ys()?;
  238. // Ensure proofs are unique and not being double spent
  239. if melt_request.inputs.len() != ys.iter().collect::<HashSet<_>>().len() {
  240. return Err(Error::DuplicateProofs);
  241. }
  242. self.localstore
  243. .add_proofs(melt_request.inputs.clone(), Some(melt_request.quote))
  244. .await?;
  245. self.check_ys_spendable(&ys, State::Pending).await?;
  246. for proof in &melt_request.inputs {
  247. self.verify_proof(proof).await?;
  248. }
  249. let quote = self
  250. .localstore
  251. .get_melt_quote(&melt_request.quote)
  252. .await?
  253. .ok_or(Error::UnknownQuote)?;
  254. let proofs_total = melt_request.proofs_amount()?;
  255. let fee = self.get_proofs_fee(&melt_request.inputs).await?;
  256. let required_total = quote.amount + quote.fee_reserve + fee;
  257. // Check that the inputs proofs are greater then total.
  258. // Transaction does not need to be balanced as wallet may not want change.
  259. if proofs_total < required_total {
  260. tracing::info!(
  261. "Swap request unbalanced: {}, outputs {}, fee {}",
  262. proofs_total,
  263. quote.amount,
  264. fee
  265. );
  266. return Err(Error::TransactionUnbalanced(
  267. proofs_total.into(),
  268. quote.amount.into(),
  269. (fee + quote.fee_reserve).into(),
  270. ));
  271. }
  272. let input_keyset_ids: HashSet<Id> =
  273. melt_request.inputs.iter().map(|p| p.keyset_id).collect();
  274. let mut keyset_units = HashSet::with_capacity(input_keyset_ids.capacity());
  275. for id in input_keyset_ids {
  276. let keyset = self
  277. .localstore
  278. .get_keyset_info(&id)
  279. .await?
  280. .ok_or(Error::UnknownKeySet)?;
  281. keyset_units.insert(keyset.unit);
  282. }
  283. let EnforceSigFlag { sig_flag, .. } = enforce_sig_flag(melt_request.inputs.clone());
  284. if sig_flag.eq(&SigFlag::SigAll) {
  285. return Err(Error::SigAllUsedInMelt);
  286. }
  287. if let Some(outputs) = &melt_request.outputs {
  288. let output_keysets_ids: HashSet<Id> = outputs.iter().map(|b| b.keyset_id).collect();
  289. for id in output_keysets_ids {
  290. let keyset = self
  291. .localstore
  292. .get_keyset_info(&id)
  293. .await?
  294. .ok_or(Error::UnknownKeySet)?;
  295. // Get the active keyset for the unit
  296. let active_keyset_id = self
  297. .localstore
  298. .get_active_keyset_id(&keyset.unit)
  299. .await?
  300. .ok_or(Error::InactiveKeyset)?;
  301. // Check output is for current active keyset
  302. if id.ne(&active_keyset_id) {
  303. return Err(Error::InactiveKeyset);
  304. }
  305. keyset_units.insert(keyset.unit);
  306. }
  307. }
  308. // Check that all input and output proofs are the same unit
  309. if keyset_units.len().gt(&1) {
  310. return Err(Error::MultipleUnits);
  311. }
  312. tracing::debug!("Verified melt quote: {}", melt_request.quote);
  313. Ok(quote)
  314. }
  315. /// Process unpaid melt request
  316. /// In the event that a melt request fails and the lighthing payment is not
  317. /// made The [`Proofs`] should be returned to an unspent state and the
  318. /// quote should be unpaid
  319. #[instrument(skip_all)]
  320. pub async fn process_unpaid_melt(
  321. &self,
  322. melt_request: &MeltBolt11Request<Uuid>,
  323. ) -> Result<(), Error> {
  324. let input_ys = melt_request.inputs.ys()?;
  325. self.localstore
  326. .update_proofs_states(&input_ys, State::Unspent)
  327. .await?;
  328. self.localstore
  329. .update_melt_quote_state(&melt_request.quote, MeltQuoteState::Unpaid)
  330. .await?;
  331. if let Ok(Some(quote)) = self.localstore.get_melt_quote(&melt_request.quote).await {
  332. self.pubsub_manager
  333. .melt_quote_status(&quote, None, None, MeltQuoteState::Unpaid);
  334. }
  335. for public_key in input_ys {
  336. self.pubsub_manager
  337. .proof_state((public_key, State::Unspent));
  338. }
  339. Ok(())
  340. }
  341. /// Melt Bolt11
  342. #[instrument(skip_all)]
  343. pub async fn melt_bolt11(
  344. &self,
  345. melt_request: &MeltBolt11Request<Uuid>,
  346. ) -> Result<MeltQuoteBolt11Response<Uuid>, Error> {
  347. use std::sync::Arc;
  348. async fn check_payment_state(
  349. ln: Arc<dyn MintLightning<Err = cdk_lightning::Error> + Send + Sync>,
  350. melt_quote: &MeltQuote,
  351. ) -> anyhow::Result<PayInvoiceResponse> {
  352. match ln
  353. .check_outgoing_payment(&melt_quote.request_lookup_id)
  354. .await
  355. {
  356. Ok(response) => Ok(response),
  357. Err(check_err) => {
  358. // If we cannot check the status of the payment we keep the proofs stuck as pending.
  359. tracing::error!(
  360. "Could not check the status of payment for {},. Proofs stuck as pending",
  361. melt_quote.id
  362. );
  363. tracing::error!("Checking payment error: {}", check_err);
  364. bail!("Could not check payment status")
  365. }
  366. }
  367. }
  368. let quote = match self.verify_melt_request(melt_request).await {
  369. Ok(quote) => quote,
  370. Err(err) => {
  371. tracing::debug!("Error attempting to verify melt quote: {}", err);
  372. if let Err(err) = self.process_unpaid_melt(melt_request).await {
  373. tracing::error!(
  374. "Could not reset melt quote {} state: {}",
  375. melt_request.quote,
  376. err
  377. );
  378. }
  379. return Err(err);
  380. }
  381. };
  382. let settled_internally_amount =
  383. match self.handle_internal_melt_mint(&quote, melt_request).await {
  384. Ok(amount) => amount,
  385. Err(err) => {
  386. tracing::error!("Attempting to settle internally failed");
  387. if let Err(err) = self.process_unpaid_melt(melt_request).await {
  388. tracing::error!(
  389. "Could not reset melt quote {} state: {}",
  390. melt_request.quote,
  391. err
  392. );
  393. }
  394. return Err(err);
  395. }
  396. };
  397. let (preimage, amount_spent_quote_unit) = match settled_internally_amount {
  398. Some(amount_spent) => (None, amount_spent),
  399. None => {
  400. // If the quote unit is SAT or MSAT we can check that the expected fees are
  401. // provided. We also check if the quote is less then the invoice
  402. // amount in the case that it is a mmp However, if the quote is not
  403. // of a bitcoin unit we cannot do these checks as the mint
  404. // is unaware of a conversion rate. In this case it is assumed that the quote is
  405. // correct and the mint should pay the full invoice amount if inputs
  406. // > `then quote.amount` are included. This is checked in the
  407. // `verify_melt` method.
  408. let partial_amount = match quote.unit {
  409. CurrencyUnit::Sat | CurrencyUnit::Msat => {
  410. match self.check_melt_expected_ln_fees(&quote, melt_request).await {
  411. Ok(amount) => amount,
  412. Err(err) => {
  413. tracing::error!("Fee is not expected: {}", err);
  414. if let Err(err) = self.process_unpaid_melt(melt_request).await {
  415. tracing::error!("Could not reset melt quote state: {}", err);
  416. }
  417. return Err(Error::Internal);
  418. }
  419. }
  420. }
  421. _ => None,
  422. };
  423. let ln = match self
  424. .ln
  425. .get(&LnKey::new(quote.unit.clone(), PaymentMethod::Bolt11))
  426. {
  427. Some(ln) => ln,
  428. None => {
  429. tracing::info!("Could not get ln backend for {}, bolt11 ", quote.unit);
  430. if let Err(err) = self.process_unpaid_melt(melt_request).await {
  431. tracing::error!("Could not reset melt quote state: {}", err);
  432. }
  433. return Err(Error::UnitUnsupported);
  434. }
  435. };
  436. let pre = match ln
  437. .pay_invoice(quote.clone(), partial_amount, Some(quote.fee_reserve))
  438. .await
  439. {
  440. Ok(pay)
  441. if pay.status == MeltQuoteState::Unknown
  442. || pay.status == MeltQuoteState::Failed =>
  443. {
  444. let check_response = check_payment_state(Arc::clone(ln), &quote)
  445. .await
  446. .map_err(|_| Error::Internal)?;
  447. if check_response.status == MeltQuoteState::Paid {
  448. tracing::warn!("Pay invoice returned {} but check returned {}. Proofs stuck as pending", pay.status.to_string(), check_response.status.to_string());
  449. return Err(Error::Internal);
  450. }
  451. check_response
  452. }
  453. Ok(pay) => pay,
  454. Err(err) => {
  455. // If the error is that the invoice was already paid we do not want to hold
  456. // hold the proofs as pending to we reset them and return an error.
  457. if matches!(err, cdk_lightning::Error::InvoiceAlreadyPaid) {
  458. tracing::debug!("Invoice already paid, resetting melt quote");
  459. if let Err(err) = self.process_unpaid_melt(melt_request).await {
  460. tracing::error!("Could not reset melt quote state: {}", err);
  461. }
  462. return Err(Error::RequestAlreadyPaid);
  463. }
  464. tracing::error!("Error returned attempting to pay: {} {}", quote.id, err);
  465. let check_response = check_payment_state(Arc::clone(ln), &quote)
  466. .await
  467. .map_err(|_| Error::Internal)?;
  468. // If there error is something else we want to check the status of the payment ensure it is not pending or has been made.
  469. if check_response.status == MeltQuoteState::Paid {
  470. tracing::warn!("Pay invoice returned an error but check returned {}. Proofs stuck as pending", check_response.status.to_string());
  471. return Err(Error::Internal);
  472. }
  473. check_response
  474. }
  475. };
  476. match pre.status {
  477. MeltQuoteState::Paid => (),
  478. MeltQuoteState::Unpaid | MeltQuoteState::Unknown | MeltQuoteState::Failed => {
  479. tracing::info!(
  480. "Lightning payment for quote {} failed.",
  481. melt_request.quote
  482. );
  483. if let Err(err) = self.process_unpaid_melt(melt_request).await {
  484. tracing::error!("Could not reset melt quote state: {}", err);
  485. }
  486. return Err(Error::PaymentFailed);
  487. }
  488. MeltQuoteState::Pending => {
  489. tracing::warn!(
  490. "LN payment pending, proofs are stuck as pending for quote: {}",
  491. melt_request.quote
  492. );
  493. return Err(Error::PendingQuote);
  494. }
  495. }
  496. // Convert from unit of backend to quote unit
  497. // Note: this should never fail since these conversions happen earlier and would fail there.
  498. // Since it will not fail and even if it does the ln payment has already been paid, proofs should still be burned
  499. let amount_spent =
  500. to_unit(pre.total_spent, &pre.unit, &quote.unit).unwrap_or_default();
  501. let payment_lookup_id = pre.payment_lookup_id;
  502. if payment_lookup_id != quote.request_lookup_id {
  503. tracing::info!(
  504. "Payment lookup id changed post payment from {} to {}",
  505. quote.request_lookup_id,
  506. payment_lookup_id
  507. );
  508. let mut melt_quote = quote;
  509. melt_quote.request_lookup_id = payment_lookup_id;
  510. if let Err(err) = self.localstore.add_melt_quote(melt_quote).await {
  511. tracing::warn!("Could not update payment lookup id: {}", err);
  512. }
  513. }
  514. (pre.payment_preimage, amount_spent)
  515. }
  516. };
  517. // If we made it here the payment has been made.
  518. // We process the melt burning the inputs and returning change
  519. let res = self
  520. .process_melt_request(melt_request, preimage, amount_spent_quote_unit)
  521. .await
  522. .map_err(|err| {
  523. tracing::error!("Could not process melt request: {}", err);
  524. err
  525. })?;
  526. Ok(res)
  527. }
  528. /// Process melt request marking [`Proofs`] as spent
  529. /// The melt request must be verifyed using [`Self::verify_melt_request`]
  530. /// before calling [`Self::process_melt_request`]
  531. #[instrument(skip_all)]
  532. pub async fn process_melt_request(
  533. &self,
  534. melt_request: &MeltBolt11Request<Uuid>,
  535. payment_preimage: Option<String>,
  536. total_spent: Amount,
  537. ) -> Result<MeltQuoteBolt11Response<Uuid>, Error> {
  538. tracing::debug!("Processing melt quote: {}", melt_request.quote);
  539. let quote = self
  540. .localstore
  541. .get_melt_quote(&melt_request.quote)
  542. .await?
  543. .ok_or(Error::UnknownQuote)?;
  544. let input_ys = melt_request.inputs.ys()?;
  545. self.localstore
  546. .update_proofs_states(&input_ys, State::Spent)
  547. .await?;
  548. self.localstore
  549. .update_melt_quote_state(&melt_request.quote, MeltQuoteState::Paid)
  550. .await?;
  551. self.pubsub_manager.melt_quote_status(
  552. &quote,
  553. payment_preimage.clone(),
  554. None,
  555. MeltQuoteState::Paid,
  556. );
  557. for public_key in input_ys {
  558. self.pubsub_manager.proof_state((public_key, State::Spent));
  559. }
  560. let mut change = None;
  561. // Check if there is change to return
  562. if melt_request.proofs_amount()? > total_spent {
  563. // Check if wallet provided change outputs
  564. if let Some(outputs) = melt_request.outputs.clone() {
  565. let blinded_messages: Vec<PublicKey> =
  566. outputs.iter().map(|b| b.blinded_secret).collect();
  567. if self
  568. .localstore
  569. .get_blind_signatures(&blinded_messages)
  570. .await?
  571. .iter()
  572. .flatten()
  573. .next()
  574. .is_some()
  575. {
  576. tracing::info!("Output has already been signed");
  577. return Err(Error::BlindedMessageAlreadySigned);
  578. }
  579. let change_target = melt_request.proofs_amount()? - total_spent;
  580. let mut amounts = change_target.split();
  581. let mut change_sigs = Vec::with_capacity(amounts.len());
  582. if outputs.len().lt(&amounts.len()) {
  583. tracing::debug!(
  584. "Providing change requires {} blinded messages, but only {} provided",
  585. amounts.len(),
  586. outputs.len()
  587. );
  588. // In the case that not enough outputs are provided to return all change
  589. // Reverse sort the amounts so that the most amount of change possible is
  590. // returned. The rest is burnt
  591. amounts.sort_by(|a, b| b.cmp(a));
  592. }
  593. let mut outputs = outputs;
  594. for (amount, blinded_message) in amounts.iter().zip(&mut outputs) {
  595. blinded_message.amount = *amount;
  596. let blinded_signature = self.blind_sign(blinded_message).await?;
  597. change_sigs.push(blinded_signature)
  598. }
  599. self.localstore
  600. .add_blind_signatures(
  601. &outputs[0..change_sigs.len()]
  602. .iter()
  603. .map(|o| o.blinded_secret)
  604. .collect::<Vec<PublicKey>>(),
  605. &change_sigs,
  606. Some(quote.id),
  607. )
  608. .await?;
  609. change = Some(change_sigs);
  610. }
  611. }
  612. Ok(MeltQuoteBolt11Response {
  613. amount: quote.amount,
  614. paid: Some(true),
  615. payment_preimage,
  616. change,
  617. quote: quote.id,
  618. fee_reserve: quote.fee_reserve,
  619. state: MeltQuoteState::Paid,
  620. expiry: quote.expiry,
  621. })
  622. }
  623. }