1mod convert;
12mod migrations;
13mod query;
14
15
16use std::path::{Path, PathBuf};
17
18use anyhow::Context;
19use bitcoin::{Amount, Txid};
20use bitcoin::secp256k1::PublicKey;
21use chrono::DateTime;
22use lightning_invoice::Bolt11Invoice;
23use log::debug;
24use rusqlite::Connection;
25
26use ark::lightning::{Invoice, PaymentHash, Preimage};
27use bitcoin_ext::BlockDelta;
28
29use crate::{Vtxo, VtxoId, VtxoState, WalletProperties};
30use crate::exit::models::ExitTxOrigin;
31use crate::movement::{Movement, MovementId, MovementStatus, MovementSubsystem};
32use crate::persist::{BarkPersister, RoundStateId, StoredRoundState};
33use crate::persist::models::{PendingLightningSend, LightningReceive, StoredExit};
34use crate::round::{RoundState, UnconfirmedRound};
35use crate::vtxo::state::{VtxoStateKind, WalletVtxo};
36
37#[derive(Clone)]
40pub struct SqliteClient {
41 connection_string: PathBuf,
42}
43
44impl SqliteClient {
45 pub fn open(db_file: impl AsRef<Path>) -> anyhow::Result<SqliteClient> {
47 let path = db_file.as_ref().to_path_buf();
48
49 debug!("Opening database at {}", path.display());
50 let mut conn = rusqlite::Connection::open(&path)
51 .with_context(|| format!("Error connecting to database {}", path.display()))?;
52
53 let migrations = migrations::MigrationContext::new();
54 migrations.do_all_migrations(&mut conn)?;
55
56 Ok( Self { connection_string: path })
57 }
58
59 fn connect(&self) -> anyhow::Result<Connection> {
60 rusqlite::Connection::open(&self.connection_string)
61 .with_context(|| format!("Error connecting to database {}", self.connection_string.display()))
62 }
63}
64
65impl BarkPersister for SqliteClient {
66 fn init_wallet(&self, properties: &WalletProperties) -> anyhow::Result<()> {
67 let mut conn = self.connect()?;
68 let tx = conn.transaction()?;
69
70 query::set_properties(&tx, properties)?;
71
72 tx.commit()?;
73 Ok(())
74 }
75
76 #[cfg(feature = "onchain_bdk")]
77 fn initialize_bdk_wallet(&self) -> anyhow::Result<bdk_wallet::ChangeSet> {
78 let mut conn = self.connect()?;
79 Ok(bdk_wallet::WalletPersister::initialize(&mut conn)?)
80 }
81
82 #[cfg(feature = "onchain_bdk")]
83 fn store_bdk_wallet_changeset(&self, changeset: &bdk_wallet::ChangeSet) -> anyhow::Result<()> {
84 let mut conn = self.connect()?;
85 bdk_wallet::WalletPersister::persist(&mut conn, changeset)?;
86 Ok(())
87 }
88
89 fn read_properties(&self) -> anyhow::Result<Option<WalletProperties>> {
90 let conn = self.connect()?;
91 Ok(query::fetch_properties(&conn)?)
92 }
93
94 fn check_recipient_exists(&self, recipient: &str) -> anyhow::Result<bool> {
95 let conn = self.connect()?;
96 query::check_recipient_exists(&conn, recipient)
97 }
98
99 fn create_new_movement(&self,
100 status: MovementStatus,
101 subsystem: &MovementSubsystem,
102 time: DateTime<chrono::Utc>,
103 ) -> anyhow::Result<MovementId> {
104 let mut conn = self.connect()?;
105 let tx = conn.transaction()?;
106 let movement_id = query::create_new_movement(&tx, status, subsystem, time)?;
107 tx.commit()?;
108 Ok(movement_id)
109 }
110
111 fn update_movement(&self, movement: &Movement) -> anyhow::Result<()> {
112 let mut conn = self.connect()?;
113 let tx = conn.transaction()?;
114 query::update_movement(&tx, movement)?;
115 tx.commit()?;
116 Ok(())
117 }
118
119 fn get_movement(&self, movement_id: MovementId) -> anyhow::Result<Movement> {
120 let conn = self.connect()?;
121 query::get_movement(&conn, movement_id)
122 }
123
124 fn get_movements(&self) -> anyhow::Result<Vec<Movement>> {
125 let conn = self.connect()?;
126 query::get_movements(&conn)
127 }
128
129 fn store_pending_board(
130 &self,
131 vtxo_id: VtxoId,
132 funding_tx: &bitcoin::Transaction,
133 movement_id: MovementId,
134 ) -> anyhow::Result<()> {
135 let mut conn = self.connect()?;
136 let tx = conn.transaction()?;
137 query::store_new_pending_board(&tx, vtxo_id, funding_tx, movement_id)?;
138 tx.commit()?;
139 Ok(())
140 }
141
142 fn remove_pending_board(&self, vtxo_id: &VtxoId) -> anyhow::Result<()> {
143 let mut conn = self.connect()?;
144 let tx = conn.transaction()?;
145 query::remove_pending_board(&tx, vtxo_id)?;
146 tx.commit()?;
147 Ok(())
148 }
149
150 fn get_all_pending_board_ids(&self) -> anyhow::Result<Vec<VtxoId>> {
151 let conn = self.connect()?;
152 query::get_all_pending_boards_ids(&conn)
153 }
154
155 fn get_pending_board_movement_id(&self, vtxo_id: VtxoId) -> anyhow::Result<MovementId> {
156 let conn = self.connect()?;
157 query::get_pending_board_movement_id(&conn, vtxo_id)
158 }
159
160 fn store_round_state_lock_vtxos(&self, round_state: &RoundState) -> anyhow::Result<RoundStateId> {
161 let mut conn = self.connect()?;
162 let tx = conn.transaction()?;
163 for vtxo in round_state.participation().inputs.iter() {
164 query::update_vtxo_state_checked(
165 &*tx,
166 vtxo.id(),
167 VtxoState::Locked { movement_id: round_state.movement_id },
168 &[VtxoStateKind::Spendable],
169 )?;
170 }
171 let id = query::store_round_state(&tx, round_state)?;
172 tx.commit()?;
173 Ok(id)
174 }
175
176 fn update_round_state(&self, state: &StoredRoundState) -> anyhow::Result<()> {
177 let conn = self.connect()?;
178 query::update_round_state(&conn, state)?;
179 Ok(())
180 }
181
182 fn remove_round_state(&self, round_state: &StoredRoundState) -> anyhow::Result<()> {
183 let conn = self.connect()?;
184 query::remove_round_state(&conn, round_state.id)?;
185 Ok(())
186 }
187
188 fn load_round_states(&self) -> anyhow::Result<Vec<StoredRoundState>> {
189 let conn = self.connect()?;
190 query::load_round_states(&conn)
191 }
192
193 fn store_recovered_round(&self, round: &UnconfirmedRound) -> anyhow::Result<()> {
194 let conn = self.connect()?;
195 query::store_recovered_past_round(&conn, round)
196 }
197
198 fn remove_recovered_round(&self, funding_txid: Txid) -> anyhow::Result<()> {
199 let conn = self.connect()?;
200 query::remove_recovered_past_round(&conn, funding_txid)
201 }
202
203 fn load_recovered_rounds(&self) -> anyhow::Result<Vec<UnconfirmedRound>> {
204 let conn = self.connect()?;
205 query::load_recovered_past_rounds(&conn)
206 }
207
208 fn store_vtxos(
209 &self,
210 vtxos: &[(&Vtxo, &VtxoState)],
211 ) -> anyhow::Result<()> {
212 let mut conn = self.connect()?;
213 let tx = conn.transaction()?;
214
215 for (vtxo, state) in vtxos {
216 query::store_vtxo_with_initial_state(&tx, vtxo, state)?;
217 }
218 tx.commit()?;
219 Ok(())
220 }
221
222 fn get_wallet_vtxo(&self, id: VtxoId) -> anyhow::Result<Option<WalletVtxo>> {
223 let conn = self.connect()?;
224 query::get_wallet_vtxo_by_id(&conn, id)
225 }
226
227 fn get_all_vtxos(&self) -> anyhow::Result<Vec<WalletVtxo>> {
228 let conn = self.connect()?;
229 query::get_all_vtxos(&conn)
230 }
231
232 fn get_vtxos_by_state(&self, state: &[VtxoStateKind]) -> anyhow::Result<Vec<WalletVtxo>> {
234 let conn = self.connect()?;
235 query::get_vtxos_by_state(&conn, state)
236 }
237
238 fn has_spent_vtxo(&self, id: VtxoId) -> anyhow::Result<bool> {
239 let conn = self.connect()?;
240 let state : Option<VtxoState> = query::get_vtxo_state(&conn, id)?;
241 let result = state.map(|s| s == VtxoState::Spent).unwrap_or(false);
242 Ok(result)
243 }
244
245 fn remove_vtxo(&self, id: VtxoId) -> anyhow::Result<Option<Vtxo>> {
246 let mut conn = self.connect()?;
247 let tx = conn.transaction().context("Failed to start transaction")?;
248 let result = query::delete_vtxo(&tx, id);
249 tx.commit().context("Failed to commit transaction")?;
250 result
251 }
252
253 fn store_vtxo_key(&self, index: u32, public_key: PublicKey) -> anyhow::Result<()> {
254 let conn = self.connect()?;
255 query::store_vtxo_key(&conn, index, public_key)
256 }
257
258 fn get_last_vtxo_key_index(&self) -> anyhow::Result<Option<u32>> {
259 let conn = self.connect()?;
260 query::get_last_vtxo_key_index(&conn)
261 }
262
263 fn get_public_key_idx(&self, public_key: &PublicKey) -> anyhow::Result<Option<u32>> {
264 let conn = self.connect()?;
265 query::get_public_key_idx(&conn, public_key)
266 }
267
268 fn store_lightning_receive(
270 &self,
271 payment_hash: PaymentHash,
272 preimage: Preimage,
273 invoice: &Bolt11Invoice,
274 htlc_recv_cltv_delta: BlockDelta,
275 ) -> anyhow::Result<()> {
276 let conn = self.connect()?;
277 query::store_lightning_receive(
278 &conn, payment_hash, preimage, invoice, htlc_recv_cltv_delta,
279 )?;
280 Ok(())
281 }
282
283 fn store_new_pending_lightning_send(
284 &self,
285 invoice: &Invoice,
286 amount: &Amount,
287 vtxos: &[VtxoId],
288 movement_id: MovementId,
289 ) -> anyhow::Result<PendingLightningSend> {
290 let conn = self.connect()?;
291 query::store_new_pending_lightning_send(&conn, invoice, amount, vtxos, movement_id)
292 }
293
294 fn get_all_pending_lightning_send(&self) -> anyhow::Result<Vec<PendingLightningSend>> {
295 let conn = self.connect()?;
296 query::get_all_pending_lightning_send(&conn)
297 }
298
299 fn remove_pending_lightning_send(&self, payment_hash: PaymentHash) -> anyhow::Result<()> {
300 let conn = self.connect()?;
301 query::remove_pending_lightning_send(&conn, payment_hash)?;
302 Ok(())
303 }
304
305 fn get_all_pending_lightning_receives(&self) -> anyhow::Result<Vec<LightningReceive>> {
306 let conn = self.connect()?;
307 query::get_all_pending_lightning_receives(&conn)
308 }
309
310 fn set_preimage_revealed(&self, payment_hash: PaymentHash) -> anyhow::Result<()> {
311 let conn = self.connect()?;
312 query::set_preimage_revealed(&conn, payment_hash)?;
313 Ok(())
314 }
315
316 fn update_lightning_receive(
317 &self,
318 payment_hash: PaymentHash,
319 htlc_vtxo_ids: &[VtxoId],
320 movement_id: MovementId,
321 ) -> anyhow::Result<()> {
322 let conn = self.connect()?;
323 query::update_lightning_receive(&conn, payment_hash, htlc_vtxo_ids, movement_id)?;
324 Ok(())
325 }
326
327 fn fetch_lightning_receive_by_payment_hash(
329 &self,
330 payment_hash: PaymentHash,
331 ) -> anyhow::Result<Option<LightningReceive>> {
332 let conn = self.connect()?;
333 query::fetch_lightning_receive_by_payment_hash(&conn, payment_hash)
334 }
335
336 fn remove_pending_lightning_receive(&self, payment_hash: PaymentHash) -> anyhow::Result<()> {
337 let conn = self.connect()?;
338 query::remove_pending_lightning_receive(&conn, payment_hash)?;
339 Ok(())
340 }
341
342 fn store_exit_vtxo_entry(&self, exit: &StoredExit) -> anyhow::Result<()> {
343 let mut conn = self.connect()?;
344 let tx = conn.transaction()?;
345 query::store_exit_vtxo_entry(&tx, exit)?;
346 tx.commit()?;
347 Ok(())
348 }
349
350 fn remove_exit_vtxo_entry(&self, id: &VtxoId) -> anyhow::Result<()> {
351 let mut conn = self.connect()?;
352 let tx = conn.transaction()?;
353 query::remove_exit_vtxo_entry(&tx, &id)?;
354 tx.commit()?;
355 Ok(())
356 }
357
358 fn get_exit_vtxo_entries(&self) -> anyhow::Result<Vec<StoredExit>> {
359 let conn = self.connect()?;
360 query::get_exit_vtxo_entries(&conn)
361 }
362
363 fn store_exit_child_tx(
364 &self,
365 exit_txid: Txid,
366 child_tx: &bitcoin::Transaction,
367 origin: ExitTxOrigin,
368 ) -> anyhow::Result<()> {
369 let mut conn = self.connect()?;
370 let tx = conn.transaction()?;
371 query::store_exit_child_tx(&tx, exit_txid, child_tx, origin)?;
372 tx.commit()?;
373 Ok(())
374 }
375
376 fn get_exit_child_tx(
377 &self,
378 exit_txid: Txid,
379 ) -> anyhow::Result<Option<(bitcoin::Transaction, ExitTxOrigin)>> {
380 let conn = self.connect()?;
381 query::get_exit_child_tx(&conn, exit_txid)
382 }
383
384 fn update_vtxo_state_checked(
385 &self,
386 vtxo_id: VtxoId,
387 new_state: VtxoState,
388 allowed_old_states: &[VtxoStateKind]
389 ) -> anyhow::Result<WalletVtxo> {
390 let conn = self.connect()?;
391 query::update_vtxo_state_checked(&conn, vtxo_id, new_state, allowed_old_states)
392 }
393}
394
395#[cfg(any(test, doc))]
396pub mod helpers {
397 use std::path::PathBuf;
398 use std::str::FromStr;
399
400 use rusqlite::Connection;
401
402 #[cfg(any(test, feature = "rand"))]
409 pub fn in_memory_db() -> (PathBuf, Connection) {
410 use rand::{distr, Rng};
411
412 let mut rng = rand::rng();
418 let filename: String = (&mut rng).sample_iter(distr::Alphanumeric)
419 .take(16).map(char::from).collect();
420
421 let connection_string = format!("file:{}?mode=memory&cache=shared", filename);
422 let pathbuf = PathBuf::from_str(&connection_string).unwrap();
423
424 let conn = Connection::open(pathbuf.clone()).unwrap();
425 (pathbuf.clone(), conn)
426 }
427}
428
429#[cfg(test)]
430mod test {
431 use bdk_wallet::chain::DescriptorExt;
432 use bitcoin::bip32;
433
434 use ark::vtxo::test::VTXO_VECTORS;
435
436 use crate::persist::sqlite::helpers::in_memory_db;
437 use crate::vtxo::state::UNSPENT_STATES;
438
439 use super::*;
440
441 #[test]
442 fn test_add_and_retrieve_vtxos() {
443 let vtxo_1 = &VTXO_VECTORS.board_vtxo;
444 let vtxo_2 = &VTXO_VECTORS.arkoor_htlc_out_vtxo;
445 let vtxo_3 = &VTXO_VECTORS.round2_vtxo;
446
447 let (cs, conn) = in_memory_db();
448 let db = SqliteClient::open(cs).unwrap();
449
450 db.store_vtxos(&[
451 (vtxo_1, &VtxoState::Spendable), (vtxo_2, &VtxoState::Spendable)
452 ]).unwrap();
453
454 let vtxo_1_db = db.get_wallet_vtxo(vtxo_1.id()).expect("No error").expect("A vtxo was found");
456 assert_eq!(vtxo_1_db.vtxo, *vtxo_1);
457
458 assert!(db.get_wallet_vtxo(vtxo_3.id()).expect("No error").is_none());
460
461 let vtxos = db.get_vtxos_by_state(&[VtxoStateKind::Spendable]).unwrap();
463 assert_eq!(vtxos.len(), 2);
464 assert!(vtxos.iter().any(|v| v.vtxo == *vtxo_1));
465 assert!(vtxos.iter().any(|v| v.vtxo == *vtxo_2));
466 assert!(!vtxos.iter().any(|v| v.vtxo == *vtxo_3));
467
468 db.update_vtxo_state_checked(
470 vtxo_1.id(), VtxoState::Spent, &UNSPENT_STATES,
471 ).unwrap();
472
473 let vtxos = db.get_vtxos_by_state(&[VtxoStateKind::Spendable]).unwrap();
474 assert_eq!(vtxos.len(), 1);
475
476 db.store_vtxos(&[(vtxo_3, &VtxoState::Spendable)]).unwrap();
478
479 let vtxos = db.get_vtxos_by_state(&[VtxoStateKind::Spendable]).unwrap();
480 assert_eq!(vtxos.len(), 2);
481 assert!(vtxos.iter().any(|v| v.vtxo == *vtxo_2));
482 assert!(vtxos.iter().any(|v| v.vtxo == *vtxo_3));
483
484 conn.close().unwrap();
485 }
486
487 #[test]
488 fn test_create_wallet_then_load() {
489 let (connection_string, conn) = in_memory_db();
490
491 let db = SqliteClient::open(connection_string).unwrap();
492 let network = bitcoin::Network::Testnet;
493
494 let seed = bip39::Mnemonic::generate(12).unwrap().to_seed("");
495 let xpriv = bip32::Xpriv::new_master(network, &seed).unwrap();
496
497 let desc = format!("tr({}/84'/0'/0'/*)", xpriv);
498
499 let _ = db.initialize_bdk_wallet().unwrap();
501 let mut created = bdk_wallet::Wallet::create_single(desc.clone())
502 .network(network)
503 .create_wallet_no_persist()
504 .unwrap();
505 db.store_bdk_wallet_changeset(&created.take_staged().unwrap()).unwrap();
506
507 let loaded = {
508 let changeset = db.initialize_bdk_wallet().unwrap();
509 bdk_wallet::Wallet::load()
510 .descriptor(bdk_wallet::KeychainKind::External, Some(desc.clone()))
511 .extract_keys()
512 .check_network(network)
513 .load_wallet_no_persist(changeset)
514 .unwrap()
515 };
516
517 assert!(loaded.is_some());
518 assert_eq!(
519 created.public_descriptor(bdk_wallet::KeychainKind::External).descriptor_id(),
520 loaded.unwrap().public_descriptor(bdk_wallet::KeychainKind::External).descriptor_id()
521 );
522
523 conn.close().unwrap();
526 }
527}