lib.rs 9.4 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300
  1. //! CDK Fake LN Backend
  2. //!
  3. //! Used for testing where quotes are auto filled
  4. #![warn(missing_docs)]
  5. #![warn(rustdoc::bare_urls)]
  6. use std::collections::{HashMap, HashSet};
  7. use std::pin::Pin;
  8. use std::str::FromStr;
  9. use std::sync::atomic::{AtomicBool, Ordering};
  10. use std::sync::Arc;
  11. use async_trait::async_trait;
  12. use bitcoin::hashes::{sha256, Hash};
  13. use bitcoin::secp256k1::{Secp256k1, SecretKey};
  14. use cdk::amount::{to_unit, Amount, MSAT_IN_SAT};
  15. use cdk::cdk_lightning::{
  16. self, CreateInvoiceResponse, MintLightning, PayInvoiceResponse, PaymentQuoteResponse, Settings,
  17. };
  18. use cdk::mint;
  19. use cdk::mint::FeeReserve;
  20. use cdk::nuts::{CurrencyUnit, MeltQuoteBolt11Request, MeltQuoteState, MintQuoteState};
  21. use cdk::util::unix_time;
  22. use error::Error;
  23. use futures::stream::StreamExt;
  24. use futures::Stream;
  25. use lightning_invoice::{Bolt11Invoice, Currency, InvoiceBuilder, PaymentSecret};
  26. use rand::Rng;
  27. use serde::{Deserialize, Serialize};
  28. use tokio::sync::Mutex;
  29. use tokio::time;
  30. use tokio_stream::wrappers::ReceiverStream;
  31. use tokio_util::sync::CancellationToken;
  32. pub mod error;
  33. /// Fake Wallet
  34. #[derive(Clone)]
  35. pub struct FakeWallet {
  36. fee_reserve: FeeReserve,
  37. sender: tokio::sync::mpsc::Sender<String>,
  38. receiver: Arc<Mutex<Option<tokio::sync::mpsc::Receiver<String>>>>,
  39. payment_states: Arc<Mutex<HashMap<String, MeltQuoteState>>>,
  40. failed_payment_check: Arc<Mutex<HashSet<String>>>,
  41. payment_delay: u64,
  42. wait_invoice_cancel_token: CancellationToken,
  43. wait_invoice_is_active: Arc<AtomicBool>,
  44. }
  45. impl FakeWallet {
  46. /// Creat new [`FakeWallet`]
  47. pub fn new(
  48. fee_reserve: FeeReserve,
  49. payment_states: HashMap<String, MeltQuoteState>,
  50. fail_payment_check: HashSet<String>,
  51. payment_delay: u64,
  52. ) -> Self {
  53. let (sender, receiver) = tokio::sync::mpsc::channel(8);
  54. Self {
  55. fee_reserve,
  56. sender,
  57. receiver: Arc::new(Mutex::new(Some(receiver))),
  58. payment_states: Arc::new(Mutex::new(payment_states)),
  59. failed_payment_check: Arc::new(Mutex::new(fail_payment_check)),
  60. payment_delay,
  61. wait_invoice_cancel_token: CancellationToken::new(),
  62. wait_invoice_is_active: Arc::new(AtomicBool::new(false)),
  63. }
  64. }
  65. }
  66. /// Struct for signaling what methods should respond via invoice description
  67. #[derive(Debug, Clone, Hash, PartialEq, Eq, Serialize, Deserialize)]
  68. pub struct FakeInvoiceDescription {
  69. /// State to be returned from pay invoice state
  70. pub pay_invoice_state: MeltQuoteState,
  71. /// State to be returned by check payment state
  72. pub check_payment_state: MeltQuoteState,
  73. /// Should pay invoice error
  74. pub pay_err: bool,
  75. /// Should check failure
  76. pub check_err: bool,
  77. }
  78. impl Default for FakeInvoiceDescription {
  79. fn default() -> Self {
  80. Self {
  81. pay_invoice_state: MeltQuoteState::Paid,
  82. check_payment_state: MeltQuoteState::Paid,
  83. pay_err: false,
  84. check_err: false,
  85. }
  86. }
  87. }
  88. #[async_trait]
  89. impl MintLightning for FakeWallet {
  90. type Err = cdk_lightning::Error;
  91. fn get_settings(&self) -> Settings {
  92. Settings {
  93. mpp: true,
  94. unit: CurrencyUnit::Msat,
  95. invoice_description: true,
  96. }
  97. }
  98. fn is_wait_invoice_active(&self) -> bool {
  99. self.wait_invoice_is_active.load(Ordering::SeqCst)
  100. }
  101. fn cancel_wait_invoice(&self) {
  102. self.wait_invoice_cancel_token.cancel()
  103. }
  104. async fn wait_any_invoice(
  105. &self,
  106. ) -> Result<Pin<Box<dyn Stream<Item = String> + Send>>, Self::Err> {
  107. let receiver = self.receiver.lock().await.take().ok_or(Error::NoReceiver)?;
  108. let receiver_stream = ReceiverStream::new(receiver);
  109. Ok(Box::pin(receiver_stream.map(|label| label)))
  110. }
  111. async fn get_payment_quote(
  112. &self,
  113. melt_quote_request: &MeltQuoteBolt11Request,
  114. ) -> Result<PaymentQuoteResponse, Self::Err> {
  115. let amount = melt_quote_request.amount_msat()?;
  116. let amount = amount / MSAT_IN_SAT.into();
  117. let relative_fee_reserve =
  118. (self.fee_reserve.percent_fee_reserve * u64::from(amount) as f32) as u64;
  119. let absolute_fee_reserve: u64 = self.fee_reserve.min_fee_reserve.into();
  120. let fee = match relative_fee_reserve > absolute_fee_reserve {
  121. true => relative_fee_reserve,
  122. false => absolute_fee_reserve,
  123. };
  124. Ok(PaymentQuoteResponse {
  125. request_lookup_id: melt_quote_request.request.payment_hash().to_string(),
  126. amount,
  127. fee: fee.into(),
  128. state: MeltQuoteState::Unpaid,
  129. })
  130. }
  131. async fn pay_invoice(
  132. &self,
  133. melt_quote: mint::MeltQuote,
  134. _partial_msats: Option<Amount>,
  135. _max_fee_msats: Option<Amount>,
  136. ) -> Result<PayInvoiceResponse, Self::Err> {
  137. let bolt11 = Bolt11Invoice::from_str(&melt_quote.request)?;
  138. let payment_hash = bolt11.payment_hash().to_string();
  139. let description = bolt11.description().to_string();
  140. let status: Option<FakeInvoiceDescription> = serde_json::from_str(&description).ok();
  141. let mut payment_states = self.payment_states.lock().await;
  142. let payment_status = status
  143. .clone()
  144. .map(|s| s.pay_invoice_state)
  145. .unwrap_or(MeltQuoteState::Paid);
  146. let checkout_going_status = status
  147. .clone()
  148. .map(|s| s.check_payment_state)
  149. .unwrap_or(MeltQuoteState::Paid);
  150. payment_states.insert(payment_hash.clone(), checkout_going_status);
  151. if let Some(description) = status {
  152. if description.check_err {
  153. let mut fail = self.failed_payment_check.lock().await;
  154. fail.insert(payment_hash.clone());
  155. }
  156. if description.pay_err {
  157. return Err(Error::UnknownInvoice.into());
  158. }
  159. }
  160. Ok(PayInvoiceResponse {
  161. payment_preimage: Some("".to_string()),
  162. payment_lookup_id: payment_hash,
  163. status: payment_status,
  164. total_spent: melt_quote.amount,
  165. unit: melt_quote.unit,
  166. })
  167. }
  168. async fn create_invoice(
  169. &self,
  170. amount: Amount,
  171. unit: &CurrencyUnit,
  172. description: String,
  173. unix_expiry: u64,
  174. ) -> Result<CreateInvoiceResponse, Self::Err> {
  175. let time_now = unix_time();
  176. assert!(unix_expiry > time_now);
  177. let amount_msat = to_unit(amount, unit, &CurrencyUnit::Msat)?;
  178. let invoice = create_fake_invoice(amount_msat.into(), description);
  179. let sender = self.sender.clone();
  180. let payment_hash = invoice.payment_hash();
  181. let payment_hash_clone = payment_hash.to_string();
  182. let duration = time::Duration::from_secs(self.payment_delay);
  183. tokio::spawn(async move {
  184. // Wait for the random delay to elapse
  185. time::sleep(duration).await;
  186. // Send the message after waiting for the specified duration
  187. if sender.send(payment_hash_clone.clone()).await.is_err() {
  188. tracing::error!("Failed to send label: {}", payment_hash_clone);
  189. }
  190. });
  191. let expiry = invoice.expires_at().map(|t| t.as_secs());
  192. Ok(CreateInvoiceResponse {
  193. request_lookup_id: payment_hash.to_string(),
  194. request: invoice,
  195. expiry,
  196. })
  197. }
  198. async fn check_incoming_invoice_status(
  199. &self,
  200. _request_lookup_id: &str,
  201. ) -> Result<MintQuoteState, Self::Err> {
  202. Ok(MintQuoteState::Paid)
  203. }
  204. async fn check_outgoing_payment(
  205. &self,
  206. request_lookup_id: &str,
  207. ) -> Result<PayInvoiceResponse, Self::Err> {
  208. // For fake wallet if the state is not explicitly set default to paid
  209. let states = self.payment_states.lock().await;
  210. let status = states.get(request_lookup_id).cloned();
  211. let status = status.unwrap_or(MeltQuoteState::Paid);
  212. let fail_payments = self.failed_payment_check.lock().await;
  213. if fail_payments.contains(request_lookup_id) {
  214. return Err(cdk_lightning::Error::InvoicePaymentPending);
  215. }
  216. Ok(PayInvoiceResponse {
  217. payment_preimage: Some("".to_string()),
  218. payment_lookup_id: request_lookup_id.to_string(),
  219. status,
  220. total_spent: Amount::ZERO,
  221. unit: self.get_settings().unit,
  222. })
  223. }
  224. }
  225. /// Create fake invoice
  226. pub fn create_fake_invoice(amount_msat: u64, description: String) -> Bolt11Invoice {
  227. let private_key = SecretKey::from_slice(
  228. &[
  229. 0xe1, 0x26, 0xf6, 0x8f, 0x7e, 0xaf, 0xcc, 0x8b, 0x74, 0xf5, 0x4d, 0x26, 0x9f, 0xe2,
  230. 0x06, 0xbe, 0x71, 0x50, 0x00, 0xf9, 0x4d, 0xac, 0x06, 0x7d, 0x1c, 0x04, 0xa8, 0xca,
  231. 0x3b, 0x2d, 0xb7, 0x34,
  232. ][..],
  233. )
  234. .unwrap();
  235. let mut rng = rand::thread_rng();
  236. let mut random_bytes = [0u8; 32];
  237. rng.fill(&mut random_bytes);
  238. let payment_hash = sha256::Hash::from_slice(&random_bytes).unwrap();
  239. let payment_secret = PaymentSecret([42u8; 32]);
  240. InvoiceBuilder::new(Currency::Bitcoin)
  241. .description(description)
  242. .payment_hash(payment_hash)
  243. .payment_secret(payment_secret)
  244. .amount_milli_satoshis(amount_msat)
  245. .current_timestamp()
  246. .min_final_cltv_expiry_delta(144)
  247. .build_signed(|hash| Secp256k1::new().sign_ecdsa_recoverable(hash, &private_key))
  248. .unwrap()
  249. }