use crate::LOG_TARGET;
use codec::{Decode, Encode};
use log::{info, trace};
use sc_client_api::backend::AuxStore;
use sp_blockchain::{Error as ClientError, Result as ClientResult};
use sp_runtime::traits::{Block, NumberFor};
const VERSION_KEY: &[u8] = b"mmr_auxschema_version";
const GADGET_STATE: &[u8] = b"mmr_gadget_state";
const CURRENT_VERSION: u32 = 1;
pub(crate) type PersistedState<B> = NumberFor<B>;
pub(crate) fn write_current_version<B: AuxStore>(backend: &B) -> ClientResult<()> {
info!(target: LOG_TARGET, "write aux schema version {:?}", CURRENT_VERSION);
AuxStore::insert_aux(backend, &[(VERSION_KEY, CURRENT_VERSION.encode().as_slice())], &[])
}
pub(crate) fn write_gadget_state<B: Block, BE: AuxStore>(
backend: &BE,
state: &PersistedState<B>,
) -> ClientResult<()> {
trace!(target: LOG_TARGET, "persisting {:?}", state);
backend.insert_aux(&[(GADGET_STATE, state.encode().as_slice())], &[])
}
fn load_decode<B: AuxStore, T: Decode>(backend: &B, key: &[u8]) -> ClientResult<Option<T>> {
match backend.get_aux(key)? {
None => Ok(None),
Some(t) => T::decode(&mut &t[..])
.map_err(|e| ClientError::Backend(format!("MMR aux DB is corrupted: {}", e)))
.map(Some),
}
}
pub(crate) fn load_state<B, BE>(backend: &BE) -> ClientResult<Option<PersistedState<B>>>
where
B: Block,
BE: AuxStore,
{
let version: Option<u32> = load_decode(backend, VERSION_KEY)?;
match version {
None => (),
Some(1) => return load_decode::<_, PersistedState<B>>(backend, GADGET_STATE),
other =>
return Err(ClientError::Backend(format!("Unsupported MMR aux DB version: {:?}", other))),
}
Ok(None)
}
pub(crate) fn load_or_init_state<B, BE>(
backend: &BE,
default: NumberFor<B>,
) -> sp_blockchain::Result<NumberFor<B>>
where
B: Block,
BE: AuxStore,
{
if let Some(best) = load_state::<B, BE>(backend)? {
info!(target: LOG_TARGET, "Loading MMR best canonicalized state from db: {:?}.", best);
Ok(best)
} else {
info!(
target: LOG_TARGET,
"Loading MMR from pallet genesis on what appears to be the first startup: {:?}.",
default
);
write_current_version(backend)?;
write_gadget_state::<B, BE>(backend, &default)?;
Ok(default)
}
}
#[cfg(test)]
pub(crate) mod tests {
use super::*;
use crate::test_utils::{run_test_with_mmr_gadget_pre_post_using_client, MmrBlock, MockClient};
use parking_lot::Mutex;
use sp_runtime::generic::BlockId;
use std::{sync::Arc, time::Duration};
use substrate_test_runtime_client::{runtime::Block, Backend};
#[test]
fn should_load_persistent_sanity_checks() {
let client = MockClient::new();
let backend = &*client.backend;
assert_eq!(load_state::<Block, Backend>(backend).unwrap(), None);
write_current_version(backend).unwrap();
assert_eq!(load_decode(backend, VERSION_KEY).unwrap(), Some(CURRENT_VERSION));
assert_eq!(load_state::<Block, Backend>(backend).unwrap(), None);
}
#[test]
fn should_persist_progress_across_runs() {
sp_tracing::try_init_simple();
let client = Arc::new(MockClient::new());
let backend = client.backend.clone();
assert_eq!(load_decode::<Backend, Option<u32>>(&*backend, VERSION_KEY).unwrap(), None);
assert_eq!(load_state::<Block, Backend>(&*backend).unwrap(), None);
run_test_with_mmr_gadget_pre_post_using_client(
client.clone(),
|_| async {},
|client| async move {
let a1 = client.import_block(&BlockId::Number(0), b"a1", Some(0)).await;
let a2 = client.import_block(&BlockId::Number(1), b"a2", Some(1)).await;
let a3 = client.import_block(&BlockId::Number(2), b"a3", Some(2)).await;
client.finalize_block(a3.hash(), Some(3));
tokio::time::sleep(Duration::from_millis(200)).await;
client.assert_canonicalized(&[&a1, &a2, &a3]);
},
);
run_test_with_mmr_gadget_pre_post_using_client(
client.clone(),
|client| async move {
let backend = &*client.backend;
assert_eq!(load_decode(backend, VERSION_KEY).unwrap(), Some(CURRENT_VERSION));
assert_eq!(load_state::<Block, Backend>(backend).unwrap(), Some(3));
},
|client| async move {
let a4 = client.import_block(&BlockId::Number(3), b"a4", Some(3)).await;
let a5 = client.import_block(&BlockId::Number(4), b"a5", Some(4)).await;
let a6 = client.import_block(&BlockId::Number(5), b"a6", Some(5)).await;
client.finalize_block(a6.hash(), Some(6));
tokio::time::sleep(Duration::from_millis(200)).await;
client.assert_canonicalized(&[&a4, &a5, &a6]);
assert_eq!(load_state::<Block, Backend>(&*client.backend).unwrap(), Some(6));
},
);
}
#[test]
fn should_resume_from_persisted_state() {
sp_tracing::try_init_simple();
let client = Arc::new(MockClient::new());
let blocks = Arc::new(Mutex::new(Vec::<MmrBlock>::new()));
let blocks_clone = blocks.clone();
run_test_with_mmr_gadget_pre_post_using_client(
client.clone(),
|_| async {},
|client| async move {
let mut blocks = blocks_clone.lock();
blocks.push(client.import_block(&BlockId::Number(0), b"a1", Some(0)).await);
blocks.push(client.import_block(&BlockId::Number(1), b"a2", Some(1)).await);
blocks.push(client.import_block(&BlockId::Number(2), b"a3", Some(2)).await);
client.finalize_block(blocks.last().unwrap().hash(), Some(3));
tokio::time::sleep(Duration::from_millis(200)).await;
let slice: Vec<&MmrBlock> = blocks.iter().collect();
client.assert_canonicalized(&slice);
for mmr_block in slice {
client.undo_block_canonicalization(mmr_block)
}
},
);
let blocks_clone = blocks.clone();
run_test_with_mmr_gadget_pre_post_using_client(
client.clone(),
|client| async move {
let blocks = blocks_clone.lock();
let slice: Vec<&MmrBlock> = blocks.iter().collect();
assert_eq!(load_state::<Block, Backend>(&*client.backend).unwrap(), Some(3));
client.assert_not_canonicalized(&slice);
},
|client| async move {
let a4 = client.import_block(&BlockId::Number(3), b"a4", Some(3)).await;
let a5 = client.import_block(&BlockId::Number(4), b"a5", Some(4)).await;
let a6 = client.import_block(&BlockId::Number(5), b"a6", Some(5)).await;
client.finalize_block(a6.hash(), Some(6));
tokio::time::sleep(Duration::from_millis(200)).await;
let block_1_to_3 = blocks.lock();
let slice: Vec<&MmrBlock> = block_1_to_3.iter().collect();
client.assert_not_canonicalized(&slice);
client.assert_canonicalized(&[&a4, &a5, &a6]);
assert_eq!(load_state::<Block, Backend>(&*client.backend).unwrap(), Some(6));
},
);
}
}