lib.rs 4.9 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185
  1. use std::str::FromStr;
  2. use std::sync::Arc;
  3. use anyhow::{bail, Result};
  4. use cdk::amount::{Amount, SplitTarget};
  5. use cdk::dhke::construct_proofs;
  6. use cdk::mint_url::MintUrl;
  7. use cdk::nuts::nut00::ProofsMethods;
  8. use cdk::nuts::nut17::Params;
  9. use cdk::nuts::{
  10. CurrencyUnit, Id, KeySet, MintBolt11Request, MintQuoteBolt11Request, MintQuoteState,
  11. NotificationPayload, PreMintSecrets, Proofs, State,
  12. };
  13. use cdk::wallet::client::{HttpClient, MintConnector};
  14. use cdk::wallet::subscription::SubscriptionManager;
  15. use cdk::wallet::WalletSubscription;
  16. use cdk::Wallet;
  17. use tokio::time::{timeout, Duration};
  18. pub mod init_fake_wallet;
  19. pub mod init_mint;
  20. pub mod init_pure_tests;
  21. pub mod init_regtest;
  22. pub async fn wallet_mint(
  23. wallet: Arc<Wallet>,
  24. amount: Amount,
  25. split_target: SplitTarget,
  26. description: Option<String>,
  27. ) -> Result<()> {
  28. let quote = wallet.mint_quote(amount, description).await?;
  29. let mut subscription = wallet
  30. .subscribe(WalletSubscription::Bolt11MintQuoteState(vec![quote
  31. .id
  32. .clone()]))
  33. .await;
  34. while let Some(msg) = subscription.recv().await {
  35. if let NotificationPayload::MintQuoteBolt11Response(response) = msg {
  36. if response.state == MintQuoteState::Paid {
  37. break;
  38. }
  39. }
  40. }
  41. let proofs = wallet.mint(&quote.id, split_target, None).await?;
  42. let receive_amount = proofs.total_amount()?;
  43. println!("Minted: {}", receive_amount);
  44. Ok(())
  45. }
  46. pub async fn mint_proofs(
  47. mint_url: &str,
  48. amount: Amount,
  49. keyset_id: Id,
  50. mint_keys: &KeySet,
  51. description: Option<String>,
  52. ) -> anyhow::Result<Proofs> {
  53. println!("Minting for ecash");
  54. println!();
  55. let wallet_client = HttpClient::new(MintUrl::from_str(mint_url)?);
  56. let request = MintQuoteBolt11Request {
  57. amount,
  58. unit: CurrencyUnit::Sat,
  59. description,
  60. pubkey: None,
  61. };
  62. let mint_quote = wallet_client.post_mint_quote(request).await?;
  63. println!("Please pay: {}", mint_quote.request);
  64. let subscription_client = SubscriptionManager::new(Arc::new(wallet_client.clone()));
  65. let mut subscription = subscription_client
  66. .subscribe(
  67. mint_url.parse()?,
  68. Params {
  69. filters: vec![mint_quote.quote.clone()],
  70. kind: cdk::nuts::nut17::Kind::Bolt11MintQuote,
  71. id: "sub".into(),
  72. },
  73. )
  74. .await;
  75. while let Some(msg) = subscription.recv().await {
  76. if let NotificationPayload::MintQuoteBolt11Response(response) = msg {
  77. if response.state == MintQuoteState::Paid {
  78. break;
  79. }
  80. }
  81. }
  82. let premint_secrets = PreMintSecrets::random(keyset_id, amount, &SplitTarget::default())?;
  83. let request = MintBolt11Request {
  84. quote: mint_quote.quote,
  85. outputs: premint_secrets.blinded_messages(),
  86. signature: None,
  87. };
  88. let mint_response = wallet_client.post_mint(request).await?;
  89. let pre_swap_proofs = construct_proofs(
  90. mint_response.signatures,
  91. premint_secrets.rs(),
  92. premint_secrets.secrets(),
  93. &mint_keys.clone().keys,
  94. )?;
  95. Ok(pre_swap_proofs)
  96. }
  97. // Get all pending from wallet and attempt to swap
  98. // Will panic if there are no pending
  99. // Will return Ok if swap fails as expected
  100. pub async fn attempt_to_swap_pending(wallet: &Wallet) -> Result<()> {
  101. let pending = wallet
  102. .localstore
  103. .get_proofs(None, None, Some(vec![State::Pending]), None)
  104. .await?;
  105. assert!(!pending.is_empty());
  106. let swap = wallet
  107. .swap(
  108. None,
  109. SplitTarget::None,
  110. pending.into_iter().map(|p| p.proof).collect(),
  111. None,
  112. false,
  113. )
  114. .await;
  115. match swap {
  116. Ok(_swap) => {
  117. bail!("These proofs should be pending")
  118. }
  119. Err(err) => match err {
  120. cdk::error::Error::TokenPending => (),
  121. _ => {
  122. println!("{:?}", err);
  123. bail!("Wrong error")
  124. }
  125. },
  126. }
  127. Ok(())
  128. }
  129. pub async fn wait_for_mint_to_be_paid(
  130. wallet: &Wallet,
  131. mint_quote_id: &str,
  132. timeout_secs: u64,
  133. ) -> Result<()> {
  134. let mut subscription = wallet
  135. .subscribe(WalletSubscription::Bolt11MintQuoteState(vec![
  136. mint_quote_id.to_owned(),
  137. ]))
  138. .await;
  139. // Create the timeout future
  140. let wait_future = async {
  141. while let Some(msg) = subscription.recv().await {
  142. if let NotificationPayload::MintQuoteBolt11Response(response) = msg {
  143. if response.state == MintQuoteState::Paid {
  144. return Ok(());
  145. }
  146. }
  147. }
  148. Ok(())
  149. };
  150. // Wait for either the payment to complete or timeout
  151. match timeout(Duration::from_secs(timeout_secs), wait_future).await {
  152. Ok(result) => result,
  153. Err(_) => Err(anyhow::anyhow!("Timeout waiting for mint quote to be paid")),
  154. }
  155. }