integration_tests_pure.rs 9.1 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275
  1. #[cfg(test)]
  2. mod integration_tests_pure {
  3. use std::assert_eq;
  4. use std::collections::HashMap;
  5. use std::fmt::{Debug, Formatter};
  6. use std::str::FromStr;
  7. use std::sync::Arc;
  8. use async_trait::async_trait;
  9. use cdk::amount::SplitTarget;
  10. use cdk::cdk_database::mint_memory::MintMemoryDatabase;
  11. use cdk::cdk_database::WalletMemoryDatabase;
  12. use cdk::mint::signatory::SignatoryManager;
  13. use cdk::mint::MemorySignatory;
  14. use cdk::nuts::nut00::ProofsMethods;
  15. use cdk::nuts::{
  16. CheckStateRequest, CheckStateResponse, CurrencyUnit, Id, KeySet, KeysetResponse,
  17. MeltBolt11Request, MeltQuoteBolt11Request, MeltQuoteBolt11Response, MintBolt11Request,
  18. MintBolt11Response, MintInfo, MintQuoteBolt11Request, MintQuoteBolt11Response,
  19. MintQuoteState, Nuts, RestoreRequest, RestoreResponse, SwapRequest, SwapResponse,
  20. };
  21. use cdk::types::QuoteTTL;
  22. use cdk::util::unix_time;
  23. use cdk::wallet::client::MintConnector;
  24. use cdk::{Amount, Error, Mint, Wallet};
  25. use cdk_integration_tests::create_backends_fake_wallet;
  26. use rand::random;
  27. use tokio::sync::Notify;
  28. use uuid::Uuid;
  29. struct DirectMintConnection {
  30. mint: Arc<Mint>,
  31. }
  32. impl Debug for DirectMintConnection {
  33. fn fmt(&self, f: &mut Formatter<'_>) -> std::fmt::Result {
  34. write!(
  35. f,
  36. "DirectMintConnection {{ mint_info: {:?} }}",
  37. self.mint.config.mint_info()
  38. )
  39. }
  40. }
  41. /// Implements the generic [MintConnector] (i.e. use the interface that expects to communicate
  42. /// to a generic mint, where we don't know that quote ID's are [Uuid]s) for [DirectMintConnection],
  43. /// where we know we're dealing with a mint that uses [Uuid]s for quotes.
  44. /// Convert the requests and responses between the [String] and [Uuid] variants as necessary.
  45. #[async_trait]
  46. impl MintConnector for DirectMintConnection {
  47. async fn get_mint_keys(&self) -> Result<Vec<KeySet>, Error> {
  48. self.mint.pubkeys().await.map(|pks| pks.keysets)
  49. }
  50. async fn get_mint_keyset(&self, keyset_id: Id) -> Result<KeySet, Error> {
  51. self.mint
  52. .keyset(&keyset_id)
  53. .await
  54. .and_then(|res| res.ok_or(Error::UnknownKeySet))
  55. }
  56. async fn get_mint_keysets(&self) -> Result<KeysetResponse, Error> {
  57. self.mint.keysets().await
  58. }
  59. async fn post_mint_quote(
  60. &self,
  61. request: MintQuoteBolt11Request,
  62. ) -> Result<MintQuoteBolt11Response<String>, Error> {
  63. self.mint
  64. .get_mint_bolt11_quote(request)
  65. .await
  66. .map(Into::into)
  67. }
  68. async fn get_mint_quote_status(
  69. &self,
  70. quote_id: &str,
  71. ) -> Result<MintQuoteBolt11Response<String>, Error> {
  72. let quote_id_uuid = Uuid::from_str(quote_id).unwrap();
  73. self.mint
  74. .check_mint_quote(&quote_id_uuid)
  75. .await
  76. .map(Into::into)
  77. }
  78. async fn post_mint(
  79. &self,
  80. request: MintBolt11Request<String>,
  81. ) -> Result<MintBolt11Response, Error> {
  82. let request_uuid = request.try_into().unwrap();
  83. self.mint.process_mint_request(request_uuid).await
  84. }
  85. async fn post_melt_quote(
  86. &self,
  87. request: MeltQuoteBolt11Request,
  88. ) -> Result<MeltQuoteBolt11Response<String>, Error> {
  89. self.mint
  90. .get_melt_bolt11_quote(&request)
  91. .await
  92. .map(Into::into)
  93. }
  94. async fn get_melt_quote_status(
  95. &self,
  96. quote_id: &str,
  97. ) -> Result<MeltQuoteBolt11Response<String>, Error> {
  98. let quote_id_uuid = Uuid::from_str(quote_id).unwrap();
  99. self.mint
  100. .check_melt_quote(&quote_id_uuid)
  101. .await
  102. .map(Into::into)
  103. }
  104. async fn post_melt(
  105. &self,
  106. request: MeltBolt11Request<String>,
  107. ) -> Result<MeltQuoteBolt11Response<String>, Error> {
  108. let request_uuid = request.try_into().unwrap();
  109. self.mint.melt_bolt11(&request_uuid).await.map(Into::into)
  110. }
  111. async fn post_swap(&self, swap_request: SwapRequest) -> Result<SwapResponse, Error> {
  112. self.mint.process_swap_request(swap_request).await
  113. }
  114. async fn get_mint_info(&self) -> Result<MintInfo, Error> {
  115. Ok(self.mint.mint_info().clone().time(unix_time()))
  116. }
  117. async fn post_check_state(
  118. &self,
  119. request: CheckStateRequest,
  120. ) -> Result<CheckStateResponse, Error> {
  121. self.mint.check_state(&request).await
  122. }
  123. async fn post_restore(&self, request: RestoreRequest) -> Result<RestoreResponse, Error> {
  124. self.mint.restore(request).await
  125. }
  126. }
  127. fn get_mint_connector(mint: Arc<Mint>) -> DirectMintConnection {
  128. DirectMintConnection { mint }
  129. }
  130. async fn create_and_start_test_mint() -> anyhow::Result<Arc<Mint>> {
  131. let fee: u64 = 0;
  132. let mut supported_units = HashMap::new();
  133. supported_units.insert(CurrencyUnit::Sat, (fee, 32));
  134. let nuts = Nuts::new()
  135. .nut07(true)
  136. .nut08(true)
  137. .nut09(true)
  138. .nut10(true)
  139. .nut11(true)
  140. .nut12(true)
  141. .nut14(true);
  142. let mint_info = MintInfo::new().nuts(nuts);
  143. let quote_ttl = QuoteTTL::new(10000, 10000);
  144. let mint_url = "http://aaa";
  145. let seed = random::<[u8; 32]>();
  146. let localstore = Arc::new(MintMemoryDatabase::default());
  147. let signatory_manager = Arc::new(SignatoryManager::new(Arc::new(
  148. MemorySignatory::new(localstore.clone(), &seed, supported_units, HashMap::new())
  149. .await
  150. .expect("valid signatory"),
  151. )));
  152. let mint: Mint = Mint::new(
  153. mint_url,
  154. mint_info,
  155. quote_ttl,
  156. localstore,
  157. create_backends_fake_wallet(),
  158. signatory_manager,
  159. )
  160. .await?;
  161. let mint_arc = Arc::new(mint);
  162. let mint_arc_clone = Arc::clone(&mint_arc);
  163. let shutdown = Arc::new(Notify::new());
  164. tokio::spawn({
  165. let shutdown = Arc::clone(&shutdown);
  166. async move { mint_arc_clone.wait_for_paid_invoices(shutdown).await }
  167. });
  168. Ok(mint_arc)
  169. }
  170. fn create_test_wallet_for_mint(mint: Arc<Mint>) -> anyhow::Result<Arc<Wallet>> {
  171. let connector = get_mint_connector(mint);
  172. let seed = random::<[u8; 32]>();
  173. let mint_url = connector.mint.config.mint_url().to_string();
  174. let unit = CurrencyUnit::Sat;
  175. let localstore = WalletMemoryDatabase::default();
  176. let mut wallet = Wallet::new(&mint_url, unit, Arc::new(localstore), &seed, None)?;
  177. wallet.set_client(connector);
  178. Ok(Arc::new(wallet))
  179. }
  180. /// Creates a mint quote for the given amount and checks its state in a loop. Returns when
  181. /// amount is minted.
  182. async fn receive(wallet: Arc<Wallet>, amount: u64) -> anyhow::Result<Amount> {
  183. let desired_amount = Amount::from(amount);
  184. let quote = wallet.mint_quote(desired_amount, None).await?;
  185. loop {
  186. let status = wallet.mint_quote_state(&quote.id).await?;
  187. if status.state == MintQuoteState::Paid {
  188. break;
  189. }
  190. }
  191. Ok(wallet
  192. .mint(&quote.id, SplitTarget::default(), None)
  193. .await?
  194. .total_amount()?)
  195. }
  196. mod nut03 {
  197. use cdk::nuts::nut00::ProofsMethods;
  198. use cdk::wallet::SendKind;
  199. use crate::integration_tests_pure::*;
  200. #[tokio::test]
  201. async fn test_swap_to_send() -> anyhow::Result<()> {
  202. let mint_bob = create_and_start_test_mint().await?;
  203. let wallet_alice = create_test_wallet_for_mint(mint_bob.clone())?;
  204. // Alice gets 64 sats
  205. receive(wallet_alice.clone(), 64).await?;
  206. let balance_alice = wallet_alice.total_balance().await?;
  207. assert_eq!(Amount::from(64), balance_alice);
  208. // Alice wants to send 40 sats, which internally swaps
  209. let token = wallet_alice
  210. .send(
  211. Amount::from(40),
  212. None,
  213. None,
  214. &SplitTarget::None,
  215. &SendKind::OnlineExact,
  216. false,
  217. )
  218. .await?;
  219. assert_eq!(Amount::from(40), token.proofs().total_amount()?);
  220. assert_eq!(Amount::from(24), wallet_alice.total_balance().await?);
  221. // Alice sends cashu, Carol receives
  222. let wallet_carol = create_test_wallet_for_mint(mint_bob.clone())?;
  223. let received_amount = wallet_carol
  224. .receive_proofs(token.proofs(), SplitTarget::None, &[], &[])
  225. .await?;
  226. assert_eq!(Amount::from(40), received_amount);
  227. assert_eq!(Amount::from(40), wallet_carol.total_balance().await?);
  228. Ok(())
  229. }
  230. }
  231. }