lib.rs 14 KB

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