mirror of
https://github.com/serai-dex/serai.git
synced 2024-11-16 17:07:35 +00:00
Add a dedicated db crate with a basic DB trait
It's needed by the processor and tributary (coordinator).
This commit is contained in:
parent
04e7863dbd
commit
6f6c9f7cdf
20 changed files with 200 additions and 181 deletions
5
Cargo.lock
generated
5
Cargo.lock
generated
|
@ -6620,6 +6620,7 @@ dependencies = [
|
||||||
"rand_core 0.6.4",
|
"rand_core 0.6.4",
|
||||||
"secp256k1",
|
"secp256k1",
|
||||||
"serai-client",
|
"serai-client",
|
||||||
|
"serai-db",
|
||||||
"serde",
|
"serde",
|
||||||
"serde_json",
|
"serde_json",
|
||||||
"sp-application-crypto",
|
"sp-application-crypto",
|
||||||
|
@ -8746,6 +8747,10 @@ dependencies = [
|
||||||
"tokio",
|
"tokio",
|
||||||
]
|
]
|
||||||
|
|
||||||
|
[[package]]
|
||||||
|
name = "serai-db"
|
||||||
|
version = "0.1.0"
|
||||||
|
|
||||||
[[package]]
|
[[package]]
|
||||||
name = "serai-node"
|
name = "serai-node"
|
||||||
version = "0.1.0"
|
version = "0.1.0"
|
||||||
|
|
|
@ -1,6 +1,7 @@
|
||||||
[workspace]
|
[workspace]
|
||||||
members = [
|
members = [
|
||||||
"common/zalloc",
|
"common/zalloc",
|
||||||
|
"common/db",
|
||||||
|
|
||||||
"crypto/transcript",
|
"crypto/transcript",
|
||||||
|
|
||||||
|
|
13
common/db/Cargo.toml
Normal file
13
common/db/Cargo.toml
Normal file
|
@ -0,0 +1,13 @@
|
||||||
|
[package]
|
||||||
|
name = "serai-db"
|
||||||
|
version = "0.1.0"
|
||||||
|
description = "A simple database trait and backends for it"
|
||||||
|
license = "MIT"
|
||||||
|
repository = "https://github.com/serai-dex/serai/tree/develop/common/db"
|
||||||
|
authors = ["Luke Parker <lukeparker5132@gmail.com>"]
|
||||||
|
keywords = []
|
||||||
|
edition = "2021"
|
||||||
|
|
||||||
|
[package.metadata.docs.rs]
|
||||||
|
all-features = true
|
||||||
|
rustdoc-args = ["--cfg", "docsrs"]
|
21
common/db/LICENSE
Normal file
21
common/db/LICENSE
Normal file
|
@ -0,0 +1,21 @@
|
||||||
|
MIT License
|
||||||
|
|
||||||
|
Copyright (c) 2022-2023 Luke Parker
|
||||||
|
|
||||||
|
Permission is hereby granted, free of charge, to any person obtaining a copy
|
||||||
|
of this software and associated documentation files (the "Software"), to deal
|
||||||
|
in the Software without restriction, including without limitation the rights
|
||||||
|
to use, copy, modify, merge, publish, distribute, sublicense, and/or sell
|
||||||
|
copies of the Software, and to permit persons to whom the Software is
|
||||||
|
furnished to do so, subject to the following conditions:
|
||||||
|
|
||||||
|
The above copyright notice and this permission notice shall be included in all
|
||||||
|
copies or substantial portions of the Software.
|
||||||
|
|
||||||
|
THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR
|
||||||
|
IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY,
|
||||||
|
FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE
|
||||||
|
AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER
|
||||||
|
LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM,
|
||||||
|
OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE
|
||||||
|
SOFTWARE.
|
91
common/db/src/lib.rs
Normal file
91
common/db/src/lib.rs
Normal file
|
@ -0,0 +1,91 @@
|
||||||
|
use core::fmt::Debug;
|
||||||
|
use std::{
|
||||||
|
sync::{Arc, RwLock},
|
||||||
|
collections::{HashSet, HashMap},
|
||||||
|
};
|
||||||
|
|
||||||
|
/// An object implementing get.
|
||||||
|
pub trait Get: Send + Sync + Debug {
|
||||||
|
fn get(&self, key: impl AsRef<[u8]>) -> Option<Vec<u8>>;
|
||||||
|
}
|
||||||
|
|
||||||
|
/// An atomic database operation.
|
||||||
|
pub trait DbTxn: Send + Sync + Debug + Get {
|
||||||
|
fn put(&mut self, key: impl AsRef<[u8]>, value: impl AsRef<[u8]>);
|
||||||
|
fn del(&mut self, key: impl AsRef<[u8]>);
|
||||||
|
fn commit(self);
|
||||||
|
}
|
||||||
|
|
||||||
|
/// A database supporting atomic operations.
|
||||||
|
pub trait Db: 'static + Send + Sync + Clone + Debug + Get {
|
||||||
|
type Transaction<'a>: DbTxn;
|
||||||
|
fn key(db_dst: &'static [u8], item_dst: &'static [u8], key: impl AsRef<[u8]>) -> Vec<u8> {
|
||||||
|
let db_len = u8::try_from(db_dst.len()).unwrap();
|
||||||
|
let dst_len = u8::try_from(item_dst.len()).unwrap();
|
||||||
|
[[db_len].as_ref(), db_dst, [dst_len].as_ref(), item_dst, key.as_ref()].concat().to_vec()
|
||||||
|
}
|
||||||
|
fn txn(&mut self) -> Self::Transaction<'_>;
|
||||||
|
}
|
||||||
|
|
||||||
|
/// An atomic operation for the in-memory databae.
|
||||||
|
#[derive(Debug)]
|
||||||
|
pub struct MemDbTxn<'a>(&'a MemDb, HashMap<Vec<u8>, Vec<u8>>, HashSet<Vec<u8>>);
|
||||||
|
|
||||||
|
impl<'a> Get for MemDbTxn<'a> {
|
||||||
|
fn get(&self, key: impl AsRef<[u8]>) -> Option<Vec<u8>> {
|
||||||
|
if self.2.contains(key.as_ref()) {
|
||||||
|
return None;
|
||||||
|
}
|
||||||
|
self.1.get(key.as_ref()).cloned().or(self.0 .0.read().unwrap().get(key.as_ref()).cloned())
|
||||||
|
}
|
||||||
|
}
|
||||||
|
impl<'a> DbTxn for MemDbTxn<'a> {
|
||||||
|
fn put(&mut self, key: impl AsRef<[u8]>, value: impl AsRef<[u8]>) {
|
||||||
|
self.2.remove(key.as_ref());
|
||||||
|
self.1.insert(key.as_ref().to_vec(), value.as_ref().to_vec());
|
||||||
|
}
|
||||||
|
fn del(&mut self, key: impl AsRef<[u8]>) {
|
||||||
|
self.1.remove(key.as_ref());
|
||||||
|
self.2.insert(key.as_ref().to_vec());
|
||||||
|
}
|
||||||
|
fn commit(mut self) {
|
||||||
|
let mut db = self.0 .0.write().unwrap();
|
||||||
|
for (key, value) in self.1.drain() {
|
||||||
|
db.insert(key, value);
|
||||||
|
}
|
||||||
|
for key in self.2 {
|
||||||
|
db.remove(&key);
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
/// An in-memory database.
|
||||||
|
#[derive(Clone, Debug)]
|
||||||
|
pub struct MemDb(Arc<RwLock<HashMap<Vec<u8>, Vec<u8>>>>);
|
||||||
|
|
||||||
|
impl Default for MemDb {
|
||||||
|
fn default() -> MemDb {
|
||||||
|
MemDb(Arc::new(RwLock::new(HashMap::new())))
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
impl MemDb {
|
||||||
|
/// Create a new in-memory database.
|
||||||
|
pub fn new() -> MemDb {
|
||||||
|
MemDb::default()
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
impl Get for MemDb {
|
||||||
|
fn get(&self, key: impl AsRef<[u8]>) -> Option<Vec<u8>> {
|
||||||
|
self.0.read().unwrap().get(key.as_ref()).cloned()
|
||||||
|
}
|
||||||
|
}
|
||||||
|
impl Db for MemDb {
|
||||||
|
type Transaction<'a> = MemDbTxn<'a>;
|
||||||
|
fn txn(&mut self) -> MemDbTxn<'_> {
|
||||||
|
MemDbTxn(self, HashMap::new(), HashSet::new())
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
// TODO: Also bind RocksDB
|
|
@ -54,6 +54,7 @@ monero-serai = { path = "../coins/monero", features = ["multisig"], optional = t
|
||||||
log = "0.4"
|
log = "0.4"
|
||||||
tokio = { version = "1", features = ["full"] }
|
tokio = { version = "1", features = ["full"] }
|
||||||
|
|
||||||
|
serai-db = { path = "../common/db", default-features = false }
|
||||||
serai-client = { path = "../substrate/client", default-features = false }
|
serai-client = { path = "../substrate/client", default-features = false }
|
||||||
|
|
||||||
messages = { package = "processor-messages", path = "./messages" }
|
messages = { package = "processor-messages", path = "./messages" }
|
||||||
|
|
|
@ -1,62 +1,9 @@
|
||||||
use core::{marker::PhantomData, fmt::Debug};
|
use core::marker::PhantomData;
|
||||||
use std::{
|
|
||||||
sync::{Arc, RwLock},
|
pub use serai_db::*;
|
||||||
collections::HashMap,
|
|
||||||
};
|
|
||||||
|
|
||||||
use crate::{Plan, coins::Coin};
|
use crate::{Plan, coins::Coin};
|
||||||
|
|
||||||
pub trait DbTxn: Send + Sync + Clone + Debug {
|
|
||||||
fn put(&mut self, key: impl AsRef<[u8]>, value: impl AsRef<[u8]>);
|
|
||||||
fn get(&self, key: impl AsRef<[u8]>) -> Option<Vec<u8>>;
|
|
||||||
fn del(&mut self, key: impl AsRef<[u8]>);
|
|
||||||
fn commit(self);
|
|
||||||
}
|
|
||||||
|
|
||||||
pub trait Db: 'static + Send + Sync + Clone + Debug {
|
|
||||||
type Transaction: DbTxn;
|
|
||||||
fn key(db_dst: &'static [u8], item_dst: &'static [u8], key: impl AsRef<[u8]>) -> Vec<u8> {
|
|
||||||
let db_len = u8::try_from(db_dst.len()).unwrap();
|
|
||||||
let dst_len = u8::try_from(item_dst.len()).unwrap();
|
|
||||||
[[db_len].as_ref(), db_dst, [dst_len].as_ref(), item_dst, key.as_ref()].concat().to_vec()
|
|
||||||
}
|
|
||||||
fn txn(&mut self) -> Self::Transaction;
|
|
||||||
fn get(&self, key: impl AsRef<[u8]>) -> Option<Vec<u8>>;
|
|
||||||
}
|
|
||||||
|
|
||||||
// TODO: Replace this with RocksDB
|
|
||||||
#[derive(Clone, Debug)]
|
|
||||||
pub struct MemDb(Arc<RwLock<HashMap<Vec<u8>, Vec<u8>>>>);
|
|
||||||
impl MemDb {
|
|
||||||
#[allow(clippy::new_without_default)]
|
|
||||||
pub fn new() -> MemDb {
|
|
||||||
MemDb(Arc::new(RwLock::new(HashMap::new())))
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
impl DbTxn for MemDb {
|
|
||||||
fn put(&mut self, key: impl AsRef<[u8]>, value: impl AsRef<[u8]>) {
|
|
||||||
self.0.write().unwrap().insert(key.as_ref().to_vec(), value.as_ref().to_vec());
|
|
||||||
}
|
|
||||||
fn get(&self, key: impl AsRef<[u8]>) -> Option<Vec<u8>> {
|
|
||||||
self.0.read().unwrap().get(key.as_ref()).cloned()
|
|
||||||
}
|
|
||||||
fn del(&mut self, key: impl AsRef<[u8]>) {
|
|
||||||
self.0.write().unwrap().remove(key.as_ref());
|
|
||||||
}
|
|
||||||
fn commit(self) {}
|
|
||||||
}
|
|
||||||
|
|
||||||
impl Db for MemDb {
|
|
||||||
type Transaction = MemDb;
|
|
||||||
fn txn(&mut self) -> MemDb {
|
|
||||||
Self(self.0.clone())
|
|
||||||
}
|
|
||||||
fn get(&self, key: impl AsRef<[u8]>) -> Option<Vec<u8>> {
|
|
||||||
self.0.read().unwrap().get(key.as_ref()).cloned()
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
#[derive(Debug)]
|
#[derive(Debug)]
|
||||||
pub struct MainDb<C: Coin, D: Db>(D, PhantomData<C>);
|
pub struct MainDb<C: Coin, D: Db>(D, PhantomData<C>);
|
||||||
impl<C: Coin, D: Db> MainDb<C, D> {
|
impl<C: Coin, D: Db> MainDb<C, D> {
|
||||||
|
|
|
@ -18,7 +18,7 @@ use log::info;
|
||||||
use serai_client::{primitives::BlockHash, validator_sets::primitives::ValidatorSet};
|
use serai_client::{primitives::BlockHash, validator_sets::primitives::ValidatorSet};
|
||||||
use messages::key_gen::*;
|
use messages::key_gen::*;
|
||||||
|
|
||||||
use crate::{DbTxn, Db, coins::Coin};
|
use crate::{Get, DbTxn, Db, coins::Coin};
|
||||||
|
|
||||||
#[derive(Debug)]
|
#[derive(Debug)]
|
||||||
pub enum KeyGenEvent<C: Ciphersuite> {
|
pub enum KeyGenEvent<C: Ciphersuite> {
|
||||||
|
@ -40,12 +40,7 @@ impl<C: Coin, D: Db> KeyGenDb<C, D> {
|
||||||
fn params_key(set: &ValidatorSet) -> Vec<u8> {
|
fn params_key(set: &ValidatorSet) -> Vec<u8> {
|
||||||
Self::key_gen_key(b"params", bincode::serialize(set).unwrap())
|
Self::key_gen_key(b"params", bincode::serialize(set).unwrap())
|
||||||
}
|
}
|
||||||
fn save_params(
|
fn save_params(txn: &mut D::Transaction<'_>, set: &ValidatorSet, params: &ThresholdParams) {
|
||||||
&mut self,
|
|
||||||
txn: &mut D::Transaction,
|
|
||||||
set: &ValidatorSet,
|
|
||||||
params: &ThresholdParams,
|
|
||||||
) {
|
|
||||||
txn.put(Self::params_key(set), bincode::serialize(params).unwrap());
|
txn.put(Self::params_key(set), bincode::serialize(params).unwrap());
|
||||||
}
|
}
|
||||||
fn params(&self, set: &ValidatorSet) -> ThresholdParams {
|
fn params(&self, set: &ValidatorSet) -> ThresholdParams {
|
||||||
|
@ -60,8 +55,7 @@ impl<C: Coin, D: Db> KeyGenDb<C, D> {
|
||||||
Self::key_gen_key(b"commitments", bincode::serialize(id).unwrap())
|
Self::key_gen_key(b"commitments", bincode::serialize(id).unwrap())
|
||||||
}
|
}
|
||||||
fn save_commitments(
|
fn save_commitments(
|
||||||
&mut self,
|
txn: &mut D::Transaction<'_>,
|
||||||
txn: &mut D::Transaction,
|
|
||||||
id: &KeyGenId,
|
id: &KeyGenId,
|
||||||
commitments: &HashMap<Participant, Vec<u8>>,
|
commitments: &HashMap<Participant, Vec<u8>>,
|
||||||
) {
|
) {
|
||||||
|
@ -78,8 +72,7 @@ impl<C: Coin, D: Db> KeyGenDb<C, D> {
|
||||||
Self::key_gen_key(b"generated_keys", bincode::serialize(id).unwrap())
|
Self::key_gen_key(b"generated_keys", bincode::serialize(id).unwrap())
|
||||||
}
|
}
|
||||||
fn save_keys(
|
fn save_keys(
|
||||||
&mut self,
|
txn: &mut D::Transaction<'_>,
|
||||||
txn: &mut D::Transaction,
|
|
||||||
id: &KeyGenId,
|
id: &KeyGenId,
|
||||||
substrate_keys: &ThresholdCore<Ristretto>,
|
substrate_keys: &ThresholdCore<Ristretto>,
|
||||||
coin_keys: &ThresholdCore<C::Curve>,
|
coin_keys: &ThresholdCore<C::Curve>,
|
||||||
|
@ -93,11 +86,11 @@ impl<C: Coin, D: Db> KeyGenDb<C, D> {
|
||||||
Self::key_gen_key(b"keys", key.to_bytes())
|
Self::key_gen_key(b"keys", key.to_bytes())
|
||||||
}
|
}
|
||||||
#[allow(clippy::type_complexity)]
|
#[allow(clippy::type_complexity)]
|
||||||
fn read_keys(
|
fn read_keys<G: Get>(
|
||||||
&self,
|
getter: &G,
|
||||||
key: &[u8],
|
key: &[u8],
|
||||||
) -> (Vec<u8>, (ThresholdKeys<Ristretto>, ThresholdKeys<C::Curve>)) {
|
) -> (Vec<u8>, (ThresholdKeys<Ristretto>, ThresholdKeys<C::Curve>)) {
|
||||||
let keys_vec = self.0.get(key).unwrap();
|
let keys_vec = getter.get(key).unwrap();
|
||||||
let mut keys_ref: &[u8] = keys_vec.as_ref();
|
let mut keys_ref: &[u8] = keys_vec.as_ref();
|
||||||
let substrate_keys = ThresholdKeys::new(ThresholdCore::read(&mut keys_ref).unwrap());
|
let substrate_keys = ThresholdKeys::new(ThresholdCore::read(&mut keys_ref).unwrap());
|
||||||
let mut coin_keys = ThresholdKeys::new(ThresholdCore::read(&mut keys_ref).unwrap());
|
let mut coin_keys = ThresholdKeys::new(ThresholdCore::read(&mut keys_ref).unwrap());
|
||||||
|
@ -105,11 +98,10 @@ impl<C: Coin, D: Db> KeyGenDb<C, D> {
|
||||||
(keys_vec, (substrate_keys, coin_keys))
|
(keys_vec, (substrate_keys, coin_keys))
|
||||||
}
|
}
|
||||||
fn confirm_keys(
|
fn confirm_keys(
|
||||||
&mut self,
|
txn: &mut D::Transaction<'_>,
|
||||||
txn: &mut D::Transaction,
|
|
||||||
id: &KeyGenId,
|
id: &KeyGenId,
|
||||||
) -> (ThresholdKeys<Ristretto>, ThresholdKeys<C::Curve>) {
|
) -> (ThresholdKeys<Ristretto>, ThresholdKeys<C::Curve>) {
|
||||||
let (keys_vec, keys) = self.read_keys(&Self::generated_keys_key(id));
|
let (keys_vec, keys) = Self::read_keys(txn, &Self::generated_keys_key(id));
|
||||||
txn.put(Self::keys_key(&keys.1.group_key()), keys_vec);
|
txn.put(Self::keys_key(&keys.1.group_key()), keys_vec);
|
||||||
keys
|
keys
|
||||||
}
|
}
|
||||||
|
@ -117,7 +109,7 @@ impl<C: Coin, D: Db> KeyGenDb<C, D> {
|
||||||
&self,
|
&self,
|
||||||
key: &<C::Curve as Ciphersuite>::G,
|
key: &<C::Curve as Ciphersuite>::G,
|
||||||
) -> (ThresholdKeys<Ristretto>, ThresholdKeys<C::Curve>) {
|
) -> (ThresholdKeys<Ristretto>, ThresholdKeys<C::Curve>) {
|
||||||
self.read_keys(&Self::keys_key(key)).1
|
Self::read_keys(&self.0, &Self::keys_key(key)).1
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
|
@ -191,7 +183,7 @@ impl<C: Coin, D: Db> KeyGen<C, D> {
|
||||||
// This may overwrite previously written params if we rebooted, yet that isn't a
|
// This may overwrite previously written params if we rebooted, yet that isn't a
|
||||||
// concern
|
// concern
|
||||||
let mut txn = self.db.0.txn();
|
let mut txn = self.db.0.txn();
|
||||||
self.db.save_params(&mut txn, &id.set, ¶ms);
|
KeyGenDb::<C, D>::save_params(&mut txn, &id.set, ¶ms);
|
||||||
txn.commit();
|
txn.commit();
|
||||||
}
|
}
|
||||||
|
|
||||||
|
@ -268,7 +260,7 @@ impl<C: Coin, D: Db> KeyGen<C, D> {
|
||||||
}
|
}
|
||||||
|
|
||||||
let mut txn = self.db.0.txn();
|
let mut txn = self.db.0.txn();
|
||||||
self.db.save_commitments(&mut txn, &id, &commitments);
|
KeyGenDb::<C, D>::save_commitments(&mut txn, &id, &commitments);
|
||||||
txn.commit();
|
txn.commit();
|
||||||
|
|
||||||
KeyGenEvent::ProcessorMessage(ProcessorMessage::Shares { id, shares })
|
KeyGenEvent::ProcessorMessage(ProcessorMessage::Shares { id, shares })
|
||||||
|
@ -349,7 +341,7 @@ impl<C: Coin, D: Db> KeyGen<C, D> {
|
||||||
let coin_keys = handle_machine(&mut rng, params, machines.1, &mut shares_ref);
|
let coin_keys = handle_machine(&mut rng, params, machines.1, &mut shares_ref);
|
||||||
|
|
||||||
let mut txn = self.db.0.txn();
|
let mut txn = self.db.0.txn();
|
||||||
self.db.save_keys(&mut txn, &id, &substrate_keys, &coin_keys);
|
KeyGenDb::<C, D>::save_keys(&mut txn, &id, &substrate_keys, &coin_keys);
|
||||||
txn.commit();
|
txn.commit();
|
||||||
|
|
||||||
let mut coin_keys = ThresholdKeys::new(coin_keys);
|
let mut coin_keys = ThresholdKeys::new(coin_keys);
|
||||||
|
@ -363,7 +355,7 @@ impl<C: Coin, D: Db> KeyGen<C, D> {
|
||||||
|
|
||||||
CoordinatorMessage::ConfirmKeyPair { context, id } => {
|
CoordinatorMessage::ConfirmKeyPair { context, id } => {
|
||||||
let mut txn = self.db.0.txn();
|
let mut txn = self.db.0.txn();
|
||||||
let (substrate_keys, coin_keys) = self.db.confirm_keys(&mut txn, &id);
|
let (substrate_keys, coin_keys) = KeyGenDb::<C, D>::confirm_keys(&mut txn, &id);
|
||||||
txn.commit();
|
txn.commit();
|
||||||
|
|
||||||
info!(
|
info!(
|
||||||
|
|
|
@ -15,7 +15,7 @@ use tokio::{
|
||||||
};
|
};
|
||||||
|
|
||||||
use crate::{
|
use crate::{
|
||||||
DbTxn, Db,
|
Get, DbTxn, Db,
|
||||||
coins::{Output, Transaction, EventualitiesTracker, Block, Coin},
|
coins::{Output, Transaction, EventualitiesTracker, Block, Coin},
|
||||||
};
|
};
|
||||||
|
|
||||||
|
@ -48,17 +48,12 @@ impl<C: Coin, D: Db> ScannerDb<C, D> {
|
||||||
fn block_number_key(id: &<C::Block as Block<C>>::Id) -> Vec<u8> {
|
fn block_number_key(id: &<C::Block as Block<C>>::Id) -> Vec<u8> {
|
||||||
Self::scanner_key(b"block_number", id)
|
Self::scanner_key(b"block_number", id)
|
||||||
}
|
}
|
||||||
fn save_block(
|
fn save_block(txn: &mut D::Transaction<'_>, number: usize, id: &<C::Block as Block<C>>::Id) {
|
||||||
&mut self,
|
|
||||||
txn: &mut D::Transaction,
|
|
||||||
number: usize,
|
|
||||||
id: &<C::Block as Block<C>>::Id,
|
|
||||||
) {
|
|
||||||
txn.put(Self::block_number_key(id), u64::try_from(number).unwrap().to_le_bytes());
|
txn.put(Self::block_number_key(id), u64::try_from(number).unwrap().to_le_bytes());
|
||||||
txn.put(Self::block_key(number), id);
|
txn.put(Self::block_key(number), id);
|
||||||
}
|
}
|
||||||
fn block(&self, number: usize) -> Option<<C::Block as Block<C>>::Id> {
|
fn block<G: Get>(getter: &G, number: usize) -> Option<<C::Block as Block<C>>::Id> {
|
||||||
self.0.get(Self::block_key(number)).map(|id| {
|
getter.get(Self::block_key(number)).map(|id| {
|
||||||
let mut res = <C::Block as Block<C>>::Id::default();
|
let mut res = <C::Block as Block<C>>::Id::default();
|
||||||
res.as_mut().copy_from_slice(&id);
|
res.as_mut().copy_from_slice(&id);
|
||||||
res
|
res
|
||||||
|
@ -74,8 +69,8 @@ impl<C: Coin, D: Db> ScannerDb<C, D> {
|
||||||
fn active_keys_key() -> Vec<u8> {
|
fn active_keys_key() -> Vec<u8> {
|
||||||
Self::scanner_key(b"active_keys", b"")
|
Self::scanner_key(b"active_keys", b"")
|
||||||
}
|
}
|
||||||
fn add_active_key(&mut self, txn: &mut D::Transaction, key: <C::Curve as Ciphersuite>::G) {
|
fn add_active_key(txn: &mut D::Transaction<'_>, key: <C::Curve as Ciphersuite>::G) {
|
||||||
let mut keys = self.0.get(Self::active_keys_key()).unwrap_or(vec![]);
|
let mut keys = txn.get(Self::active_keys_key()).unwrap_or(vec![]);
|
||||||
|
|
||||||
let key_bytes = key.to_bytes();
|
let key_bytes = key.to_bytes();
|
||||||
|
|
||||||
|
@ -130,8 +125,7 @@ impl<C: Coin, D: Db> ScannerDb<C, D> {
|
||||||
Self::scanner_key(b"outputs", [key.to_bytes().as_ref(), block.as_ref()].concat())
|
Self::scanner_key(b"outputs", [key.to_bytes().as_ref(), block.as_ref()].concat())
|
||||||
}
|
}
|
||||||
fn save_outputs(
|
fn save_outputs(
|
||||||
&mut self,
|
txn: &mut D::Transaction<'_>,
|
||||||
txn: &mut D::Transaction,
|
|
||||||
key: &<C::Curve as Ciphersuite>::G,
|
key: &<C::Curve as Ciphersuite>::G,
|
||||||
block: &<C::Block as Block<C>>::Id,
|
block: &<C::Block as Block<C>>::Id,
|
||||||
outputs: &[C::Output],
|
outputs: &[C::Output],
|
||||||
|
@ -165,11 +159,11 @@ impl<C: Coin, D: Db> ScannerDb<C, D> {
|
||||||
next
|
next
|
||||||
}
|
}
|
||||||
fn outputs(
|
fn outputs(
|
||||||
&self,
|
txn: &D::Transaction<'_>,
|
||||||
key: &<C::Curve as Ciphersuite>::G,
|
key: &<C::Curve as Ciphersuite>::G,
|
||||||
block: &<C::Block as Block<C>>::Id,
|
block: &<C::Block as Block<C>>::Id,
|
||||||
) -> Option<Vec<C::Output>> {
|
) -> Option<Vec<C::Output>> {
|
||||||
let bytes_vec = self.0.get(Self::outputs_key(key, block))?;
|
let bytes_vec = txn.get(Self::outputs_key(key, block))?;
|
||||||
let mut bytes: &[u8] = bytes_vec.as_ref();
|
let mut bytes: &[u8] = bytes_vec.as_ref();
|
||||||
|
|
||||||
let mut res = vec![];
|
let mut res = vec![];
|
||||||
|
@ -183,13 +177,12 @@ impl<C: Coin, D: Db> ScannerDb<C, D> {
|
||||||
Self::scanner_key(b"scanned_block", key.to_bytes())
|
Self::scanner_key(b"scanned_block", key.to_bytes())
|
||||||
}
|
}
|
||||||
fn save_scanned_block(
|
fn save_scanned_block(
|
||||||
&mut self,
|
txn: &mut D::Transaction<'_>,
|
||||||
txn: &mut D::Transaction,
|
|
||||||
key: &<C::Curve as Ciphersuite>::G,
|
key: &<C::Curve as Ciphersuite>::G,
|
||||||
block: usize,
|
block: usize,
|
||||||
) -> Vec<C::Output> {
|
) -> Vec<C::Output> {
|
||||||
let new_key = self.0.get(Self::scanned_block_key(key)).is_none();
|
let new_key = txn.get(Self::scanned_block_key(key)).is_none();
|
||||||
let outputs = self.block(block).and_then(|id| self.outputs(key, &id));
|
let outputs = Self::block(txn, block).and_then(|id| Self::outputs(txn, key, &id));
|
||||||
// Either this is a new key, with no outputs, or we're acknowledging this block
|
// Either this is a new key, with no outputs, or we're acknowledging this block
|
||||||
// If we're acknowledging it, we should have outputs available
|
// If we're acknowledging it, we should have outputs available
|
||||||
assert_eq!(new_key, outputs.is_none());
|
assert_eq!(new_key, outputs.is_none());
|
||||||
|
@ -278,8 +271,8 @@ impl<C: Coin, D: Db> ScannerHandle<C, D> {
|
||||||
|
|
||||||
info!("Rotating to key {}", hex::encode(key.to_bytes()));
|
info!("Rotating to key {}", hex::encode(key.to_bytes()));
|
||||||
let mut txn = scanner.db.0.txn();
|
let mut txn = scanner.db.0.txn();
|
||||||
assert!(scanner.db.save_scanned_block(&mut txn, &key, activation_number).is_empty());
|
assert!(ScannerDb::<C, D>::save_scanned_block(&mut txn, &key, activation_number).is_empty());
|
||||||
scanner.db.add_active_key(&mut txn, key);
|
ScannerDb::<C, D>::add_active_key(&mut txn, key);
|
||||||
txn.commit();
|
txn.commit();
|
||||||
scanner.keys.push(key);
|
scanner.keys.push(key);
|
||||||
}
|
}
|
||||||
|
@ -300,7 +293,7 @@ impl<C: Coin, D: Db> ScannerHandle<C, D> {
|
||||||
scanner.db.block_number(&id).expect("main loop trying to operate on data we haven't scanned");
|
scanner.db.block_number(&id).expect("main loop trying to operate on data we haven't scanned");
|
||||||
|
|
||||||
let mut txn = scanner.db.0.txn();
|
let mut txn = scanner.db.0.txn();
|
||||||
let outputs = scanner.db.save_scanned_block(&mut txn, &key, number);
|
let outputs = ScannerDb::<C, D>::save_scanned_block(&mut txn, &key, number);
|
||||||
txn.commit();
|
txn.commit();
|
||||||
|
|
||||||
for output in &outputs {
|
for output in &outputs {
|
||||||
|
@ -395,7 +388,7 @@ impl<C: Coin, D: Db> Scanner<C, D> {
|
||||||
};
|
};
|
||||||
let block_id = block.id();
|
let block_id = block.id();
|
||||||
|
|
||||||
if let Some(id) = scanner.db.block(i) {
|
if let Some(id) = ScannerDb::<C, D>::block(&scanner.db.0, i) {
|
||||||
// TODO2: Also check this block builds off the previous block
|
// TODO2: Also check this block builds off the previous block
|
||||||
if id != block_id {
|
if id != block_id {
|
||||||
panic!("reorg'd from finalized {} to {}", hex::encode(id), hex::encode(block_id));
|
panic!("reorg'd from finalized {} to {}", hex::encode(id), hex::encode(block_id));
|
||||||
|
@ -403,7 +396,7 @@ impl<C: Coin, D: Db> Scanner<C, D> {
|
||||||
} else {
|
} else {
|
||||||
info!("Found new block: {}", hex::encode(&block_id));
|
info!("Found new block: {}", hex::encode(&block_id));
|
||||||
let mut txn = scanner.db.0.txn();
|
let mut txn = scanner.db.0.txn();
|
||||||
scanner.db.save_block(&mut txn, i, &block_id);
|
ScannerDb::<C, D>::save_block(&mut txn, i, &block_id);
|
||||||
txn.commit();
|
txn.commit();
|
||||||
}
|
}
|
||||||
|
|
||||||
|
@ -461,7 +454,7 @@ impl<C: Coin, D: Db> Scanner<C, D> {
|
||||||
|
|
||||||
// Save the outputs to disk
|
// Save the outputs to disk
|
||||||
let mut txn = scanner.db.0.txn();
|
let mut txn = scanner.db.0.txn();
|
||||||
let batch = scanner.db.save_outputs(&mut txn, &key, &block_id, &outputs);
|
let batch = ScannerDb::<C, D>::save_outputs(&mut txn, &key, &block_id, &outputs);
|
||||||
txn.commit();
|
txn.commit();
|
||||||
|
|
||||||
const TIME_TOLERANCE: u64 = 15;
|
const TIME_TOLERANCE: u64 = 15;
|
||||||
|
|
|
@ -21,7 +21,7 @@ use tokio::{
|
||||||
|
|
||||||
use messages::sign::*;
|
use messages::sign::*;
|
||||||
use crate::{
|
use crate::{
|
||||||
DbTxn, Db,
|
Get, DbTxn, Db,
|
||||||
coins::{Transaction, Eventuality, Coin},
|
coins::{Transaction, Eventuality, Coin},
|
||||||
};
|
};
|
||||||
|
|
||||||
|
@ -46,8 +46,7 @@ impl<C: Coin, D: Db> SignerDb<C, D> {
|
||||||
Self::sign_key(b"completed", id)
|
Self::sign_key(b"completed", id)
|
||||||
}
|
}
|
||||||
fn complete(
|
fn complete(
|
||||||
&mut self,
|
txn: &mut D::Transaction<'_>,
|
||||||
txn: &mut D::Transaction,
|
|
||||||
id: [u8; 32],
|
id: [u8; 32],
|
||||||
tx: &<C::Transaction as Transaction<C>>::Id,
|
tx: &<C::Transaction as Transaction<C>>::Id,
|
||||||
) {
|
) {
|
||||||
|
@ -77,12 +76,7 @@ impl<C: Coin, D: Db> SignerDb<C, D> {
|
||||||
fn eventuality_key(id: [u8; 32]) -> Vec<u8> {
|
fn eventuality_key(id: [u8; 32]) -> Vec<u8> {
|
||||||
Self::sign_key(b"eventuality", id)
|
Self::sign_key(b"eventuality", id)
|
||||||
}
|
}
|
||||||
fn save_eventuality(
|
fn save_eventuality(txn: &mut D::Transaction<'_>, id: [u8; 32], eventuality: C::Eventuality) {
|
||||||
&mut self,
|
|
||||||
txn: &mut D::Transaction,
|
|
||||||
id: [u8; 32],
|
|
||||||
eventuality: C::Eventuality,
|
|
||||||
) {
|
|
||||||
txn.put(Self::eventuality_key(id), eventuality.serialize());
|
txn.put(Self::eventuality_key(id), eventuality.serialize());
|
||||||
}
|
}
|
||||||
fn eventuality(&self, id: [u8; 32]) -> Option<C::Eventuality> {
|
fn eventuality(&self, id: [u8; 32]) -> Option<C::Eventuality> {
|
||||||
|
@ -94,14 +88,14 @@ impl<C: Coin, D: Db> SignerDb<C, D> {
|
||||||
fn attempt_key(id: &SignId) -> Vec<u8> {
|
fn attempt_key(id: &SignId) -> Vec<u8> {
|
||||||
Self::sign_key(b"attempt", bincode::serialize(id).unwrap())
|
Self::sign_key(b"attempt", bincode::serialize(id).unwrap())
|
||||||
}
|
}
|
||||||
fn attempt(&mut self, txn: &mut D::Transaction, id: &SignId) {
|
fn attempt(txn: &mut D::Transaction<'_>, id: &SignId) {
|
||||||
txn.put(Self::attempt_key(id), []);
|
txn.put(Self::attempt_key(id), []);
|
||||||
}
|
}
|
||||||
fn has_attempt(&mut self, id: &SignId) -> bool {
|
fn has_attempt(&mut self, id: &SignId) -> bool {
|
||||||
self.0.get(Self::attempt_key(id)).is_some()
|
self.0.get(Self::attempt_key(id)).is_some()
|
||||||
}
|
}
|
||||||
|
|
||||||
fn save_transaction(&mut self, txn: &mut D::Transaction, tx: &C::Transaction) {
|
fn save_transaction(txn: &mut D::Transaction<'_>, tx: &C::Transaction) {
|
||||||
txn.put(Self::sign_key(b"tx", tx.id()), tx.serialize());
|
txn.put(Self::sign_key(b"tx", tx.id()), tx.serialize());
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
@ -231,8 +225,8 @@ impl<C: Coin, D: Db> Signer<C, D> {
|
||||||
|
|
||||||
// Stop trying to sign for this TX
|
// Stop trying to sign for this TX
|
||||||
let mut txn = self.db.0.txn();
|
let mut txn = self.db.0.txn();
|
||||||
self.db.save_transaction(&mut txn, &tx);
|
SignerDb::<C, D>::save_transaction(&mut txn, &tx);
|
||||||
self.db.complete(&mut txn, id, tx_id);
|
SignerDb::<C, D>::complete(&mut txn, id, tx_id);
|
||||||
txn.commit();
|
txn.commit();
|
||||||
|
|
||||||
self.signable.remove(&id);
|
self.signable.remove(&id);
|
||||||
|
@ -345,9 +339,9 @@ impl<C: Coin, D: Db> Signer<C, D> {
|
||||||
|
|
||||||
// Save the transaction in case it's needed for recovery
|
// Save the transaction in case it's needed for recovery
|
||||||
let mut txn = self.db.0.txn();
|
let mut txn = self.db.0.txn();
|
||||||
self.db.save_transaction(&mut txn, &tx);
|
SignerDb::<C, D>::save_transaction(&mut txn, &tx);
|
||||||
let tx_id = tx.id();
|
let tx_id = tx.id();
|
||||||
self.db.complete(&mut txn, id.id, &tx_id);
|
SignerDb::<C, D>::complete(&mut txn, id.id, &tx_id);
|
||||||
txn.commit();
|
txn.commit();
|
||||||
|
|
||||||
// Publish it
|
// Publish it
|
||||||
|
@ -481,7 +475,7 @@ impl<C: Coin, D: Db> Signer<C, D> {
|
||||||
}
|
}
|
||||||
|
|
||||||
let mut txn = signer.db.0.txn();
|
let mut txn = signer.db.0.txn();
|
||||||
signer.db.attempt(&mut txn, &id);
|
SignerDb::<C, D>::attempt(&mut txn, &id);
|
||||||
txn.commit();
|
txn.commit();
|
||||||
|
|
||||||
// Attempt to create the TX
|
// Attempt to create the TX
|
||||||
|
@ -552,7 +546,7 @@ impl<C: Coin, D: Db> SignerHandle<C, D> {
|
||||||
}
|
}
|
||||||
|
|
||||||
let mut txn = signer.db.0.txn();
|
let mut txn = signer.db.0.txn();
|
||||||
signer.db.save_eventuality(&mut txn, id, eventuality);
|
SignerDb::<C, D>::save_eventuality(&mut txn, id, eventuality);
|
||||||
txn.commit();
|
txn.commit();
|
||||||
|
|
||||||
signer.signable.insert(id, (start, tx));
|
signer.signable.insert(id, (start, tx));
|
||||||
|
|
|
@ -51,7 +51,7 @@ impl<D: Db> SubstrateSignerDb<D> {
|
||||||
fn completed_key(id: [u8; 32]) -> Vec<u8> {
|
fn completed_key(id: [u8; 32]) -> Vec<u8> {
|
||||||
Self::sign_key(b"completed", id)
|
Self::sign_key(b"completed", id)
|
||||||
}
|
}
|
||||||
fn complete(&mut self, txn: &mut D::Transaction, id: [u8; 32]) {
|
fn complete(txn: &mut D::Transaction<'_>, id: [u8; 32]) {
|
||||||
txn.put(Self::completed_key(id), [1]);
|
txn.put(Self::completed_key(id), [1]);
|
||||||
}
|
}
|
||||||
fn completed(&self, id: [u8; 32]) -> bool {
|
fn completed(&self, id: [u8; 32]) -> bool {
|
||||||
|
@ -61,14 +61,14 @@ impl<D: Db> SubstrateSignerDb<D> {
|
||||||
fn attempt_key(id: &SignId) -> Vec<u8> {
|
fn attempt_key(id: &SignId) -> Vec<u8> {
|
||||||
Self::sign_key(b"attempt", bincode::serialize(id).unwrap())
|
Self::sign_key(b"attempt", bincode::serialize(id).unwrap())
|
||||||
}
|
}
|
||||||
fn attempt(&mut self, txn: &mut D::Transaction, id: &SignId) {
|
fn attempt(txn: &mut D::Transaction<'_>, id: &SignId) {
|
||||||
txn.put(Self::attempt_key(id), []);
|
txn.put(Self::attempt_key(id), []);
|
||||||
}
|
}
|
||||||
fn has_attempt(&mut self, id: &SignId) -> bool {
|
fn has_attempt(&mut self, id: &SignId) -> bool {
|
||||||
self.0.get(Self::attempt_key(id)).is_some()
|
self.0.get(Self::attempt_key(id)).is_some()
|
||||||
}
|
}
|
||||||
|
|
||||||
fn save_batch(&mut self, txn: &mut D::Transaction, batch: &SignedBatch) {
|
fn save_batch(txn: &mut D::Transaction<'_>, batch: &SignedBatch) {
|
||||||
txn.put(Self::sign_key(b"batch", batch.batch.block), batch.encode());
|
txn.put(Self::sign_key(b"batch", batch.batch.block), batch.encode());
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
@ -252,8 +252,8 @@ impl<D: Db> SubstrateSigner<D> {
|
||||||
|
|
||||||
// Save the batch in case it's needed for recovery
|
// Save the batch in case it's needed for recovery
|
||||||
let mut txn = self.db.0.txn();
|
let mut txn = self.db.0.txn();
|
||||||
self.db.save_batch(&mut txn, &batch);
|
SubstrateSignerDb::<D>::save_batch(&mut txn, &batch);
|
||||||
self.db.complete(&mut txn, id.id);
|
SubstrateSignerDb::<D>::complete(&mut txn, id.id);
|
||||||
txn.commit();
|
txn.commit();
|
||||||
|
|
||||||
// Stop trying to sign for this batch
|
// Stop trying to sign for this batch
|
||||||
|
@ -267,7 +267,7 @@ impl<D: Db> SubstrateSigner<D> {
|
||||||
CoordinatorMessage::BatchSigned { key: _, block } => {
|
CoordinatorMessage::BatchSigned { key: _, block } => {
|
||||||
// Stop trying to sign for this batch
|
// Stop trying to sign for this batch
|
||||||
let mut txn = self.db.0.txn();
|
let mut txn = self.db.0.txn();
|
||||||
self.db.complete(&mut txn, block.0);
|
SubstrateSignerDb::<D>::complete(&mut txn, block.0);
|
||||||
txn.commit();
|
txn.commit();
|
||||||
|
|
||||||
self.signable.remove(&block.0);
|
self.signable.remove(&block.0);
|
||||||
|
@ -377,7 +377,7 @@ impl<D: Db> SubstrateSigner<D> {
|
||||||
}
|
}
|
||||||
|
|
||||||
let mut txn = signer.db.0.txn();
|
let mut txn = signer.db.0.txn();
|
||||||
signer.db.attempt(&mut txn, &id);
|
SubstrateSignerDb::<D>::attempt(&mut txn, &id);
|
||||||
txn.commit();
|
txn.commit();
|
||||||
|
|
||||||
// b"substrate" is a literal from sp-core
|
// b"substrate" is a literal from sp-core
|
||||||
|
|
|
@ -7,11 +7,13 @@ use frost::{Participant, ThresholdKeys};
|
||||||
|
|
||||||
use tokio::time::timeout;
|
use tokio::time::timeout;
|
||||||
|
|
||||||
|
use serai_db::MemDb;
|
||||||
|
|
||||||
use crate::{
|
use crate::{
|
||||||
Plan, Db,
|
Plan, Db,
|
||||||
coins::{OutputType, Output, Block, Coin},
|
coins::{OutputType, Output, Block, Coin},
|
||||||
scanner::{ScannerEvent, Scanner, ScannerHandle},
|
scanner::{ScannerEvent, Scanner, ScannerHandle},
|
||||||
tests::{util::db::MemDb, sign},
|
tests::sign,
|
||||||
};
|
};
|
||||||
|
|
||||||
async fn spend<C: Coin, D: Db>(
|
async fn spend<C: Coin, D: Db>(
|
||||||
|
|
|
@ -7,6 +7,8 @@ use rand_core::{RngCore, OsRng};
|
||||||
use group::GroupEncoding;
|
use group::GroupEncoding;
|
||||||
use frost::{Participant, ThresholdParams, tests::clone_without};
|
use frost::{Participant, ThresholdParams, tests::clone_without};
|
||||||
|
|
||||||
|
use serai_db::MemDb;
|
||||||
|
|
||||||
use serai_client::{
|
use serai_client::{
|
||||||
primitives::{MONERO_NET_ID, BlockHash},
|
primitives::{MONERO_NET_ID, BlockHash},
|
||||||
validator_sets::primitives::{Session, ValidatorSet},
|
validator_sets::primitives::{Session, ValidatorSet},
|
||||||
|
@ -16,7 +18,6 @@ use messages::{SubstrateContext, key_gen::*};
|
||||||
use crate::{
|
use crate::{
|
||||||
coins::Coin,
|
coins::Coin,
|
||||||
key_gen::{KeyGenEvent, KeyGen},
|
key_gen::{KeyGenEvent, KeyGen},
|
||||||
tests::util::db::MemDb,
|
|
||||||
};
|
};
|
||||||
|
|
||||||
const ID: KeyGenId =
|
const ID: KeyGenId =
|
||||||
|
|
|
@ -1,5 +1,3 @@
|
||||||
pub(crate) mod util;
|
|
||||||
|
|
||||||
mod key_gen;
|
mod key_gen;
|
||||||
pub(crate) use key_gen::test_key_gen;
|
pub(crate) use key_gen::test_key_gen;
|
||||||
|
|
||||||
|
|
|
@ -7,10 +7,11 @@ use frost::Participant;
|
||||||
|
|
||||||
use tokio::time::timeout;
|
use tokio::time::timeout;
|
||||||
|
|
||||||
|
use serai_db::MemDb;
|
||||||
|
|
||||||
use crate::{
|
use crate::{
|
||||||
coins::{OutputType, Output, Block, Coin},
|
coins::{OutputType, Output, Block, Coin},
|
||||||
scanner::{ScannerEvent, Scanner, ScannerHandle},
|
scanner::{ScannerEvent, Scanner, ScannerHandle},
|
||||||
tests::util::db::MemDb,
|
|
||||||
};
|
};
|
||||||
|
|
||||||
pub async fn test_scanner<C: Coin>(coin: C) {
|
pub async fn test_scanner<C: Coin>(coin: C) {
|
||||||
|
|
|
@ -13,12 +13,13 @@ use frost::{
|
||||||
|
|
||||||
use tokio::time::timeout;
|
use tokio::time::timeout;
|
||||||
|
|
||||||
|
use serai_db::MemDb;
|
||||||
|
|
||||||
use messages::sign::*;
|
use messages::sign::*;
|
||||||
use crate::{
|
use crate::{
|
||||||
Payment, Plan,
|
Payment, Plan,
|
||||||
coins::{Output, Transaction, Coin},
|
coins::{Output, Transaction, Coin},
|
||||||
signer::{SignerEvent, Signer},
|
signer::{SignerEvent, Signer},
|
||||||
tests::util::db::MemDb,
|
|
||||||
};
|
};
|
||||||
|
|
||||||
#[allow(clippy::type_complexity)]
|
#[allow(clippy::type_complexity)]
|
||||||
|
|
|
@ -17,13 +17,12 @@ use tokio::time::timeout;
|
||||||
use scale::Encode;
|
use scale::Encode;
|
||||||
use sp_application_crypto::{RuntimePublic, sr25519::Public};
|
use sp_application_crypto::{RuntimePublic, sr25519::Public};
|
||||||
|
|
||||||
|
use serai_db::MemDb;
|
||||||
|
|
||||||
use serai_client::{primitives::*, in_instructions::primitives::*};
|
use serai_client::{primitives::*, in_instructions::primitives::*};
|
||||||
|
|
||||||
use messages::{sign::SignId, coordinator::*};
|
use messages::{sign::SignId, coordinator::*};
|
||||||
use crate::{
|
use crate::substrate_signer::{SubstrateSignerEvent, SubstrateSigner};
|
||||||
substrate_signer::{SubstrateSignerEvent, SubstrateSigner},
|
|
||||||
tests::util::db::MemDb,
|
|
||||||
};
|
|
||||||
|
|
||||||
#[tokio::test]
|
#[tokio::test]
|
||||||
async fn test_substrate_signer() {
|
async fn test_substrate_signer() {
|
||||||
|
|
|
@ -1,42 +0,0 @@
|
||||||
use std::{
|
|
||||||
sync::{Arc, RwLock},
|
|
||||||
collections::HashMap,
|
|
||||||
};
|
|
||||||
|
|
||||||
use crate::{DbTxn, Db};
|
|
||||||
|
|
||||||
#[derive(Clone, Debug)]
|
|
||||||
pub struct MemDb(Arc<RwLock<HashMap<Vec<u8>, Vec<u8>>>>);
|
|
||||||
impl MemDb {
|
|
||||||
pub(crate) fn new() -> MemDb {
|
|
||||||
MemDb(Arc::new(RwLock::new(HashMap::new())))
|
|
||||||
}
|
|
||||||
}
|
|
||||||
impl Default for MemDb {
|
|
||||||
fn default() -> MemDb {
|
|
||||||
MemDb::new()
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
impl DbTxn for MemDb {
|
|
||||||
fn put(&mut self, key: impl AsRef<[u8]>, value: impl AsRef<[u8]>) {
|
|
||||||
self.0.write().unwrap().insert(key.as_ref().to_vec(), value.as_ref().to_vec());
|
|
||||||
}
|
|
||||||
fn get(&self, key: impl AsRef<[u8]>) -> Option<Vec<u8>> {
|
|
||||||
self.0.read().unwrap().get(key.as_ref()).cloned()
|
|
||||||
}
|
|
||||||
fn del(&mut self, key: impl AsRef<[u8]>) {
|
|
||||||
self.0.write().unwrap().remove(key.as_ref());
|
|
||||||
}
|
|
||||||
fn commit(self) {}
|
|
||||||
}
|
|
||||||
|
|
||||||
impl Db for MemDb {
|
|
||||||
type Transaction = MemDb;
|
|
||||||
fn txn(&mut self) -> MemDb {
|
|
||||||
Self(self.0.clone())
|
|
||||||
}
|
|
||||||
fn get(&self, key: impl AsRef<[u8]>) -> Option<Vec<u8>> {
|
|
||||||
self.0.read().unwrap().get(key.as_ref()).cloned()
|
|
||||||
}
|
|
||||||
}
|
|
|
@ -1 +0,0 @@
|
||||||
pub(crate) mod db;
|
|
|
@ -6,12 +6,14 @@ use frost::{Participant, dkg::tests::key_gen};
|
||||||
|
|
||||||
use tokio::time::timeout;
|
use tokio::time::timeout;
|
||||||
|
|
||||||
|
use serai_db::MemDb;
|
||||||
|
|
||||||
use crate::{
|
use crate::{
|
||||||
Payment, Plan,
|
Payment, Plan,
|
||||||
coins::{Output, Transaction, Block, Coin},
|
coins::{Output, Transaction, Block, Coin},
|
||||||
scanner::{ScannerEvent, Scanner},
|
scanner::{ScannerEvent, Scanner},
|
||||||
scheduler::Scheduler,
|
scheduler::Scheduler,
|
||||||
tests::{util::db::MemDb, sign},
|
tests::sign,
|
||||||
};
|
};
|
||||||
|
|
||||||
// Tests the Scanner, Scheduler, and Signer together
|
// Tests the Scanner, Scheduler, and Signer together
|
||||||
|
|
Loading…
Reference in a new issue