123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393 |
- use std::collections::HashSet;
- use cdk_common::Id;
- use tracing::instrument;
- use uuid::Uuid;
- use super::{
- nut04, CurrencyUnit, Mint, MintQuote, MintQuoteBolt11Request, MintQuoteBolt11Response,
- NotificationPayload, PaymentMethod, PublicKey,
- };
- use crate::nuts::MintQuoteState;
- use crate::types::LnKey;
- use crate::util::unix_time;
- use crate::{Amount, Error};
- impl Mint {
- /// Checks that minting is enabled, request is supported unit and within range
- async fn check_mint_request_acceptable(
- &self,
- amount: Amount,
- unit: &CurrencyUnit,
- ) -> Result<(), Error> {
- let mint_info = self.localstore.get_mint_info().await?;
- let nut04 = &mint_info.nuts.nut04;
- if nut04.disabled {
- return Err(Error::MintingDisabled);
- }
- match nut04.get_settings(unit, &PaymentMethod::Bolt11) {
- Some(settings) => {
- if settings
- .max_amount
- .map_or(false, |max_amount| amount > max_amount)
- {
- return Err(Error::AmountOutofLimitRange(
- settings.min_amount.unwrap_or_default(),
- settings.max_amount.unwrap_or_default(),
- amount,
- ));
- }
- if settings
- .min_amount
- .map_or(false, |min_amount| amount < min_amount)
- {
- return Err(Error::AmountOutofLimitRange(
- settings.min_amount.unwrap_or_default(),
- settings.max_amount.unwrap_or_default(),
- amount,
- ));
- }
- }
- None => {
- return Err(Error::UnsupportedUnit);
- }
- }
- Ok(())
- }
- /// Create new mint bolt11 quote
- #[instrument(skip_all)]
- pub async fn get_mint_bolt11_quote(
- &self,
- mint_quote_request: MintQuoteBolt11Request,
- ) -> Result<MintQuoteBolt11Response<Uuid>, Error> {
- let MintQuoteBolt11Request {
- amount,
- unit,
- description,
- pubkey,
- } = mint_quote_request;
- self.check_mint_request_acceptable(amount, &unit).await?;
- let ln = self
- .ln
- .get(&LnKey::new(unit.clone(), PaymentMethod::Bolt11))
- .ok_or_else(|| {
- tracing::info!("Bolt11 mint request for unsupported unit");
- Error::UnsupportedUnit
- })?;
- let mint_ttl = self.localstore.get_quote_ttl().await?.mint_ttl;
- let quote_expiry = unix_time() + mint_ttl;
- if description.is_some() && !ln.get_settings().invoice_description {
- tracing::error!("Backend does not support invoice description");
- return Err(Error::InvoiceDescriptionUnsupported);
- }
- let create_invoice_response = ln
- .create_invoice(
- amount,
- &unit,
- description.unwrap_or("".to_string()),
- quote_expiry,
- )
- .await
- .map_err(|err| {
- tracing::error!("Could not create invoice: {}", err);
- Error::InvalidPaymentRequest
- })?;
- let quote = MintQuote::new(
- create_invoice_response.request.to_string(),
- unit.clone(),
- amount,
- create_invoice_response.expiry.unwrap_or(0),
- create_invoice_response.request_lookup_id.clone(),
- pubkey,
- );
- tracing::debug!(
- "New mint quote {} for {} {} with request id {}",
- quote.id,
- amount,
- unit,
- create_invoice_response.request_lookup_id,
- );
- self.localstore.add_mint_quote(quote.clone()).await?;
- let quote: MintQuoteBolt11Response<Uuid> = quote.into();
- self.pubsub_manager
- .broadcast(NotificationPayload::MintQuoteBolt11Response(quote.clone()));
- Ok(quote)
- }
- /// Check mint quote
- #[instrument(skip(self))]
- pub async fn check_mint_quote(
- &self,
- quote_id: &Uuid,
- ) -> Result<MintQuoteBolt11Response<Uuid>, Error> {
- let quote = self
- .localstore
- .get_mint_quote(quote_id)
- .await?
- .ok_or(Error::UnknownQuote)?;
- // Since the pending state is not part of the NUT it should not be part of the
- // response. In practice the wallet should not be checking the state of
- // a quote while waiting for the mint response.
- let state = match quote.state {
- MintQuoteState::Pending => MintQuoteState::Paid,
- s => s,
- };
- Ok(MintQuoteBolt11Response {
- quote: quote.id,
- request: quote.request,
- state,
- expiry: Some(quote.expiry),
- pubkey: quote.pubkey,
- })
- }
- /// Update mint quote
- #[instrument(skip_all)]
- pub async fn update_mint_quote(&self, quote: MintQuote) -> Result<(), Error> {
- self.localstore.add_mint_quote(quote).await?;
- Ok(())
- }
- /// Get mint quotes
- #[instrument(skip_all)]
- pub async fn mint_quotes(&self) -> Result<Vec<MintQuote>, Error> {
- let quotes = self.localstore.get_mint_quotes().await?;
- Ok(quotes)
- }
- /// Get pending mint quotes
- #[instrument(skip_all)]
- pub async fn get_pending_mint_quotes(&self) -> Result<Vec<MintQuote>, Error> {
- let mint_quotes = self.localstore.get_mint_quotes().await?;
- Ok(mint_quotes
- .into_iter()
- .filter(|p| p.state == MintQuoteState::Pending)
- .collect())
- }
- /// Get pending mint quotes
- #[instrument(skip_all)]
- pub async fn get_unpaid_mint_quotes(&self) -> Result<Vec<MintQuote>, Error> {
- let mint_quotes = self.localstore.get_mint_quotes().await?;
- Ok(mint_quotes
- .into_iter()
- .filter(|p| p.state == MintQuoteState::Unpaid)
- .collect())
- }
- /// Remove mint quote
- #[instrument(skip_all)]
- pub async fn remove_mint_quote(&self, quote_id: &Uuid) -> Result<(), Error> {
- self.localstore.remove_mint_quote(quote_id).await?;
- Ok(())
- }
- /// Flag mint quote as paid
- #[instrument(skip_all)]
- pub async fn pay_mint_quote_for_request_id(
- &self,
- request_lookup_id: &str,
- ) -> Result<(), Error> {
- if let Ok(Some(mint_quote)) = self
- .localstore
- .get_mint_quote_by_request_lookup_id(request_lookup_id)
- .await
- {
- tracing::debug!(
- "Received payment notification for mint quote {}",
- mint_quote.id
- );
- if mint_quote.state != MintQuoteState::Issued
- && mint_quote.state != MintQuoteState::Paid
- {
- let unix_time = unix_time();
- if mint_quote.expiry < unix_time {
- tracing::warn!(
- "Mint quote {} paid at {} expired at {}, leaving current state",
- mint_quote.id,
- mint_quote.expiry,
- unix_time,
- );
- return Err(Error::ExpiredQuote(mint_quote.expiry, unix_time));
- }
- tracing::debug!(
- "Marking quote {} paid by lookup id {}",
- mint_quote.id,
- request_lookup_id
- );
- self.localstore
- .update_mint_quote_state(&mint_quote.id, MintQuoteState::Paid)
- .await?;
- } else {
- tracing::debug!(
- "{} Quote already {} continuing",
- mint_quote.id,
- mint_quote.state
- );
- }
- self.pubsub_manager
- .mint_quote_bolt11_status(mint_quote, MintQuoteState::Paid);
- }
- Ok(())
- }
- /// Process mint request
- #[instrument(skip_all)]
- pub async fn process_mint_request(
- &self,
- mint_request: nut04::MintBolt11Request<Uuid>,
- ) -> Result<nut04::MintBolt11Response, Error> {
- let mint_quote =
- if let Some(mint_quote) = self.localstore.get_mint_quote(&mint_request.quote).await? {
- mint_quote
- } else {
- return Err(Error::UnknownQuote);
- };
- let state = self
- .localstore
- .update_mint_quote_state(&mint_request.quote, MintQuoteState::Pending)
- .await?;
- match state {
- MintQuoteState::Unpaid => {
- let _state = self
- .localstore
- .update_mint_quote_state(&mint_request.quote, MintQuoteState::Unpaid)
- .await?;
- return Err(Error::UnpaidQuote);
- }
- MintQuoteState::Pending => {
- return Err(Error::PendingQuote);
- }
- MintQuoteState::Issued => {
- let _state = self
- .localstore
- .update_mint_quote_state(&mint_request.quote, MintQuoteState::Issued)
- .await?;
- return Err(Error::IssuedQuote);
- }
- MintQuoteState::Paid => (),
- }
- // If the there is a public key provoided in mint quote request
- // verify the signature is provided for the mint request
- if let Some(pubkey) = mint_quote.pubkey {
- mint_request.verify_signature(pubkey)?;
- }
- // We check the the total value of blinded messages == mint quote
- if mint_request.total_amount()? != mint_quote.amount {
- return Err(Error::TransactionUnbalanced(
- mint_quote.amount.into(),
- mint_request.total_amount()?.into(),
- 0,
- ));
- }
- let keyset_ids: HashSet<Id> = mint_request.outputs.iter().map(|b| b.keyset_id).collect();
- let mut keyset_units = HashSet::new();
- for keyset_id in keyset_ids {
- let keyset = self.keyset(&keyset_id).await?.ok_or(Error::UnknownKeySet)?;
- keyset_units.insert(keyset.unit);
- }
- if keyset_units.len() != 1 {
- tracing::debug!("Client attempted to mint with outputs of multiple units");
- return Err(Error::UnsupportedUnit);
- }
- if keyset_units.iter().next().expect("Checked len above") != &mint_quote.unit {
- tracing::debug!("Client attempted to mint with unit not in quote");
- return Err(Error::UnsupportedUnit);
- }
- let blinded_messages: Vec<PublicKey> = mint_request
- .outputs
- .iter()
- .map(|b| b.blinded_secret)
- .collect();
- if self
- .localstore
- .get_blind_signatures(&blinded_messages)
- .await?
- .iter()
- .flatten()
- .next()
- .is_some()
- {
- tracing::info!("Output has already been signed",);
- tracing::info!(
- "Mint {} did not succeed returning quote to Paid state",
- mint_request.quote
- );
- self.localstore
- .update_mint_quote_state(&mint_request.quote, MintQuoteState::Paid)
- .await?;
- return Err(Error::BlindedMessageAlreadySigned);
- }
- let mut blind_signatures = Vec::with_capacity(mint_request.outputs.len());
- for blinded_message in mint_request.outputs.iter() {
- let blind_signature = self.blind_sign(blinded_message).await?;
- blind_signatures.push(blind_signature);
- }
- self.localstore
- .add_blind_signatures(
- &mint_request
- .outputs
- .iter()
- .map(|p| p.blinded_secret)
- .collect::<Vec<PublicKey>>(),
- &blind_signatures,
- Some(mint_request.quote),
- )
- .await?;
- self.localstore
- .update_mint_quote_state(&mint_request.quote, MintQuoteState::Issued)
- .await?;
- self.pubsub_manager
- .mint_quote_bolt11_status(mint_quote, MintQuoteState::Issued);
- Ok(nut04::MintBolt11Response {
- signatures: blind_signatures,
- })
- }
- }
|