lib.rs 12 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382
  1. //! CDK lightning backend for LND
  2. // Copyright (c) 2023 Steffen (MIT)
  3. #![warn(missing_docs)]
  4. #![warn(rustdoc::bare_urls)]
  5. use std::path::PathBuf;
  6. use std::pin::Pin;
  7. use std::str::FromStr;
  8. use std::sync::atomic::{AtomicBool, Ordering};
  9. use std::sync::Arc;
  10. use anyhow::anyhow;
  11. use async_trait::async_trait;
  12. use cdk::amount::{to_unit, Amount, MSAT_IN_SAT};
  13. use cdk::cdk_lightning::{
  14. self, CreateInvoiceResponse, MintLightning, PayInvoiceResponse, PaymentQuoteResponse, Settings,
  15. };
  16. use cdk::mint::FeeReserve;
  17. use cdk::nuts::{CurrencyUnit, MeltQuoteBolt11Request, MeltQuoteState, MintQuoteState};
  18. use cdk::util::{hex, unix_time};
  19. use cdk::{mint, Bolt11Invoice};
  20. use error::Error;
  21. use fedimint_tonic_lnd::lnrpc::fee_limit::Limit;
  22. use fedimint_tonic_lnd::lnrpc::payment::PaymentStatus;
  23. use fedimint_tonic_lnd::lnrpc::FeeLimit;
  24. use fedimint_tonic_lnd::Client;
  25. use futures::{Stream, StreamExt};
  26. use tokio::sync::Mutex;
  27. use tokio_util::sync::CancellationToken;
  28. pub mod error;
  29. /// Lnd mint backend
  30. #[derive(Clone)]
  31. pub struct Lnd {
  32. address: String,
  33. cert_file: PathBuf,
  34. macaroon_file: PathBuf,
  35. client: Arc<Mutex<Client>>,
  36. fee_reserve: FeeReserve,
  37. wait_invoice_cancel_token: CancellationToken,
  38. wait_invoice_is_active: Arc<AtomicBool>,
  39. }
  40. impl Lnd {
  41. /// Create new [`Lnd`]
  42. pub async fn new(
  43. address: String,
  44. cert_file: PathBuf,
  45. macaroon_file: PathBuf,
  46. fee_reserve: FeeReserve,
  47. ) -> Result<Self, Error> {
  48. let client = fedimint_tonic_lnd::connect(address.to_string(), &cert_file, &macaroon_file)
  49. .await
  50. .map_err(|err| {
  51. tracing::error!("Connection error: {}", err.to_string());
  52. Error::Connection
  53. })?;
  54. Ok(Self {
  55. address,
  56. cert_file,
  57. macaroon_file,
  58. client: Arc::new(Mutex::new(client)),
  59. fee_reserve,
  60. wait_invoice_cancel_token: CancellationToken::new(),
  61. wait_invoice_is_active: Arc::new(AtomicBool::new(false)),
  62. })
  63. }
  64. }
  65. #[async_trait]
  66. impl MintLightning for Lnd {
  67. type Err = cdk_lightning::Error;
  68. fn get_settings(&self) -> Settings {
  69. Settings {
  70. mpp: false,
  71. unit: CurrencyUnit::Msat,
  72. invoice_description: true,
  73. }
  74. }
  75. fn is_wait_invoice_active(&self) -> bool {
  76. self.wait_invoice_is_active.load(Ordering::SeqCst)
  77. }
  78. fn cancel_wait_invoice(&self) {
  79. self.wait_invoice_cancel_token.cancel()
  80. }
  81. async fn wait_any_invoice(
  82. &self,
  83. ) -> Result<Pin<Box<dyn Stream<Item = String> + Send>>, Self::Err> {
  84. let mut client =
  85. fedimint_tonic_lnd::connect(self.address.clone(), &self.cert_file, &self.macaroon_file)
  86. .await
  87. .map_err(|_| Error::Connection)?;
  88. let stream_req = fedimint_tonic_lnd::lnrpc::InvoiceSubscription {
  89. add_index: 0,
  90. settle_index: 0,
  91. };
  92. let stream = client
  93. .lightning()
  94. .subscribe_invoices(stream_req)
  95. .await
  96. .unwrap()
  97. .into_inner();
  98. let cancel_token = self.wait_invoice_cancel_token.clone();
  99. Ok(futures::stream::unfold(
  100. (
  101. stream,
  102. cancel_token,
  103. Arc::clone(&self.wait_invoice_is_active),
  104. ),
  105. |(mut stream, cancel_token, is_active)| async move {
  106. is_active.store(true, Ordering::SeqCst);
  107. tokio::select! {
  108. _ = cancel_token.cancelled() => {
  109. // Stream is cancelled
  110. is_active.store(false, Ordering::SeqCst);
  111. tracing::info!("Waiting for lnd invoice ending");
  112. None
  113. }
  114. msg = stream.message() => {
  115. match msg {
  116. Ok(Some(msg)) => {
  117. if msg.state == 1 {
  118. Some((hex::encode(msg.r_hash), (stream, cancel_token, is_active)))
  119. } else {
  120. None
  121. }
  122. }
  123. Ok(None) => {
  124. is_active.store(false, Ordering::SeqCst);
  125. tracing::info!("LND invoice stream ended.");
  126. None
  127. }, // End of stream
  128. Err(err) => {
  129. is_active.store(false, Ordering::SeqCst);
  130. tracing::warn!("Encounrdered error in LND invoice stream. Stream ending");
  131. tracing::error!("{:?}", err);
  132. None
  133. }, // Handle errors gracefully, ends the stream on error
  134. }
  135. }
  136. }
  137. },
  138. )
  139. .boxed())
  140. }
  141. async fn get_payment_quote(
  142. &self,
  143. melt_quote_request: &MeltQuoteBolt11Request,
  144. ) -> Result<PaymentQuoteResponse, Self::Err> {
  145. let amount = melt_quote_request.amount_msat()?;
  146. let amount = amount / MSAT_IN_SAT.into();
  147. let relative_fee_reserve =
  148. (self.fee_reserve.percent_fee_reserve * u64::from(amount) as f32) as u64;
  149. let absolute_fee_reserve: u64 = self.fee_reserve.min_fee_reserve.into();
  150. let fee = match relative_fee_reserve > absolute_fee_reserve {
  151. true => relative_fee_reserve,
  152. false => absolute_fee_reserve,
  153. };
  154. Ok(PaymentQuoteResponse {
  155. request_lookup_id: melt_quote_request.request.payment_hash().to_string(),
  156. amount,
  157. fee: fee.into(),
  158. state: MeltQuoteState::Unpaid,
  159. })
  160. }
  161. async fn pay_invoice(
  162. &self,
  163. melt_quote: mint::MeltQuote,
  164. _partial_amount: Option<Amount>,
  165. max_fee: Option<Amount>,
  166. ) -> Result<PayInvoiceResponse, Self::Err> {
  167. let payment_request = melt_quote.request;
  168. let amount_msat: u64 = match melt_quote.msat_to_pay {
  169. Some(amount_msat) => amount_msat.into(),
  170. None => {
  171. let bolt11 = Bolt11Invoice::from_str(&payment_request)?;
  172. bolt11
  173. .amount_milli_satoshis()
  174. .ok_or(Error::UnknownInvoiceAmount)?
  175. }
  176. };
  177. let pay_req = fedimint_tonic_lnd::lnrpc::SendRequest {
  178. payment_request,
  179. fee_limit: max_fee.map(|f| {
  180. let limit = Limit::Fixed(u64::from(f) as i64);
  181. FeeLimit { limit: Some(limit) }
  182. }),
  183. amt_msat: amount_msat as i64,
  184. ..Default::default()
  185. };
  186. let payment_response = self
  187. .client
  188. .lock()
  189. .await
  190. .lightning()
  191. .send_payment_sync(fedimint_tonic_lnd::tonic::Request::new(pay_req))
  192. .await
  193. .map_err(|_| Error::PaymentFailed)?
  194. .into_inner();
  195. let total_amount = payment_response
  196. .payment_route
  197. .map_or(0, |route| route.total_amt_msat / MSAT_IN_SAT as i64)
  198. as u64;
  199. let (status, payment_preimage) = match total_amount == 0 {
  200. true => (MeltQuoteState::Unpaid, None),
  201. false => (
  202. MeltQuoteState::Paid,
  203. Some(hex::encode(payment_response.payment_preimage)),
  204. ),
  205. };
  206. Ok(PayInvoiceResponse {
  207. payment_lookup_id: hex::encode(payment_response.payment_hash),
  208. payment_preimage,
  209. status,
  210. total_spent: total_amount.into(),
  211. unit: CurrencyUnit::Sat,
  212. })
  213. }
  214. async fn create_invoice(
  215. &self,
  216. amount: Amount,
  217. unit: &CurrencyUnit,
  218. description: String,
  219. unix_expiry: u64,
  220. ) -> Result<CreateInvoiceResponse, Self::Err> {
  221. let time_now = unix_time();
  222. assert!(unix_expiry > time_now);
  223. let amount = to_unit(amount, unit, &CurrencyUnit::Msat)?;
  224. let invoice_request = fedimint_tonic_lnd::lnrpc::Invoice {
  225. value_msat: u64::from(amount) as i64,
  226. memo: description,
  227. ..Default::default()
  228. };
  229. let invoice = self
  230. .client
  231. .lock()
  232. .await
  233. .lightning()
  234. .add_invoice(fedimint_tonic_lnd::tonic::Request::new(invoice_request))
  235. .await
  236. .unwrap()
  237. .into_inner();
  238. let bolt11 = Bolt11Invoice::from_str(&invoice.payment_request)?;
  239. Ok(CreateInvoiceResponse {
  240. request_lookup_id: bolt11.payment_hash().to_string(),
  241. request: bolt11,
  242. expiry: Some(unix_expiry),
  243. })
  244. }
  245. async fn check_incoming_invoice_status(
  246. &self,
  247. request_lookup_id: &str,
  248. ) -> Result<MintQuoteState, Self::Err> {
  249. let invoice_request = fedimint_tonic_lnd::lnrpc::PaymentHash {
  250. r_hash: hex::decode(request_lookup_id).unwrap(),
  251. ..Default::default()
  252. };
  253. let invoice = self
  254. .client
  255. .lock()
  256. .await
  257. .lightning()
  258. .lookup_invoice(fedimint_tonic_lnd::tonic::Request::new(invoice_request))
  259. .await
  260. .unwrap()
  261. .into_inner();
  262. match invoice.state {
  263. // Open
  264. 0 => Ok(MintQuoteState::Unpaid),
  265. // Settled
  266. 1 => Ok(MintQuoteState::Paid),
  267. // Canceled
  268. 2 => Ok(MintQuoteState::Unpaid),
  269. // Accepted
  270. 3 => Ok(MintQuoteState::Unpaid),
  271. _ => Err(Self::Err::Anyhow(anyhow!("Invalid status"))),
  272. }
  273. }
  274. async fn check_outgoing_payment(
  275. &self,
  276. payment_hash: &str,
  277. ) -> Result<PayInvoiceResponse, Self::Err> {
  278. let track_request = fedimint_tonic_lnd::routerrpc::TrackPaymentRequest {
  279. payment_hash: hex::decode(payment_hash).map_err(|_| Error::InvalidHash)?,
  280. no_inflight_updates: true,
  281. };
  282. let mut payment_stream = self
  283. .client
  284. .lock()
  285. .await
  286. .router()
  287. .track_payment_v2(track_request)
  288. .await
  289. .unwrap()
  290. .into_inner();
  291. while let Some(update_result) = payment_stream.next().await {
  292. match update_result {
  293. Ok(update) => {
  294. let status = update.status();
  295. let response = match status {
  296. PaymentStatus::Unknown => PayInvoiceResponse {
  297. payment_lookup_id: payment_hash.to_string(),
  298. payment_preimage: Some(update.payment_preimage),
  299. status: MeltQuoteState::Unknown,
  300. total_spent: Amount::ZERO,
  301. unit: self.get_settings().unit,
  302. },
  303. PaymentStatus::InFlight => {
  304. // Continue waiting for the next update
  305. continue;
  306. }
  307. PaymentStatus::Succeeded => PayInvoiceResponse {
  308. payment_lookup_id: payment_hash.to_string(),
  309. payment_preimage: Some(update.payment_preimage),
  310. status: MeltQuoteState::Paid,
  311. total_spent: Amount::from((update.value_sat + update.fee_sat) as u64),
  312. unit: CurrencyUnit::Sat,
  313. },
  314. PaymentStatus::Failed => PayInvoiceResponse {
  315. payment_lookup_id: payment_hash.to_string(),
  316. payment_preimage: Some(update.payment_preimage),
  317. status: MeltQuoteState::Failed,
  318. total_spent: Amount::ZERO,
  319. unit: self.get_settings().unit,
  320. },
  321. };
  322. return Ok(response);
  323. }
  324. Err(_) => {
  325. // Handle the case where the update itself is an error (e.g., stream failure)
  326. return Err(Error::UnknownPaymentStatus.into());
  327. }
  328. }
  329. }
  330. // If the stream is exhausted without a final status
  331. Err(Error::UnknownPaymentStatus.into())
  332. }
  333. }