mod.rs 24 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423424425426427428429430431432433434435436437438439440441442443444445446447448449450451452453454455456457458459460461462463464465466467468469470471472473474475476477478479480481482483484485486487488489490491492493494495496497498499500501502503504505506507508509510511512513514515516517518519520521522523524525526527528529530531532533534535536537538539540541542543544545546547548549550551552553554555556557558559560561562563564565566567568569570571572573574575576577578579580581582583584585586587588589590591592593594595596597598599600601602603604605606607608609610611612613614615616617618619620621622623624625626627628629630631632633634635636637638639640641642643644645646647648649650651652653654655656657658659660661662663664665666667668669670671672673674675676677678679680681682683684685686687688689690691692693694695696697698699700701702703704705706707708709710711712713714715716717718719720721722723724725726727728729730731732733734735736737738739740741742743
  1. //! Redb Wallet
  2. use std::cmp::Ordering;
  3. use std::collections::HashMap;
  4. use std::path::Path;
  5. use std::str::FromStr;
  6. use std::sync::Arc;
  7. use async_trait::async_trait;
  8. use cdk_common::common::ProofInfo;
  9. use cdk_common::database::WalletDatabase;
  10. use cdk_common::mint_url::MintUrl;
  11. use cdk_common::util::unix_time;
  12. use cdk_common::wallet::{self, MintQuote};
  13. use cdk_common::{
  14. database, CurrencyUnit, Id, KeySetInfo, Keys, MintInfo, PublicKey, SpendingConditions, State,
  15. };
  16. use redb::{Database, MultimapTableDefinition, ReadableTable, TableDefinition};
  17. use tracing::instrument;
  18. use super::error::Error;
  19. use crate::migrations::migrate_00_to_01;
  20. use crate::wallet::migrations::migrate_01_to_02;
  21. mod migrations;
  22. // <Mint_url, Info>
  23. const MINTS_TABLE: TableDefinition<&str, &str> = TableDefinition::new("mints_table");
  24. // <Mint_Url, Keyset_id>
  25. const MINT_KEYSETS_TABLE: MultimapTableDefinition<&str, &[u8]> =
  26. MultimapTableDefinition::new("mint_keysets");
  27. // <Keyset_id, KeysetInfo>
  28. const KEYSETS_TABLE: TableDefinition<&[u8], &str> = TableDefinition::new("keysets");
  29. // <Quote_id, quote>
  30. const MINT_QUOTES_TABLE: TableDefinition<&str, &str> = TableDefinition::new("mint_quotes");
  31. // <Quote_id, quote>
  32. const MELT_QUOTES_TABLE: TableDefinition<&str, &str> = TableDefinition::new("melt_quotes");
  33. const MINT_KEYS_TABLE: TableDefinition<&str, &str> = TableDefinition::new("mint_keys");
  34. // <Y, Proof Info>
  35. const PROOFS_TABLE: TableDefinition<&[u8], &str> = TableDefinition::new("proofs");
  36. const CONFIG_TABLE: TableDefinition<&str, &str> = TableDefinition::new("config");
  37. const KEYSET_COUNTER: TableDefinition<&str, u32> = TableDefinition::new("keyset_counter");
  38. const NOSTR_LAST_CHECKED: TableDefinition<&str, u32> = TableDefinition::new("keyset_counter");
  39. const DATABASE_VERSION: u32 = 2;
  40. /// Wallet Redb Database
  41. #[derive(Debug, Clone)]
  42. pub struct WalletRedbDatabase {
  43. db: Arc<Database>,
  44. }
  45. impl WalletRedbDatabase {
  46. /// Create new [`WalletRedbDatabase`]
  47. pub fn new(path: &Path) -> Result<Self, Error> {
  48. {
  49. let db = Arc::new(Database::create(path)?);
  50. let db_version: Option<String>;
  51. {
  52. // Check database version
  53. let read_txn = db.begin_read()?;
  54. let table = read_txn.open_table(CONFIG_TABLE);
  55. db_version = match table {
  56. Ok(table) => table.get("db_version")?.map(|v| v.value().to_string()),
  57. Err(_) => None,
  58. };
  59. }
  60. match db_version {
  61. Some(db_version) => {
  62. let mut current_file_version = u32::from_str(&db_version)?;
  63. tracing::info!("Current file version {}", current_file_version);
  64. match current_file_version.cmp(&DATABASE_VERSION) {
  65. Ordering::Less => {
  66. tracing::info!(
  67. "Database needs to be upgraded at {} current is {}",
  68. current_file_version,
  69. DATABASE_VERSION
  70. );
  71. if current_file_version == 0 {
  72. current_file_version = migrate_00_to_01(Arc::clone(&db))?;
  73. }
  74. if current_file_version == 1 {
  75. current_file_version = migrate_01_to_02(Arc::clone(&db))?;
  76. }
  77. if current_file_version != DATABASE_VERSION {
  78. tracing::warn!(
  79. "Database upgrade did not complete at {} current is {}",
  80. current_file_version,
  81. DATABASE_VERSION
  82. );
  83. return Err(Error::UnknownDatabaseVersion);
  84. }
  85. let write_txn = db.begin_write()?;
  86. {
  87. let mut table = write_txn.open_table(CONFIG_TABLE)?;
  88. table
  89. .insert("db_version", DATABASE_VERSION.to_string().as_str())?;
  90. }
  91. write_txn.commit()?;
  92. }
  93. Ordering::Equal => {
  94. tracing::info!("Database is at current version {}", DATABASE_VERSION);
  95. }
  96. Ordering::Greater => {
  97. tracing::warn!(
  98. "Database upgrade did not complete at {} current is {}",
  99. current_file_version,
  100. DATABASE_VERSION
  101. );
  102. return Err(Error::UnknownDatabaseVersion);
  103. }
  104. }
  105. }
  106. None => {
  107. let write_txn = db.begin_write()?;
  108. {
  109. let mut table = write_txn.open_table(CONFIG_TABLE)?;
  110. // Open all tables to init a new db
  111. let _ = write_txn.open_table(MINTS_TABLE)?;
  112. let _ = write_txn.open_multimap_table(MINT_KEYSETS_TABLE)?;
  113. let _ = write_txn.open_table(KEYSETS_TABLE)?;
  114. let _ = write_txn.open_table(MINT_QUOTES_TABLE)?;
  115. let _ = write_txn.open_table(MELT_QUOTES_TABLE)?;
  116. let _ = write_txn.open_table(MINT_KEYS_TABLE)?;
  117. let _ = write_txn.open_table(PROOFS_TABLE)?;
  118. let _ = write_txn.open_table(KEYSET_COUNTER)?;
  119. let _ = write_txn.open_table(NOSTR_LAST_CHECKED)?;
  120. table.insert("db_version", DATABASE_VERSION.to_string().as_str())?;
  121. }
  122. write_txn.commit()?;
  123. }
  124. }
  125. drop(db);
  126. }
  127. let db = Database::create(path)?;
  128. Ok(Self { db: Arc::new(db) })
  129. }
  130. async fn update_proof_states(
  131. &self,
  132. ys: Vec<PublicKey>,
  133. state: State,
  134. ) -> Result<(), database::Error> {
  135. let read_txn = self.db.begin_read().map_err(Error::from)?;
  136. let table = read_txn.open_table(PROOFS_TABLE).map_err(Error::from)?;
  137. let write_txn = self.db.begin_write().map_err(Error::from)?;
  138. for y in ys {
  139. let y_slice = y.to_bytes();
  140. let proof = table
  141. .get(y_slice.as_slice())
  142. .map_err(Error::from)?
  143. .ok_or(Error::UnknownY)?;
  144. let mut proof_info =
  145. serde_json::from_str::<ProofInfo>(proof.value()).map_err(Error::from)?;
  146. proof_info.state = state;
  147. {
  148. let mut table = write_txn.open_table(PROOFS_TABLE).map_err(Error::from)?;
  149. table
  150. .insert(
  151. y_slice.as_slice(),
  152. serde_json::to_string(&proof_info)
  153. .map_err(Error::from)?
  154. .as_str(),
  155. )
  156. .map_err(Error::from)?;
  157. }
  158. }
  159. write_txn.commit().map_err(Error::from)?;
  160. Ok(())
  161. }
  162. }
  163. #[async_trait]
  164. impl WalletDatabase for WalletRedbDatabase {
  165. type Err = database::Error;
  166. #[instrument(skip(self))]
  167. async fn add_mint(
  168. &self,
  169. mint_url: MintUrl,
  170. mint_info: Option<MintInfo>,
  171. ) -> Result<(), Self::Err> {
  172. let write_txn = self.db.begin_write().map_err(Error::from)?;
  173. {
  174. let mut table = write_txn.open_table(MINTS_TABLE).map_err(Error::from)?;
  175. table
  176. .insert(
  177. mint_url.to_string().as_str(),
  178. serde_json::to_string(&mint_info)
  179. .map_err(Error::from)?
  180. .as_str(),
  181. )
  182. .map_err(Error::from)?;
  183. }
  184. write_txn.commit().map_err(Error::from)?;
  185. Ok(())
  186. }
  187. #[instrument(skip(self))]
  188. async fn remove_mint(&self, mint_url: MintUrl) -> Result<(), Self::Err> {
  189. let write_txn = self.db.begin_write().map_err(Error::from)?;
  190. {
  191. let mut table = write_txn.open_table(MINTS_TABLE).map_err(Error::from)?;
  192. table
  193. .remove(mint_url.to_string().as_str())
  194. .map_err(Error::from)?;
  195. }
  196. write_txn.commit().map_err(Error::from)?;
  197. Ok(())
  198. }
  199. #[instrument(skip(self))]
  200. async fn get_mint(&self, mint_url: MintUrl) -> Result<Option<MintInfo>, Self::Err> {
  201. let read_txn = self.db.begin_read().map_err(Into::<Error>::into)?;
  202. let table = read_txn.open_table(MINTS_TABLE).map_err(Error::from)?;
  203. if let Some(mint_info) = table
  204. .get(mint_url.to_string().as_str())
  205. .map_err(Error::from)?
  206. {
  207. return Ok(serde_json::from_str(mint_info.value()).map_err(Error::from)?);
  208. }
  209. Ok(None)
  210. }
  211. #[instrument(skip(self))]
  212. async fn get_mints(&self) -> Result<HashMap<MintUrl, Option<MintInfo>>, Self::Err> {
  213. let read_txn = self.db.begin_read().map_err(Error::from)?;
  214. let table = read_txn.open_table(MINTS_TABLE).map_err(Error::from)?;
  215. let mints = table
  216. .iter()
  217. .map_err(Error::from)?
  218. .flatten()
  219. .map(|(mint, mint_info)| {
  220. (
  221. MintUrl::from_str(mint.value()).unwrap(),
  222. serde_json::from_str(mint_info.value()).ok(),
  223. )
  224. })
  225. .collect();
  226. Ok(mints)
  227. }
  228. #[instrument(skip(self))]
  229. async fn update_mint_url(
  230. &self,
  231. old_mint_url: MintUrl,
  232. new_mint_url: MintUrl,
  233. ) -> Result<(), Self::Err> {
  234. // Update proofs table
  235. {
  236. let proofs = self
  237. .get_proofs(Some(old_mint_url.clone()), None, None, None)
  238. .await
  239. .map_err(Error::from)?;
  240. // Proofs with new url
  241. let updated_proofs: Vec<ProofInfo> = proofs
  242. .clone()
  243. .into_iter()
  244. .map(|mut p| {
  245. p.mint_url = new_mint_url.clone();
  246. p
  247. })
  248. .collect();
  249. if !updated_proofs.is_empty() {
  250. self.update_proofs(updated_proofs, vec![]).await?;
  251. }
  252. }
  253. // Update mint quotes
  254. {
  255. let quotes = self.get_mint_quotes().await?;
  256. let unix_time = unix_time();
  257. let quotes: Vec<MintQuote> = quotes
  258. .into_iter()
  259. .filter_map(|mut q| {
  260. if q.expiry < unix_time {
  261. q.mint_url = new_mint_url.clone();
  262. Some(q)
  263. } else {
  264. None
  265. }
  266. })
  267. .collect();
  268. for quote in quotes {
  269. self.add_mint_quote(quote).await?;
  270. }
  271. }
  272. Ok(())
  273. }
  274. #[instrument(skip(self))]
  275. async fn add_mint_keysets(
  276. &self,
  277. mint_url: MintUrl,
  278. keysets: Vec<KeySetInfo>,
  279. ) -> Result<(), Self::Err> {
  280. let write_txn = self.db.begin_write().map_err(Error::from)?;
  281. {
  282. let mut table = write_txn
  283. .open_multimap_table(MINT_KEYSETS_TABLE)
  284. .map_err(Error::from)?;
  285. let mut keysets_table = write_txn.open_table(KEYSETS_TABLE).map_err(Error::from)?;
  286. for keyset in keysets {
  287. table
  288. .insert(
  289. mint_url.to_string().as_str(),
  290. keyset.id.to_bytes().as_slice(),
  291. )
  292. .map_err(Error::from)?;
  293. keysets_table
  294. .insert(
  295. keyset.id.to_bytes().as_slice(),
  296. serde_json::to_string(&keyset)
  297. .map_err(Error::from)?
  298. .as_str(),
  299. )
  300. .map_err(Error::from)?;
  301. }
  302. }
  303. write_txn.commit().map_err(Error::from)?;
  304. Ok(())
  305. }
  306. #[instrument(skip(self))]
  307. async fn get_mint_keysets(
  308. &self,
  309. mint_url: MintUrl,
  310. ) -> Result<Option<Vec<KeySetInfo>>, Self::Err> {
  311. let read_txn = self.db.begin_read().map_err(Into::<Error>::into)?;
  312. let table = read_txn
  313. .open_multimap_table(MINT_KEYSETS_TABLE)
  314. .map_err(Error::from)?;
  315. let keyset_ids = table
  316. .get(mint_url.to_string().as_str())
  317. .map_err(Error::from)?
  318. .flatten()
  319. .map(|k| Id::from_bytes(k.value()))
  320. .collect::<Result<Vec<_>, _>>()?;
  321. let mut keysets = vec![];
  322. let keysets_t = read_txn.open_table(KEYSETS_TABLE).map_err(Error::from)?;
  323. for keyset_id in keyset_ids {
  324. if let Some(keyset) = keysets_t
  325. .get(keyset_id.to_bytes().as_slice())
  326. .map_err(Error::from)?
  327. {
  328. let keyset = serde_json::from_str(keyset.value()).map_err(Error::from)?;
  329. keysets.push(keyset);
  330. }
  331. }
  332. match keysets.is_empty() {
  333. true => Ok(None),
  334. false => Ok(Some(keysets)),
  335. }
  336. }
  337. #[instrument(skip(self), fields(keyset_id = %keyset_id))]
  338. async fn get_keyset_by_id(&self, keyset_id: &Id) -> Result<Option<KeySetInfo>, Self::Err> {
  339. let read_txn = self.db.begin_read().map_err(Into::<Error>::into)?;
  340. let table = read_txn.open_table(KEYSETS_TABLE).map_err(Error::from)?;
  341. match table
  342. .get(keyset_id.to_bytes().as_slice())
  343. .map_err(Error::from)?
  344. {
  345. Some(keyset) => {
  346. let keyset: KeySetInfo =
  347. serde_json::from_str(keyset.value()).map_err(Error::from)?;
  348. Ok(Some(keyset))
  349. }
  350. None => Ok(None),
  351. }
  352. }
  353. #[instrument(skip_all)]
  354. async fn add_mint_quote(&self, quote: MintQuote) -> Result<(), Self::Err> {
  355. let write_txn = self.db.begin_write().map_err(Error::from)?;
  356. {
  357. let mut table = write_txn
  358. .open_table(MINT_QUOTES_TABLE)
  359. .map_err(Error::from)?;
  360. table
  361. .insert(
  362. quote.id.as_str(),
  363. serde_json::to_string(&quote).map_err(Error::from)?.as_str(),
  364. )
  365. .map_err(Error::from)?;
  366. }
  367. write_txn.commit().map_err(Error::from)?;
  368. Ok(())
  369. }
  370. #[instrument(skip_all)]
  371. async fn get_mint_quote(&self, quote_id: &str) -> Result<Option<MintQuote>, Self::Err> {
  372. let read_txn = self.db.begin_read().map_err(Into::<Error>::into)?;
  373. let table = read_txn
  374. .open_table(MINT_QUOTES_TABLE)
  375. .map_err(Error::from)?;
  376. if let Some(mint_info) = table.get(quote_id).map_err(Error::from)? {
  377. return Ok(serde_json::from_str(mint_info.value()).map_err(Error::from)?);
  378. }
  379. Ok(None)
  380. }
  381. #[instrument(skip_all)]
  382. async fn get_mint_quotes(&self) -> Result<Vec<MintQuote>, Self::Err> {
  383. let read_txn = self.db.begin_read().map_err(Into::<Error>::into)?;
  384. let table = read_txn
  385. .open_table(MINT_QUOTES_TABLE)
  386. .map_err(Error::from)?;
  387. Ok(table
  388. .iter()
  389. .map_err(Error::from)?
  390. .flatten()
  391. .flat_map(|(_id, quote)| serde_json::from_str(quote.value()))
  392. .collect())
  393. }
  394. #[instrument(skip_all)]
  395. async fn remove_mint_quote(&self, quote_id: &str) -> Result<(), Self::Err> {
  396. let write_txn = self.db.begin_write().map_err(Error::from)?;
  397. {
  398. let mut table = write_txn
  399. .open_table(MINT_QUOTES_TABLE)
  400. .map_err(Error::from)?;
  401. table.remove(quote_id).map_err(Error::from)?;
  402. }
  403. write_txn.commit().map_err(Error::from)?;
  404. Ok(())
  405. }
  406. #[instrument(skip_all)]
  407. async fn add_melt_quote(&self, quote: wallet::MeltQuote) -> Result<(), Self::Err> {
  408. let write_txn = self.db.begin_write().map_err(Error::from)?;
  409. {
  410. let mut table = write_txn
  411. .open_table(MELT_QUOTES_TABLE)
  412. .map_err(Error::from)?;
  413. table
  414. .insert(
  415. quote.id.as_str(),
  416. serde_json::to_string(&quote).map_err(Error::from)?.as_str(),
  417. )
  418. .map_err(Error::from)?;
  419. }
  420. write_txn.commit().map_err(Error::from)?;
  421. Ok(())
  422. }
  423. #[instrument(skip_all)]
  424. async fn get_melt_quote(&self, quote_id: &str) -> Result<Option<wallet::MeltQuote>, Self::Err> {
  425. let read_txn = self.db.begin_read().map_err(Error::from)?;
  426. let table = read_txn
  427. .open_table(MELT_QUOTES_TABLE)
  428. .map_err(Error::from)?;
  429. if let Some(mint_info) = table.get(quote_id).map_err(Error::from)? {
  430. return Ok(serde_json::from_str(mint_info.value()).map_err(Error::from)?);
  431. }
  432. Ok(None)
  433. }
  434. #[instrument(skip_all)]
  435. async fn remove_melt_quote(&self, quote_id: &str) -> Result<(), Self::Err> {
  436. let write_txn = self.db.begin_write().map_err(Error::from)?;
  437. {
  438. let mut table = write_txn
  439. .open_table(MELT_QUOTES_TABLE)
  440. .map_err(Error::from)?;
  441. table.remove(quote_id).map_err(Error::from)?;
  442. }
  443. write_txn.commit().map_err(Error::from)?;
  444. Ok(())
  445. }
  446. #[instrument(skip_all)]
  447. async fn add_keys(&self, keys: Keys) -> Result<(), Self::Err> {
  448. let write_txn = self.db.begin_write().map_err(Error::from)?;
  449. {
  450. let mut table = write_txn.open_table(MINT_KEYS_TABLE).map_err(Error::from)?;
  451. table
  452. .insert(
  453. Id::from(&keys).to_string().as_str(),
  454. serde_json::to_string(&keys).map_err(Error::from)?.as_str(),
  455. )
  456. .map_err(Error::from)?;
  457. }
  458. write_txn.commit().map_err(Error::from)?;
  459. Ok(())
  460. }
  461. #[instrument(skip(self), fields(keyset_id = %keyset_id))]
  462. async fn get_keys(&self, keyset_id: &Id) -> Result<Option<Keys>, Self::Err> {
  463. let read_txn = self.db.begin_read().map_err(Error::from)?;
  464. let table = read_txn.open_table(MINT_KEYS_TABLE).map_err(Error::from)?;
  465. if let Some(mint_info) = table
  466. .get(keyset_id.to_string().as_str())
  467. .map_err(Error::from)?
  468. {
  469. return Ok(serde_json::from_str(mint_info.value()).map_err(Error::from)?);
  470. }
  471. Ok(None)
  472. }
  473. #[instrument(skip(self), fields(keyset_id = %keyset_id))]
  474. async fn remove_keys(&self, keyset_id: &Id) -> Result<(), Self::Err> {
  475. let write_txn = self.db.begin_write().map_err(Error::from)?;
  476. {
  477. let mut table = write_txn.open_table(MINT_KEYS_TABLE).map_err(Error::from)?;
  478. table
  479. .remove(keyset_id.to_string().as_str())
  480. .map_err(Error::from)?;
  481. }
  482. write_txn.commit().map_err(Error::from)?;
  483. Ok(())
  484. }
  485. #[instrument(skip(self, added, deleted_ys))]
  486. async fn update_proofs(
  487. &self,
  488. added: Vec<ProofInfo>,
  489. deleted_ys: Vec<PublicKey>,
  490. ) -> Result<(), Self::Err> {
  491. let write_txn = self.db.begin_write().map_err(Error::from)?;
  492. {
  493. let mut table = write_txn.open_table(PROOFS_TABLE).map_err(Error::from)?;
  494. for proof_info in added.iter() {
  495. table
  496. .insert(
  497. proof_info.y.to_bytes().as_slice(),
  498. serde_json::to_string(&proof_info)
  499. .map_err(Error::from)?
  500. .as_str(),
  501. )
  502. .map_err(Error::from)?;
  503. }
  504. for y in deleted_ys.iter() {
  505. table.remove(y.to_bytes().as_slice()).map_err(Error::from)?;
  506. }
  507. }
  508. write_txn.commit().map_err(Error::from)?;
  509. Ok(())
  510. }
  511. #[instrument(skip(self, ys))]
  512. async fn set_pending_proofs(&self, ys: Vec<PublicKey>) -> Result<(), Self::Err> {
  513. self.update_proof_states(ys, State::Pending).await
  514. }
  515. #[instrument(skip(self, ys))]
  516. async fn reserve_proofs(&self, ys: Vec<PublicKey>) -> Result<(), Self::Err> {
  517. self.update_proof_states(ys, State::Reserved).await
  518. }
  519. #[instrument(skip(self, ys))]
  520. async fn set_unspent_proofs(&self, ys: Vec<PublicKey>) -> Result<(), Self::Err> {
  521. self.update_proof_states(ys, State::Unspent).await
  522. }
  523. #[instrument(skip_all)]
  524. async fn get_proofs(
  525. &self,
  526. mint_url: Option<MintUrl>,
  527. unit: Option<CurrencyUnit>,
  528. state: Option<Vec<State>>,
  529. spending_conditions: Option<Vec<SpendingConditions>>,
  530. ) -> Result<Vec<ProofInfo>, Self::Err> {
  531. let read_txn = self.db.begin_read().map_err(Error::from)?;
  532. let table = read_txn.open_table(PROOFS_TABLE).map_err(Error::from)?;
  533. let proofs: Vec<ProofInfo> = table
  534. .iter()
  535. .map_err(Error::from)?
  536. .flatten()
  537. .filter_map(|(_k, v)| {
  538. let mut proof = None;
  539. if let Ok(proof_info) = serde_json::from_str::<ProofInfo>(v.value()) {
  540. if proof_info.matches_conditions(&mint_url, &unit, &state, &spending_conditions)
  541. {
  542. proof = Some(proof_info)
  543. }
  544. }
  545. proof
  546. })
  547. .collect();
  548. Ok(proofs)
  549. }
  550. #[instrument(skip(self), fields(keyset_id = %keyset_id))]
  551. async fn increment_keyset_counter(&self, keyset_id: &Id, count: u32) -> Result<(), Self::Err> {
  552. let write_txn = self.db.begin_write().map_err(Error::from)?;
  553. let current_counter;
  554. {
  555. let table = write_txn.open_table(KEYSET_COUNTER).map_err(Error::from)?;
  556. let counter = table
  557. .get(keyset_id.to_string().as_str())
  558. .map_err(Error::from)?;
  559. current_counter = match counter {
  560. Some(c) => c.value(),
  561. None => 0,
  562. };
  563. }
  564. {
  565. let mut table = write_txn.open_table(KEYSET_COUNTER).map_err(Error::from)?;
  566. let new_counter = current_counter + count;
  567. table
  568. .insert(keyset_id.to_string().as_str(), new_counter)
  569. .map_err(Error::from)?;
  570. }
  571. write_txn.commit().map_err(Error::from)?;
  572. Ok(())
  573. }
  574. #[instrument(skip(self), fields(keyset_id = %keyset_id))]
  575. async fn get_keyset_counter(&self, keyset_id: &Id) -> Result<Option<u32>, Self::Err> {
  576. let read_txn = self.db.begin_read().map_err(Error::from)?;
  577. let table = read_txn.open_table(KEYSET_COUNTER).map_err(Error::from)?;
  578. let counter = table
  579. .get(keyset_id.to_string().as_str())
  580. .map_err(Error::from)?;
  581. Ok(counter.map(|c| c.value()))
  582. }
  583. #[instrument(skip_all)]
  584. async fn get_nostr_last_checked(
  585. &self,
  586. verifying_key: &PublicKey,
  587. ) -> Result<Option<u32>, Self::Err> {
  588. let read_txn = self.db.begin_read().map_err(Error::from)?;
  589. let table = read_txn
  590. .open_table(NOSTR_LAST_CHECKED)
  591. .map_err(Error::from)?;
  592. let last_checked = table
  593. .get(verifying_key.to_string().as_str())
  594. .map_err(Error::from)?;
  595. Ok(last_checked.map(|c| c.value()))
  596. }
  597. #[instrument(skip(self, verifying_key))]
  598. async fn add_nostr_last_checked(
  599. &self,
  600. verifying_key: PublicKey,
  601. last_checked: u32,
  602. ) -> Result<(), Self::Err> {
  603. let write_txn = self.db.begin_write().map_err(Error::from)?;
  604. {
  605. let mut table = write_txn
  606. .open_table(NOSTR_LAST_CHECKED)
  607. .map_err(Error::from)?;
  608. table
  609. .insert(verifying_key.to_string().as_str(), last_checked)
  610. .map_err(Error::from)?;
  611. }
  612. write_txn.commit().map_err(Error::from)?;
  613. Ok(())
  614. }
  615. }