mint.rs 13 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423424425426427428429430431432433434435436437438439440441442443
  1. //! Mint tests
  2. use std::collections::HashMap;
  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::mint_memory::MintMemoryDatabase;
  9. use cdk::cdk_database::MintDatabase;
  10. use cdk::dhke::construct_proofs;
  11. use cdk::mint::MintQuote;
  12. use cdk::nuts::nut00::ProofsMethods;
  13. use cdk::nuts::{
  14. CurrencyUnit, Id, MintBolt11Request, MintInfo, NotificationPayload, Nuts, PreMintSecrets,
  15. ProofState, Proofs, SecretKey, SpendingConditions, State, SwapRequest,
  16. };
  17. use cdk::subscription::{IndexableParams, Params};
  18. use cdk::types::QuoteTTL;
  19. use cdk::util::unix_time;
  20. use cdk::Mint;
  21. use tokio::sync::OnceCell;
  22. use tokio::time::sleep;
  23. pub const MINT_URL: &str = "http://127.0.0.1:8088";
  24. static INSTANCE: OnceCell<Mint> = OnceCell::const_new();
  25. async fn new_mint(fee: u64) -> Mint {
  26. let mut supported_units = HashMap::new();
  27. supported_units.insert(CurrencyUnit::Sat, (fee, 32));
  28. let nuts = Nuts::new()
  29. .nut07(true)
  30. .nut08(true)
  31. .nut09(true)
  32. .nut10(true)
  33. .nut11(true)
  34. .nut12(true)
  35. .nut14(true);
  36. let mint_info = MintInfo::new().nuts(nuts);
  37. let localstore = MintMemoryDatabase::default();
  38. localstore
  39. .set_mint_info(mint_info)
  40. .await
  41. .expect("Could not set mint info");
  42. let mnemonic = Mnemonic::generate(12).unwrap();
  43. let quote_ttl = QuoteTTL::new(10000, 10000);
  44. Mint::new(
  45. &mnemonic.to_seed_normalized(""),
  46. quote_ttl,
  47. Arc::new(localstore),
  48. HashMap::new(),
  49. supported_units,
  50. HashMap::new(),
  51. )
  52. .await
  53. .unwrap()
  54. }
  55. async fn initialize() -> &'static Mint {
  56. INSTANCE.get_or_init(|| new_mint(0)).await
  57. }
  58. async fn mint_proofs(
  59. mint: &Mint,
  60. amount: Amount,
  61. split_target: &SplitTarget,
  62. keys: cdk::nuts::Keys,
  63. ) -> Result<Proofs> {
  64. let request_lookup = uuid::Uuid::new_v4().to_string();
  65. let quote = MintQuote::new(
  66. "".to_string(),
  67. CurrencyUnit::Sat,
  68. amount,
  69. unix_time() + 36000,
  70. request_lookup.to_string(),
  71. None,
  72. );
  73. mint.localstore.add_mint_quote(quote.clone()).await?;
  74. mint.pay_mint_quote_for_request_id(&request_lookup).await?;
  75. let keyset_id = Id::from(&keys);
  76. let premint = PreMintSecrets::random(keyset_id, amount, split_target)?;
  77. let mint_request = MintBolt11Request {
  78. quote: quote.id,
  79. outputs: premint.blinded_messages(),
  80. signature: None,
  81. };
  82. let after_mint = mint.process_mint_request(mint_request).await?;
  83. let proofs = construct_proofs(
  84. after_mint.signatures,
  85. premint.rs(),
  86. premint.secrets(),
  87. &keys,
  88. )?;
  89. Ok(proofs)
  90. }
  91. #[tokio::test(flavor = "multi_thread", worker_threads = 1)]
  92. async fn test_mint_double_spend() -> Result<()> {
  93. let mint = initialize().await;
  94. let keys = mint.pubkeys().await?.keysets.first().unwrap().clone().keys;
  95. let keyset_id = Id::from(&keys);
  96. let proofs = mint_proofs(mint, 100.into(), &SplitTarget::default(), keys).await?;
  97. let preswap = PreMintSecrets::random(keyset_id, 100.into(), &SplitTarget::default())?;
  98. let swap_request = SwapRequest::new(proofs.clone(), preswap.blinded_messages());
  99. let swap = mint.process_swap_request(swap_request).await;
  100. assert!(swap.is_ok());
  101. let preswap_two = PreMintSecrets::random(keyset_id, 100.into(), &SplitTarget::default())?;
  102. let swap_two_request = SwapRequest::new(proofs, preswap_two.blinded_messages());
  103. match mint.process_swap_request(swap_two_request).await {
  104. Ok(_) => bail!("Proofs double spent"),
  105. Err(err) => match err {
  106. cdk::Error::TokenAlreadySpent => (),
  107. _ => bail!("Wrong error returned"),
  108. },
  109. }
  110. Ok(())
  111. }
  112. /// This attempts to swap for more outputs then inputs.
  113. /// This will work if the mint does not check for outputs amounts overflowing
  114. #[tokio::test(flavor = "multi_thread", worker_threads = 1)]
  115. async fn test_attempt_to_swap_by_overflowing() -> Result<()> {
  116. let mint = initialize().await;
  117. let keys = mint.pubkeys().await?.keysets.first().unwrap().clone().keys;
  118. let keyset_id = Id::from(&keys);
  119. let proofs = mint_proofs(mint, 100.into(), &SplitTarget::default(), keys).await?;
  120. let amount = 2_u64.pow(63);
  121. let pre_mint_amount =
  122. PreMintSecrets::random(keyset_id, amount.into(), &SplitTarget::default())?;
  123. let pre_mint_amount_two =
  124. PreMintSecrets::random(keyset_id, amount.into(), &SplitTarget::default())?;
  125. let mut pre_mint = PreMintSecrets::random(keyset_id, 1.into(), &SplitTarget::default())?;
  126. pre_mint.combine(pre_mint_amount);
  127. pre_mint.combine(pre_mint_amount_two);
  128. let swap_request = SwapRequest::new(proofs.clone(), pre_mint.blinded_messages());
  129. match mint.process_swap_request(swap_request).await {
  130. Ok(_) => bail!("Swap occurred with overflow"),
  131. Err(err) => match err {
  132. cdk::Error::NUT03(cdk::nuts::nut03::Error::Amount(_)) => (),
  133. _ => {
  134. println!("{:?}", err);
  135. bail!("Wrong error returned in swap overflow")
  136. }
  137. },
  138. }
  139. Ok(())
  140. }
  141. #[tokio::test(flavor = "multi_thread", worker_threads = 1)]
  142. pub async fn test_p2pk_swap() -> Result<()> {
  143. let mint = initialize().await;
  144. let keys = mint.pubkeys().await?.keysets.first().unwrap().clone().keys;
  145. let keyset_id = Id::from(&keys);
  146. let proofs = mint_proofs(mint, 100.into(), &SplitTarget::default(), keys).await?;
  147. let secret = SecretKey::generate();
  148. let spending_conditions = SpendingConditions::new_p2pk(secret.public_key(), None);
  149. let pre_swap = PreMintSecrets::with_conditions(
  150. keyset_id,
  151. 100.into(),
  152. &SplitTarget::default(),
  153. &spending_conditions,
  154. )?;
  155. let swap_request = SwapRequest::new(proofs.clone(), pre_swap.blinded_messages());
  156. let keys = mint.pubkeys().await?.keysets.first().cloned().unwrap().keys;
  157. let post_swap = mint.process_swap_request(swap_request).await?;
  158. let mut proofs = construct_proofs(
  159. post_swap.signatures,
  160. pre_swap.rs(),
  161. pre_swap.secrets(),
  162. &keys,
  163. )?;
  164. let pre_swap = PreMintSecrets::random(keyset_id, 100.into(), &SplitTarget::default())?;
  165. let swap_request = SwapRequest::new(proofs.clone(), pre_swap.blinded_messages());
  166. let public_keys_to_listen: Vec<_> = swap_request
  167. .inputs
  168. .ys()
  169. .expect("key")
  170. .into_iter()
  171. .enumerate()
  172. .filter_map(|(key, pk)| {
  173. if key % 2 == 0 {
  174. // Only expect messages from every other key
  175. Some(pk.to_string())
  176. } else {
  177. None
  178. }
  179. })
  180. .collect();
  181. let mut listener = mint
  182. .pubsub_manager
  183. .try_subscribe::<IndexableParams>(
  184. Params {
  185. kind: cdk::nuts::nut17::Kind::ProofState,
  186. filters: public_keys_to_listen.clone(),
  187. id: "test".into(),
  188. }
  189. .into(),
  190. )
  191. .await
  192. .expect("valid subscription");
  193. match mint.process_swap_request(swap_request).await {
  194. Ok(_) => bail!("Proofs spent without sig"),
  195. Err(err) => match err {
  196. cdk::Error::NUT11(cdk::nuts::nut11::Error::SignaturesNotProvided) => (),
  197. _ => {
  198. println!("{:?}", err);
  199. bail!("Wrong error returned")
  200. }
  201. },
  202. }
  203. for proof in &mut proofs {
  204. proof.sign_p2pk(secret.clone())?;
  205. }
  206. let swap_request = SwapRequest::new(proofs.clone(), pre_swap.blinded_messages());
  207. let attempt_swap = mint.process_swap_request(swap_request).await;
  208. assert!(attempt_swap.is_ok());
  209. sleep(Duration::from_millis(10)).await;
  210. let mut msgs = HashMap::new();
  211. while let Ok((sub_id, msg)) = listener.try_recv() {
  212. assert_eq!(sub_id, "test".into());
  213. match msg {
  214. NotificationPayload::ProofState(ProofState { y, state, .. }) => {
  215. let pk = y.to_string();
  216. msgs.get_mut(&pk)
  217. .map(|x: &mut Vec<State>| {
  218. x.push(state);
  219. })
  220. .unwrap_or_else(|| {
  221. msgs.insert(pk, vec![state]);
  222. });
  223. }
  224. _ => bail!("Wrong message received"),
  225. }
  226. }
  227. for keys in public_keys_to_listen {
  228. let statuses = msgs.remove(&keys).expect("some events");
  229. assert_eq!(statuses, vec![State::Pending, State::Pending, State::Spent]);
  230. }
  231. assert!(listener.try_recv().is_err(), "no other event is happening");
  232. assert!(msgs.is_empty(), "Only expected key events are received");
  233. Ok(())
  234. }
  235. #[tokio::test(flavor = "multi_thread", worker_threads = 1)]
  236. async fn test_swap_unbalanced() -> Result<()> {
  237. let mint = initialize().await;
  238. let keys = mint.pubkeys().await?.keysets.first().unwrap().clone().keys;
  239. let keyset_id = Id::from(&keys);
  240. let proofs = mint_proofs(mint, 100.into(), &SplitTarget::default(), keys).await?;
  241. let preswap = PreMintSecrets::random(keyset_id, 95.into(), &SplitTarget::default())?;
  242. let swap_request = SwapRequest::new(proofs.clone(), preswap.blinded_messages());
  243. match mint.process_swap_request(swap_request).await {
  244. Ok(_) => bail!("Swap was allowed unbalanced"),
  245. Err(err) => match err {
  246. cdk::Error::TransactionUnbalanced(_, _, _) => (),
  247. _ => bail!("Wrong error returned"),
  248. },
  249. }
  250. let preswap = PreMintSecrets::random(keyset_id, 101.into(), &SplitTarget::default())?;
  251. let swap_request = SwapRequest::new(proofs.clone(), preswap.blinded_messages());
  252. match mint.process_swap_request(swap_request).await {
  253. Ok(_) => bail!("Swap was allowed unbalanced"),
  254. Err(err) => match err {
  255. cdk::Error::TransactionUnbalanced(_, _, _) => (),
  256. _ => bail!("Wrong error returned"),
  257. },
  258. }
  259. Ok(())
  260. }
  261. #[tokio::test(flavor = "multi_thread", worker_threads = 1)]
  262. async fn test_swap_overpay_underpay_fee() -> Result<()> {
  263. let mint = new_mint(1).await;
  264. mint.rotate_keyset(CurrencyUnit::Sat, 1, 32, 1, HashMap::new())
  265. .await?;
  266. let keys = mint.pubkeys().await?.keysets.first().unwrap().clone().keys;
  267. let keyset_id = Id::from(&keys);
  268. let proofs = mint_proofs(&mint, 1000.into(), &SplitTarget::default(), keys).await?;
  269. let preswap = PreMintSecrets::random(keyset_id, 9998.into(), &SplitTarget::default())?;
  270. let swap_request = SwapRequest::new(proofs.clone(), preswap.blinded_messages());
  271. // Attempt to swap overpaying fee
  272. match mint.process_swap_request(swap_request).await {
  273. Ok(_) => bail!("Swap was allowed unbalanced"),
  274. Err(err) => match err {
  275. cdk::Error::TransactionUnbalanced(_, _, _) => (),
  276. _ => {
  277. println!("{:?}", err);
  278. bail!("Wrong error returned")
  279. }
  280. },
  281. }
  282. let preswap = PreMintSecrets::random(keyset_id, 1000.into(), &SplitTarget::default())?;
  283. let swap_request = SwapRequest::new(proofs.clone(), preswap.blinded_messages());
  284. // Attempt to swap underpaying fee
  285. match mint.process_swap_request(swap_request).await {
  286. Ok(_) => bail!("Swap was allowed unbalanced"),
  287. Err(err) => match err {
  288. cdk::Error::TransactionUnbalanced(_, _, _) => (),
  289. _ => {
  290. println!("{:?}", err);
  291. bail!("Wrong error returned")
  292. }
  293. },
  294. }
  295. Ok(())
  296. }
  297. #[tokio::test(flavor = "multi_thread", worker_threads = 1)]
  298. async fn test_mint_enforce_fee() -> Result<()> {
  299. let mint = new_mint(1).await;
  300. let keys = mint.pubkeys().await?.keysets.first().unwrap().clone().keys;
  301. let keyset_id = Id::from(&keys);
  302. let mut proofs = mint_proofs(&mint, 1010.into(), &SplitTarget::Value(1.into()), keys).await?;
  303. let five_proofs: Vec<_> = proofs.drain(..5).collect();
  304. let preswap = PreMintSecrets::random(keyset_id, 5.into(), &SplitTarget::default())?;
  305. let swap_request = SwapRequest::new(five_proofs.clone(), preswap.blinded_messages());
  306. // Attempt to swap underpaying fee
  307. match mint.process_swap_request(swap_request).await {
  308. Ok(_) => bail!("Swap was allowed unbalanced"),
  309. Err(err) => match err {
  310. cdk::Error::TransactionUnbalanced(_, _, _) => (),
  311. _ => {
  312. println!("{:?}", err);
  313. bail!("Wrong error returned")
  314. }
  315. },
  316. }
  317. let preswap = PreMintSecrets::random(keyset_id, 4.into(), &SplitTarget::default())?;
  318. let swap_request = SwapRequest::new(five_proofs.clone(), preswap.blinded_messages());
  319. let _ = mint.process_swap_request(swap_request).await?;
  320. let thousnad_proofs: Vec<_> = proofs.drain(..1001).collect();
  321. let preswap = PreMintSecrets::random(keyset_id, 1000.into(), &SplitTarget::default())?;
  322. let swap_request = SwapRequest::new(thousnad_proofs.clone(), preswap.blinded_messages());
  323. // Attempt to swap underpaying fee
  324. match mint.process_swap_request(swap_request).await {
  325. Ok(_) => bail!("Swap was allowed unbalanced"),
  326. Err(err) => match err {
  327. cdk::Error::TransactionUnbalanced(_, _, _) => (),
  328. _ => {
  329. println!("{:?}", err);
  330. bail!("Wrong error returned")
  331. }
  332. },
  333. }
  334. let preswap = PreMintSecrets::random(keyset_id, 999.into(), &SplitTarget::default())?;
  335. let swap_request = SwapRequest::new(thousnad_proofs.clone(), preswap.blinded_messages());
  336. let _ = mint.process_swap_request(swap_request).await?;
  337. Ok(())
  338. }