regtest.rs 12 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406
  1. use std::fmt::Debug;
  2. use std::str::FromStr;
  3. use std::sync::Arc;
  4. use std::time::Duration;
  5. use anyhow::{bail, Result};
  6. use bip39::Mnemonic;
  7. use cdk::amount::{Amount, SplitTarget};
  8. use cdk::cdk_database::WalletMemoryDatabase;
  9. use cdk::nuts::nut00::ProofsMethods;
  10. use cdk::nuts::{
  11. CurrencyUnit, MeltQuoteState, MintBolt11Request, MintQuoteState, NotificationPayload,
  12. PreMintSecrets, State,
  13. };
  14. use cdk::wallet::client::{HttpClient, MintConnector};
  15. use cdk::wallet::{Wallet, WalletSubscription};
  16. use cdk_integration_tests::init_regtest::{
  17. get_mint_url, get_mint_ws_url, init_cln_client, init_lnd_client,
  18. };
  19. use futures::{SinkExt, StreamExt};
  20. use lightning_invoice::Bolt11Invoice;
  21. use ln_regtest_rs::ln_client::LightningClient;
  22. use ln_regtest_rs::InvoiceStatus;
  23. use serde_json::json;
  24. use tokio::time::timeout;
  25. use tokio_tungstenite::connect_async;
  26. use tokio_tungstenite::tungstenite::protocol::Message;
  27. async fn get_notification<T: StreamExt<Item = Result<Message, E>> + Unpin, E: Debug>(
  28. reader: &mut T,
  29. timeout_to_wait: Duration,
  30. ) -> (String, NotificationPayload<String>) {
  31. let msg = timeout(timeout_to_wait, reader.next())
  32. .await
  33. .expect("timeout")
  34. .unwrap()
  35. .unwrap();
  36. let mut response: serde_json::Value =
  37. serde_json::from_str(msg.to_text().unwrap()).expect("valid json");
  38. let mut params_raw = response
  39. .as_object_mut()
  40. .expect("object")
  41. .remove("params")
  42. .expect("valid params");
  43. let params_map = params_raw.as_object_mut().expect("params is object");
  44. (
  45. params_map
  46. .remove("subId")
  47. .unwrap()
  48. .as_str()
  49. .unwrap()
  50. .to_string(),
  51. serde_json::from_value(params_map.remove("payload").unwrap()).unwrap(),
  52. )
  53. }
  54. #[tokio::test(flavor = "multi_thread", worker_threads = 1)]
  55. async fn test_regtest_mint_melt_round_trip() -> Result<()> {
  56. let lnd_client = init_lnd_client().await.unwrap();
  57. let wallet = Wallet::new(
  58. &get_mint_url(),
  59. CurrencyUnit::Sat,
  60. Arc::new(WalletMemoryDatabase::default()),
  61. &Mnemonic::generate(12)?.to_seed_normalized(""),
  62. None,
  63. )?;
  64. let (ws_stream, _) = connect_async(get_mint_ws_url())
  65. .await
  66. .expect("Failed to connect");
  67. let (mut write, mut reader) = ws_stream.split();
  68. let mint_quote = wallet.mint_quote(100.into(), None).await?;
  69. lnd_client.pay_invoice(mint_quote.request).await.unwrap();
  70. let proofs = wallet
  71. .mint(&mint_quote.id, SplitTarget::default(), None)
  72. .await?;
  73. let mint_amount = proofs.total_amount()?;
  74. assert!(mint_amount == 100.into());
  75. let invoice = lnd_client.create_invoice(Some(50)).await?;
  76. let melt = wallet.melt_quote(invoice, None).await?;
  77. write
  78. .send(Message::Text(serde_json::to_string(&json!({
  79. "jsonrpc": "2.0",
  80. "id": 2,
  81. "method": "subscribe",
  82. "params": {
  83. "kind": "bolt11_melt_quote",
  84. "filters": [
  85. melt.id.clone(),
  86. ],
  87. "subId": "test-sub",
  88. }
  89. }))?))
  90. .await?;
  91. assert_eq!(
  92. reader.next().await.unwrap().unwrap().to_text().unwrap(),
  93. r#"{"jsonrpc":"2.0","result":{"status":"OK","subId":"test-sub"},"id":2}"#
  94. );
  95. let melt_response = wallet.melt(&melt.id).await.unwrap();
  96. assert!(melt_response.preimage.is_some());
  97. assert!(melt_response.state == MeltQuoteState::Paid);
  98. let (sub_id, payload) = get_notification(&mut reader, Duration::from_millis(15000)).await;
  99. // first message is the current state
  100. assert_eq!("test-sub", sub_id);
  101. let payload = match payload {
  102. NotificationPayload::MeltQuoteBolt11Response(melt) => melt,
  103. _ => panic!("Wrong payload"),
  104. };
  105. assert_eq!(payload.amount + payload.fee_reserve, 100.into());
  106. assert_eq!(payload.quote.to_string(), melt.id);
  107. assert_eq!(payload.state, MeltQuoteState::Unpaid);
  108. // get current state
  109. let (sub_id, payload) = get_notification(&mut reader, Duration::from_millis(15000)).await;
  110. assert_eq!("test-sub", sub_id);
  111. let payload = match payload {
  112. NotificationPayload::MeltQuoteBolt11Response(melt) => melt,
  113. _ => panic!("Wrong payload"),
  114. };
  115. assert_eq!(payload.amount + payload.fee_reserve, 100.into());
  116. assert_eq!(payload.quote.to_string(), melt.id);
  117. assert_eq!(payload.state, MeltQuoteState::Paid);
  118. Ok(())
  119. }
  120. #[tokio::test(flavor = "multi_thread", worker_threads = 1)]
  121. async fn test_regtest_mint_melt() -> Result<()> {
  122. let lnd_client = init_lnd_client().await?;
  123. let wallet = Wallet::new(
  124. &get_mint_url(),
  125. CurrencyUnit::Sat,
  126. Arc::new(WalletMemoryDatabase::default()),
  127. &Mnemonic::generate(12)?.to_seed_normalized(""),
  128. None,
  129. )?;
  130. let mint_amount = Amount::from(100);
  131. let mint_quote = wallet.mint_quote(mint_amount, None).await?;
  132. assert_eq!(mint_quote.amount, mint_amount);
  133. lnd_client.pay_invoice(mint_quote.request).await?;
  134. let proofs = wallet
  135. .mint(&mint_quote.id, SplitTarget::default(), None)
  136. .await?;
  137. let mint_amount = proofs.total_amount()?;
  138. assert!(mint_amount == 100.into());
  139. Ok(())
  140. }
  141. #[tokio::test(flavor = "multi_thread", worker_threads = 1)]
  142. async fn test_restore() -> Result<()> {
  143. let lnd_client = init_lnd_client().await?;
  144. let seed = Mnemonic::generate(12)?.to_seed_normalized("");
  145. let wallet = Wallet::new(
  146. &get_mint_url(),
  147. CurrencyUnit::Sat,
  148. Arc::new(WalletMemoryDatabase::default()),
  149. &seed,
  150. None,
  151. )?;
  152. let mint_quote = wallet.mint_quote(100.into(), None).await?;
  153. lnd_client.pay_invoice(mint_quote.request).await?;
  154. let _mint_amount = wallet
  155. .mint(&mint_quote.id, SplitTarget::default(), None)
  156. .await?;
  157. assert!(wallet.total_balance().await? == 100.into());
  158. let wallet_2 = Wallet::new(
  159. &get_mint_url(),
  160. CurrencyUnit::Sat,
  161. Arc::new(WalletMemoryDatabase::default()),
  162. &seed,
  163. None,
  164. )?;
  165. assert!(wallet_2.total_balance().await? == 0.into());
  166. let restored = wallet_2.restore().await?;
  167. let proofs = wallet_2.get_unspent_proofs().await?;
  168. wallet_2
  169. .swap(None, SplitTarget::default(), proofs, None, false)
  170. .await?;
  171. assert!(restored == 100.into());
  172. assert!(wallet_2.total_balance().await? == 100.into());
  173. let proofs = wallet.get_unspent_proofs().await?;
  174. let states = wallet.check_proofs_spent(proofs).await?;
  175. for state in states {
  176. if state.state != State::Spent {
  177. bail!("All proofs should be spent");
  178. }
  179. }
  180. Ok(())
  181. }
  182. #[tokio::test(flavor = "multi_thread", worker_threads = 1)]
  183. async fn test_pay_invoice_twice() -> Result<()> {
  184. let lnd_client = init_lnd_client().await?;
  185. let seed = Mnemonic::generate(12)?.to_seed_normalized("");
  186. let wallet = Wallet::new(
  187. &get_mint_url(),
  188. CurrencyUnit::Sat,
  189. Arc::new(WalletMemoryDatabase::default()),
  190. &seed,
  191. None,
  192. )?;
  193. let mint_quote = wallet.mint_quote(100.into(), None).await?;
  194. lnd_client.pay_invoice(mint_quote.request).await?;
  195. let proofs = wallet
  196. .mint(&mint_quote.id, SplitTarget::default(), None)
  197. .await?;
  198. let mint_amount = proofs.total_amount()?;
  199. assert_eq!(mint_amount, 100.into());
  200. let invoice = lnd_client.create_invoice(Some(10)).await?;
  201. let melt_quote = wallet.melt_quote(invoice.clone(), None).await?;
  202. let melt = wallet.melt(&melt_quote.id).await.unwrap();
  203. let melt_two = wallet.melt_quote(invoice, None).await?;
  204. let melt_two = wallet.melt(&melt_two.id).await;
  205. match melt_two {
  206. Err(err) => match err {
  207. cdk::Error::RequestAlreadyPaid => (),
  208. _ => {
  209. bail!("Wrong invoice already paid");
  210. }
  211. },
  212. Ok(_) => {
  213. bail!("Should not have allowed second payment");
  214. }
  215. }
  216. let balance = wallet.total_balance().await?;
  217. assert_eq!(balance, (Amount::from(100) - melt.fee_paid - melt.amount));
  218. Ok(())
  219. }
  220. #[tokio::test(flavor = "multi_thread", worker_threads = 1)]
  221. async fn test_internal_payment() -> Result<()> {
  222. let lnd_client = init_lnd_client().await?;
  223. let seed = Mnemonic::generate(12)?.to_seed_normalized("");
  224. let wallet = Wallet::new(
  225. &get_mint_url(),
  226. CurrencyUnit::Sat,
  227. Arc::new(WalletMemoryDatabase::default()),
  228. &seed,
  229. None,
  230. )?;
  231. let mint_quote = wallet.mint_quote(100.into(), None).await?;
  232. lnd_client.pay_invoice(mint_quote.request).await?;
  233. let _mint_amount = wallet
  234. .mint(&mint_quote.id, SplitTarget::default(), None)
  235. .await?;
  236. assert!(wallet.total_balance().await? == 100.into());
  237. let seed = Mnemonic::generate(12)?.to_seed_normalized("");
  238. let wallet_2 = Wallet::new(
  239. &get_mint_url(),
  240. CurrencyUnit::Sat,
  241. Arc::new(WalletMemoryDatabase::default()),
  242. &seed,
  243. None,
  244. )?;
  245. let mint_quote = wallet_2.mint_quote(10.into(), None).await?;
  246. let melt = wallet.melt_quote(mint_quote.request.clone(), None).await?;
  247. assert_eq!(melt.amount, 10.into());
  248. let _melted = wallet.melt(&melt.id).await.unwrap();
  249. let _wallet_2_mint = wallet_2
  250. .mint(&mint_quote.id, SplitTarget::default(), None)
  251. .await
  252. .unwrap();
  253. let cln_client = init_cln_client().await?;
  254. let payment_hash = Bolt11Invoice::from_str(&mint_quote.request)?;
  255. let check_paid = cln_client
  256. .check_incoming_payment_status(&payment_hash.payment_hash().to_string())
  257. .await?;
  258. match check_paid {
  259. InvoiceStatus::Unpaid => (),
  260. _ => {
  261. bail!("Invoice has incorrect status: {:?}", check_paid);
  262. }
  263. }
  264. let wallet_2_balance = wallet_2.total_balance().await?;
  265. assert!(wallet_2_balance == 10.into());
  266. let wallet_1_balance = wallet.total_balance().await?;
  267. assert!(wallet_1_balance == 90.into());
  268. Ok(())
  269. }
  270. #[tokio::test(flavor = "multi_thread", worker_threads = 1)]
  271. async fn test_cached_mint() -> Result<()> {
  272. let lnd_client = init_lnd_client().await.unwrap();
  273. let wallet = Wallet::new(
  274. &get_mint_url(),
  275. CurrencyUnit::Sat,
  276. Arc::new(WalletMemoryDatabase::default()),
  277. &Mnemonic::generate(12)?.to_seed_normalized(""),
  278. None,
  279. )?;
  280. let mint_amount = Amount::from(100);
  281. let quote = wallet.mint_quote(mint_amount, None).await?;
  282. lnd_client.pay_invoice(quote.request).await?;
  283. let mut subscription = wallet
  284. .subscribe(WalletSubscription::Bolt11MintQuoteState(vec![quote
  285. .id
  286. .clone()]))
  287. .await;
  288. while let Some(msg) = subscription.recv().await {
  289. if let NotificationPayload::MintQuoteBolt11Response(response) = msg {
  290. if response.state == MintQuoteState::Paid {
  291. break;
  292. }
  293. }
  294. }
  295. let active_keyset_id = wallet.get_active_mint_keyset().await?.id;
  296. let http_client = HttpClient::new(get_mint_url().as_str().parse()?);
  297. let premint_secrets =
  298. PreMintSecrets::random(active_keyset_id, 31.into(), &SplitTarget::default()).unwrap();
  299. let mut request = MintBolt11Request {
  300. quote: quote.id,
  301. outputs: premint_secrets.blinded_messages(),
  302. signature: None,
  303. };
  304. let secret_key = quote.secret_key;
  305. request.sign(secret_key.expect("Secret key on quote"))?;
  306. let response = http_client.post_mint(request.clone()).await?;
  307. let response1 = http_client.post_mint(request).await?;
  308. assert!(response == response1);
  309. Ok(())
  310. }