regtest.rs 13 KB

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