Status cache improvements (#16174)

This commit is contained in:
sakridge 2021-03-28 19:10:14 -07:00 committed by GitHub
parent 27ab415ecc
commit 5e5b63712b
No known key found for this signature in database
GPG Key ID: 4AEE18F83AFDEB23
3 changed files with 130 additions and 127 deletions

View File

@ -10,13 +10,13 @@ use solana_sdk::{
}; };
use test::Bencher; use test::Bencher;
type BankStatusCache = StatusCache<()>; type BankStatusCache = StatusCache<Signature, ()>;
#[bench] #[bench]
fn test_statuscache_serialize(bencher: &mut Bencher) { fn test_statuscache_serialize(bencher: &mut Bencher) {
let mut status_cache = BankStatusCache::default(); let mut status_cache = BankStatusCache::default();
status_cache.add_root(0); status_cache.add_root(0);
status_cache.clear_signatures(); status_cache.clear();
for hash_index in 0..100 { for hash_index in 0..100 {
let blockhash = Hash::new(&vec![hash_index; std::mem::size_of::<Hash>()]); let blockhash = Hash::new(&vec![hash_index; std::mem::size_of::<Hash>()]);
let mut id = blockhash; let mut id = blockhash;

View File

@ -114,7 +114,7 @@ impl ExecuteTimings {
} }
} }
type BankStatusCache = StatusCache<Result<()>>; type BankStatusCache = StatusCache<Signature, Result<()>>;
#[frozen_abi(digest = "EcB9J7sm37t1R47vLcvGuNeiRciB4Efq1EDWDWL6Bp5h")] #[frozen_abi(digest = "EcB9J7sm37t1R47vLcvGuNeiRciB4Efq1EDWDWL6Bp5h")]
pub type BankSlotDelta = SlotDelta<Result<()>>; pub type BankSlotDelta = SlotDelta<Result<()>>;
type TransactionAccountRefCells = Vec<Rc<RefCell<AccountSharedData>>>; type TransactionAccountRefCells = Vec<Rc<RefCell<AccountSharedData>>>;
@ -2328,7 +2328,7 @@ impl Bank {
/// Forget all signatures. Useful for benchmarking. /// Forget all signatures. Useful for benchmarking.
pub fn clear_signatures(&self) { pub fn clear_signatures(&self) {
self.src.status_cache.write().unwrap().clear_signatures(); self.src.status_cache.write().unwrap().clear();
} }
pub fn clear_slot_signatures(&self, slot: Slot) { pub fn clear_slot_signatures(&self, slot: Slot) {
@ -2336,7 +2336,7 @@ impl Bank {
.status_cache .status_cache
.write() .write()
.unwrap() .unwrap()
.clear_slot_signatures(slot); .clear_slot_entries(slot);
} }
pub fn can_commit(result: &Result<()>) -> bool { pub fn can_commit(result: &Result<()>) -> bool {
@ -2546,7 +2546,7 @@ impl Bank {
let (lock_res, _nonce_rollback) = &lock_res; let (lock_res, _nonce_rollback) = &lock_res;
if lock_res.is_ok() if lock_res.is_ok()
&& rcache && rcache
.get_signature_status( .get_status(
&tx.signatures[0], &tx.signatures[0],
&tx.message().recent_blockhash, &tx.message().recent_blockhash,
&self.ancestors, &self.ancestors,
@ -4191,13 +4191,13 @@ impl Bank {
) -> Option<Result<()>> { ) -> Option<Result<()>> {
let rcache = self.src.status_cache.read().unwrap(); let rcache = self.src.status_cache.read().unwrap();
rcache rcache
.get_signature_status(signature, blockhash, &self.ancestors) .get_status(signature, blockhash, &self.ancestors)
.map(|v| v.1) .map(|v| v.1)
} }
pub fn get_signature_status_slot(&self, signature: &Signature) -> Option<(Slot, Result<()>)> { pub fn get_signature_status_slot(&self, signature: &Signature) -> Option<(Slot, Result<()>)> {
let rcache = self.src.status_cache.read().unwrap(); let rcache = self.src.status_cache.read().unwrap();
rcache.get_signature_slot(signature, &self.ancestors) rcache.get_status_any_blockhash(signature, &self.ancestors)
} }
pub fn get_signature_status(&self, signature: &Signature) -> Option<Result<()>> { pub fn get_signature_status(&self, signature: &Signature) -> Option<Result<()>> {

View File

@ -6,33 +6,33 @@ use serde::Serialize;
use solana_sdk::{ use solana_sdk::{
clock::{Slot, MAX_RECENT_BLOCKHASHES}, clock::{Slot, MAX_RECENT_BLOCKHASHES},
hash::Hash, hash::Hash,
signature::Signature,
}; };
use std::{ use std::{
collections::{hash_map::Entry, HashMap, HashSet}, collections::{hash_map::Entry, HashMap, HashSet},
marker::PhantomData,
sync::{Arc, Mutex}, sync::{Arc, Mutex},
}; };
pub const MAX_CACHE_ENTRIES: usize = MAX_RECENT_BLOCKHASHES; pub const MAX_CACHE_ENTRIES: usize = MAX_RECENT_BLOCKHASHES;
const CACHED_SIGNATURE_SIZE: usize = 20; const CACHED_KEY_SIZE: usize = 20;
// Store forks in a single chunk of memory to avoid another lookup. // Store forks in a single chunk of memory to avoid another lookup.
pub type ForkStatus<T> = Vec<(Slot, T)>; pub type ForkStatus<T> = Vec<(Slot, T)>;
type SignatureSlice = [u8; CACHED_SIGNATURE_SIZE]; type KeySlice = [u8; CACHED_KEY_SIZE];
type SignatureMap<T> = HashMap<SignatureSlice, ForkStatus<T>>; type KeyMap<T> = HashMap<KeySlice, ForkStatus<T>>;
// Map of Hash and signature status // Map of Hash and status
pub type SignatureStatus<T> = Arc<Mutex<HashMap<Hash, (usize, Vec<(SignatureSlice, T)>)>>>; pub type Status<T> = Arc<Mutex<HashMap<Hash, (usize, Vec<(KeySlice, T)>)>>>;
// A Map of hash + the highest fork it's been observed on along with // A Map of hash + the highest fork it's been observed on along with
// the signature offset and a Map of the signature slice + Fork status for that signature // the key offset and a Map of the key slice + Fork status for that key
type StatusMap<T> = HashMap<Hash, (Slot, usize, SignatureMap<T>)>; type KeyStatusMap<T> = HashMap<Hash, (Slot, usize, KeyMap<T>)>;
// A map of signatures recorded in each fork; used to serialize for snapshots easily. // A map of keys recorded in each fork; used to serialize for snapshots easily.
// Doesn't store a `SlotDelta` in it because the bool `root` is usually set much later // Doesn't store a `SlotDelta` in it because the bool `root` is usually set much later
type SlotDeltaMap<T> = HashMap<Slot, SignatureStatus<T>>; type SlotDeltaMap<T> = HashMap<Slot, Status<T>>;
// The signature statuses added during a slot, can be used to build on top of a status cache or to // The statuses added during a slot, can be used to build on top of a status cache or to
// construct a new one. Usually derived from a status cache's `SlotDeltaMap` // construct a new one. Usually derived from a status cache's `SlotDeltaMap`
pub type SlotDelta<T> = (Slot, bool, SignatureStatus<T>); pub type SlotDelta<T> = (Slot, bool, Status<T>);
#[derive(Debug, PartialEq)] #[derive(Debug, PartialEq)]
pub struct SignatureConfirmationStatus<T> { pub struct SignatureConfirmationStatus<T> {
@ -42,74 +42,81 @@ pub struct SignatureConfirmationStatus<T> {
} }
#[derive(Clone, Debug, AbiExample)] #[derive(Clone, Debug, AbiExample)]
pub struct StatusCache<T: Serialize + Clone> { pub struct StatusCache<K, T: Serialize + Clone> {
cache: StatusMap<T>, cache: KeyStatusMap<T>,
roots: HashSet<Slot>, roots: HashSet<Slot>,
/// all signatures seen during a fork/slot /// all keys seen during a fork/slot
slot_deltas: SlotDeltaMap<T>, slot_deltas: SlotDeltaMap<T>,
phantom: PhantomData<K>,
} }
impl<T: Serialize + Clone> Default for StatusCache<T> { impl<K, T: Serialize + Clone> Default for StatusCache<K, T> {
fn default() -> Self { fn default() -> Self {
Self { Self {
cache: HashMap::default(), cache: HashMap::default(),
// 0 is always a root // 0 is always a root
roots: [0].iter().cloned().collect(), roots: [0].iter().cloned().collect(),
slot_deltas: HashMap::default(), slot_deltas: HashMap::default(),
phantom: PhantomData::default(),
} }
} }
} }
impl<T: Serialize + Clone + PartialEq> PartialEq for StatusCache<T> { impl<K: AsRef<[u8]>, T: Serialize + Clone + PartialEq> PartialEq for StatusCache<K, T> {
fn eq(&self, other: &Self) -> bool { fn eq(&self, other: &Self) -> bool {
self.roots == other.roots self.roots == other.roots
&& self.cache.iter().all(|(hash, (slot, sig_index, sig_map))| { && self
if let Some((other_slot, other_sig_index, other_sig_map)) = other.cache.get(hash) { .cache
if slot == other_slot && sig_index == other_sig_index { .iter()
return sig_map.iter().all(|(slice, fork_map)| { .all(|(hash, (slot, key_index, hash_map))| {
if let Some(other_fork_map) = other_sig_map.get(slice) { if let Some((other_slot, other_key_index, other_hash_map)) =
// all this work just to compare the highest forks in the fork map other.cache.get(hash)
// per signature {
return fork_map.last() == other_fork_map.last(); if slot == other_slot && key_index == other_key_index {
} return hash_map.iter().all(|(slice, fork_map)| {
false if let Some(other_fork_map) = other_hash_map.get(slice) {
}); // all this work just to compare the highest forks in the fork map
// per entry
return fork_map.last() == other_fork_map.last();
}
false
});
}
} }
} false
false })
})
} }
} }
impl<T: Serialize + Clone> StatusCache<T> { impl<K: AsRef<[u8]>, T: Serialize + Clone> StatusCache<K, T> {
pub fn clear_slot_signatures(&mut self, slot: Slot) { pub fn clear_slot_entries(&mut self, slot: Slot) {
let slot_deltas = self.slot_deltas.remove(&slot); let slot_deltas = self.slot_deltas.remove(&slot);
if let Some(slot_deltas) = slot_deltas { if let Some(slot_deltas) = slot_deltas {
let slot_deltas = slot_deltas.lock().unwrap(); let slot_deltas = slot_deltas.lock().unwrap();
for (blockhash, (_, signature_list)) in slot_deltas.iter() { for (blockhash, (_, key_list)) in slot_deltas.iter() {
// Any blockhash that exists in self.slot_deltas must also exist // Any blockhash that exists in self.slot_deltas must also exist
// in self.cache, because in self.purge_roots(), when an entry // in self.cache, because in self.purge_roots(), when an entry
// (b, (max_slot, _, _)) is removed from self.cache, this implies // (b, (max_slot, _, _)) is removed from self.cache, this implies
// all entries in self.slot_deltas < max_slot are also removed // all entries in self.slot_deltas < max_slot are also removed
if let Entry::Occupied(mut o_blockhash_entries) = self.cache.entry(*blockhash) { if let Entry::Occupied(mut o_blockhash_entries) = self.cache.entry(*blockhash) {
let (_, _, all_sig_maps) = o_blockhash_entries.get_mut(); let (_, _, all_hash_maps) = o_blockhash_entries.get_mut();
for (sig_slice, _) in signature_list { for (key_slice, _) in key_list {
if let Entry::Occupied(mut o_sig_list) = all_sig_maps.entry(*sig_slice) { if let Entry::Occupied(mut o_key_list) = all_hash_maps.entry(*key_slice) {
let sig_list = o_sig_list.get_mut(); let key_list = o_key_list.get_mut();
sig_list.retain(|(updated_slot, _)| *updated_slot != slot); key_list.retain(|(updated_slot, _)| *updated_slot != slot);
if sig_list.is_empty() { if key_list.is_empty() {
o_sig_list.remove_entry(); o_key_list.remove_entry();
} }
} else { } else {
panic!( panic!(
"Map for signature must exist if signature exists in self.slot_deltas, slot: {}", "Map for key must exist if key exists in self.slot_deltas, slot: {}",
slot slot
) )
} }
} }
if all_sig_maps.is_empty() { if all_hash_maps.is_empty() {
o_blockhash_entries.remove_entry(); o_blockhash_entries.remove_entry();
} }
} else { } else {
@ -122,18 +129,19 @@ impl<T: Serialize + Clone> StatusCache<T> {
} }
} }
/// Check if the signature from a transaction is in any of the forks in the ancestors set. /// Check if the key is in any of the forks in the ancestors set and
pub fn get_signature_status( /// with a certain blockhash.
pub fn get_status(
&self, &self,
sig: &Signature, key: &K,
transaction_blockhash: &Hash, transaction_blockhash: &Hash,
ancestors: &Ancestors, ancestors: &Ancestors,
) -> Option<(Slot, T)> { ) -> Option<(Slot, T)> {
let map = self.cache.get(transaction_blockhash)?; let map = self.cache.get(transaction_blockhash)?;
let (_, index, sigmap) = map; let (_, index, keymap) = map;
let mut sig_slice = [0u8; CACHED_SIGNATURE_SIZE]; let mut key_slice = [0u8; CACHED_KEY_SIZE];
sig_slice.clone_from_slice(&sig.as_ref()[*index..*index + CACHED_SIGNATURE_SIZE]); key_slice.clone_from_slice(&key.as_ref()[*index..*index + CACHED_KEY_SIZE]);
if let Some(stored_forks) = sigmap.get(&sig_slice) { if let Some(stored_forks) = keymap.get(&key_slice) {
let res = stored_forks let res = stored_forks
.iter() .iter()
.find(|(f, _)| ancestors.get(f).is_some() || self.roots.get(f).is_some()) .find(|(f, _)| ancestors.get(f).is_some() || self.roots.get(f).is_some())
@ -145,18 +153,17 @@ impl<T: Serialize + Clone> StatusCache<T> {
None None
} }
pub fn get_signature_slot( /// Search for a key with any blockhash
&self, /// Prefer get_status for performance reasons, it doesn't need
signature: &Signature, /// to search all blockhashes.
ancestors: &Ancestors, pub fn get_status_any_blockhash(&self, key: &K, ancestors: &Ancestors) -> Option<(Slot, T)> {
) -> Option<(Slot, T)> {
let mut keys = vec![]; let mut keys = vec![];
let mut val: Vec<_> = self.cache.iter().map(|(k, _)| *k).collect(); let mut val: Vec<_> = self.cache.iter().map(|(k, _)| *k).collect();
keys.append(&mut val); keys.append(&mut val);
for blockhash in keys.iter() { for blockhash in keys.iter() {
trace!("get_signature_slot: trying {}", blockhash); trace!("get_status_any_blockhash: trying {}", blockhash);
let status = self.get_signature_status(signature, blockhash, ancestors); let status = self.get_status(key, blockhash, ancestors);
if status.is_some() { if status.is_some() {
return status; return status;
} }
@ -165,7 +172,7 @@ impl<T: Serialize + Clone> StatusCache<T> {
} }
/// Add a known root fork. Roots are always valid ancestors. /// Add a known root fork. Roots are always valid ancestors.
/// After MAX_CACHE_ENTRIES, roots are removed, and any old signatures are cleared. /// After MAX_CACHE_ENTRIES, roots are removed, and any old keys are cleared.
pub fn add_root(&mut self, fork: Slot) { pub fn add_root(&mut self, fork: Slot) {
self.roots.insert(fork); self.roots.insert(fork);
self.purge_roots(); self.purge_roots();
@ -175,25 +182,24 @@ impl<T: Serialize + Clone> StatusCache<T> {
&self.roots &self.roots
} }
/// Insert a new signature for a specific slot. /// Insert a new key for a specific slot.
pub fn insert(&mut self, transaction_blockhash: &Hash, sig: &Signature, slot: Slot, res: T) { pub fn insert(&mut self, transaction_blockhash: &Hash, key: &K, slot: Slot, res: T) {
let sig_index: usize; let key_index: usize;
if let Some(sig_map) = self.cache.get(transaction_blockhash) { if let Some(hash_map) = self.cache.get(transaction_blockhash) {
sig_index = sig_map.1; key_index = hash_map.1;
} else { } else {
sig_index = key_index = thread_rng().gen_range(0, std::mem::size_of::<K>() - CACHED_KEY_SIZE);
thread_rng().gen_range(0, std::mem::size_of::<Hash>() - CACHED_SIGNATURE_SIZE);
} }
let sig_map = let hash_map =
self.cache self.cache
.entry(*transaction_blockhash) .entry(*transaction_blockhash)
.or_insert((slot, sig_index, HashMap::new())); .or_insert((slot, key_index, HashMap::new()));
sig_map.0 = std::cmp::max(slot, sig_map.0); hash_map.0 = std::cmp::max(slot, hash_map.0);
let index = sig_map.1; let index = hash_map.1;
let mut sig_slice = [0u8; CACHED_SIGNATURE_SIZE]; let mut key_slice = [0u8; CACHED_KEY_SIZE];
sig_slice.clone_from_slice(&sig.as_ref()[index..index + CACHED_SIGNATURE_SIZE]); key_slice.clone_from_slice(&key.as_ref()[index..index + CACHED_KEY_SIZE]);
self.insert_with_slice(transaction_blockhash, slot, sig_index, sig_slice, res); self.insert_with_slice(transaction_blockhash, slot, key_index, key_slice, res);
} }
pub fn purge_roots(&mut self) { pub fn purge_roots(&mut self) {
@ -207,7 +213,7 @@ impl<T: Serialize + Clone> StatusCache<T> {
} }
/// Clear for testing /// Clear for testing
pub fn clear_signatures(&mut self) { pub fn clear(&mut self) {
for v in self.cache.values_mut() { for v in self.cache.values_mut() {
v.2 = HashMap::new(); v.2 = HashMap::new();
} }
@ -217,7 +223,7 @@ impl<T: Serialize + Clone> StatusCache<T> {
.for_each(|(_, status)| status.lock().unwrap().clear()); .for_each(|(_, status)| status.lock().unwrap().clear());
} }
// returns the signature statuses for each slot in the slots provided // returns the statuses for each slot in the slots provided
pub fn slot_deltas(&self, slots: &[Slot]) -> Vec<SlotDelta<T>> { pub fn slot_deltas(&self, slots: &[Slot]) -> Vec<SlotDelta<T>> {
let empty = Arc::new(Mutex::new(HashMap::new())); let empty = Arc::new(Mutex::new(HashMap::new()));
slots slots
@ -239,9 +245,9 @@ impl<T: Serialize + Clone> StatusCache<T> {
.lock() .lock()
.unwrap() .unwrap()
.iter() .iter()
.for_each(|(tx_hash, (sig_index, statuses))| { .for_each(|(tx_hash, (key_index, statuses))| {
for (sig_slice, res) in statuses.iter() { for (key_slice, res) in statuses.iter() {
self.insert_with_slice(&tx_hash, *slot, *sig_index, *sig_slice, res.clone()) self.insert_with_slice(&tx_hash, *slot, *key_index, *key_slice, res.clone())
} }
}); });
if *is_root { if *is_root {
@ -261,33 +267,33 @@ impl<T: Serialize + Clone> StatusCache<T> {
&mut self, &mut self,
transaction_blockhash: &Hash, transaction_blockhash: &Hash,
slot: Slot, slot: Slot,
sig_index: usize, key_index: usize,
sig_slice: [u8; CACHED_SIGNATURE_SIZE], key_slice: [u8; CACHED_KEY_SIZE],
res: T, res: T,
) { ) {
let sig_map = let hash_map =
self.cache self.cache
.entry(*transaction_blockhash) .entry(*transaction_blockhash)
.or_insert((slot, sig_index, HashMap::new())); .or_insert((slot, key_index, HashMap::new()));
sig_map.0 = std::cmp::max(slot, sig_map.0); hash_map.0 = std::cmp::max(slot, hash_map.0);
let sig_forks = sig_map.2.entry(sig_slice).or_insert_with(Vec::new); let forks = hash_map.2.entry(key_slice).or_insert_with(Vec::new);
sig_forks.push((slot, res.clone())); forks.push((slot, res.clone()));
let slot_deltas = self.slot_deltas.entry(slot).or_default(); let slot_deltas = self.slot_deltas.entry(slot).or_default();
let mut fork_entry = slot_deltas.lock().unwrap(); let mut fork_entry = slot_deltas.lock().unwrap();
let (_, hash_entry) = fork_entry let (_, hash_entry) = fork_entry
.entry(*transaction_blockhash) .entry(*transaction_blockhash)
.or_insert((sig_index, vec![])); .or_insert((key_index, vec![]));
hash_entry.push((sig_slice, res)) hash_entry.push((key_slice, res))
} }
} }
#[cfg(test)] #[cfg(test)]
mod tests { mod tests {
use super::*; use super::*;
use solana_sdk::hash::hash; use solana_sdk::{hash::hash, signature::Signature};
type BankStatusCache = StatusCache<()>; type BankStatusCache = StatusCache<Signature, ()>;
#[test] #[test]
fn test_empty_has_no_sigs() { fn test_empty_has_no_sigs() {
@ -295,10 +301,13 @@ mod tests {
let blockhash = hash(Hash::default().as_ref()); let blockhash = hash(Hash::default().as_ref());
let status_cache = BankStatusCache::default(); let status_cache = BankStatusCache::default();
assert_eq!( assert_eq!(
status_cache.get_signature_status(&sig, &blockhash, &HashMap::new()), status_cache.get_status(&sig, &blockhash, &HashMap::new()),
None
);
assert_eq!(
status_cache.get_status_any_blockhash(&sig, &HashMap::new()),
None None
); );
assert_eq!(status_cache.get_signature_slot(&sig, &HashMap::new()), None);
} }
#[test] #[test]
@ -309,11 +318,11 @@ mod tests {
let ancestors = vec![(0, 1)].into_iter().collect(); let ancestors = vec![(0, 1)].into_iter().collect();
status_cache.insert(&blockhash, &sig, 0, ()); status_cache.insert(&blockhash, &sig, 0, ());
assert_eq!( assert_eq!(
status_cache.get_signature_status(&sig, &blockhash, &ancestors), status_cache.get_status(&sig, &blockhash, &ancestors),
Some((0, ())) Some((0, ()))
); );
assert_eq!( assert_eq!(
status_cache.get_signature_slot(&sig, &ancestors), status_cache.get_status_any_blockhash(&sig, &ancestors),
Some((0, ())) Some((0, ()))
); );
} }
@ -325,11 +334,11 @@ mod tests {
let blockhash = hash(Hash::default().as_ref()); let blockhash = hash(Hash::default().as_ref());
let ancestors = HashMap::new(); let ancestors = HashMap::new();
status_cache.insert(&blockhash, &sig, 1, ()); status_cache.insert(&blockhash, &sig, 1, ());
assert_eq!(status_cache.get_status(&sig, &blockhash, &ancestors), None);
assert_eq!( assert_eq!(
status_cache.get_signature_status(&sig, &blockhash, &ancestors), status_cache.get_status_any_blockhash(&sig, &ancestors),
None None
); );
assert_eq!(status_cache.get_signature_slot(&sig, &ancestors), None);
} }
#[test] #[test]
@ -341,7 +350,7 @@ mod tests {
status_cache.insert(&blockhash, &sig, 0, ()); status_cache.insert(&blockhash, &sig, 0, ());
status_cache.add_root(0); status_cache.add_root(0);
assert_eq!( assert_eq!(
status_cache.get_signature_status(&sig, &blockhash, &ancestors), status_cache.get_status(&sig, &blockhash, &ancestors),
Some((0, ())) Some((0, ()))
); );
} }
@ -358,7 +367,7 @@ mod tests {
status_cache.add_root(i as u64); status_cache.add_root(i as u64);
} }
assert!(status_cache assert!(status_cache
.get_signature_status(&sig, &blockhash, &ancestors) .get_status(&sig, &blockhash, &ancestors)
.is_some()); .is_some());
} }
@ -372,10 +381,7 @@ mod tests {
for i in 0..(MAX_CACHE_ENTRIES + 1) { for i in 0..(MAX_CACHE_ENTRIES + 1) {
status_cache.add_root(i as u64); status_cache.add_root(i as u64);
} }
assert_eq!( assert_eq!(status_cache.get_status(&sig, &blockhash, &ancestors), None);
status_cache.get_signature_status(&sig, &blockhash, &ancestors),
None
);
} }
#[test] #[test]
@ -386,11 +392,8 @@ mod tests {
let ancestors = HashMap::new(); let ancestors = HashMap::new();
status_cache.insert(&blockhash, &sig, 0, ()); status_cache.insert(&blockhash, &sig, 0, ());
status_cache.add_root(0); status_cache.add_root(0);
status_cache.clear_signatures(); status_cache.clear();
assert_eq!( assert_eq!(status_cache.get_status(&sig, &blockhash, &ancestors), None);
status_cache.get_signature_status(&sig, &blockhash, &ancestors),
None
);
} }
#[test] #[test]
@ -400,10 +403,10 @@ mod tests {
let blockhash = hash(Hash::default().as_ref()); let blockhash = hash(Hash::default().as_ref());
let ancestors = HashMap::new(); let ancestors = HashMap::new();
status_cache.add_root(0); status_cache.add_root(0);
status_cache.clear_signatures(); status_cache.clear();
status_cache.insert(&blockhash, &sig, 0, ()); status_cache.insert(&blockhash, &sig, 0, ());
assert!(status_cache assert!(status_cache
.get_signature_status(&sig, &blockhash, &ancestors) .get_status(&sig, &blockhash, &ancestors)
.is_some()); .is_some());
} }
@ -412,11 +415,11 @@ mod tests {
let sig = Signature::default(); let sig = Signature::default();
let mut status_cache = BankStatusCache::default(); let mut status_cache = BankStatusCache::default();
let blockhash = hash(Hash::default().as_ref()); let blockhash = hash(Hash::default().as_ref());
status_cache.clear_signatures(); status_cache.clear();
status_cache.insert(&blockhash, &sig, 0, ()); status_cache.insert(&blockhash, &sig, 0, ());
let (_, index, sig_map) = status_cache.cache.get(&blockhash).unwrap(); let (_, index, sig_map) = status_cache.cache.get(&blockhash).unwrap();
let mut sig_slice = [0u8; CACHED_SIGNATURE_SIZE]; let mut sig_slice = [0u8; CACHED_KEY_SIZE];
sig_slice.clone_from_slice(&sig.as_ref()[*index..*index + CACHED_SIGNATURE_SIZE]); sig_slice.clone_from_slice(&sig.as_ref()[*index..*index + CACHED_KEY_SIZE]);
assert!(sig_map.get(&sig_slice).is_some()); assert!(sig_map.get(&sig_slice).is_some());
} }
@ -425,7 +428,7 @@ mod tests {
let sig = Signature::default(); let sig = Signature::default();
let mut status_cache = BankStatusCache::default(); let mut status_cache = BankStatusCache::default();
let blockhash = hash(Hash::default().as_ref()); let blockhash = hash(Hash::default().as_ref());
status_cache.clear_signatures(); status_cache.clear();
status_cache.insert(&blockhash, &sig, 0, ()); status_cache.insert(&blockhash, &sig, 0, ());
let slot_deltas = status_cache.slot_deltas(&[0]); let slot_deltas = status_cache.slot_deltas(&[0]);
let cache = StatusCache::from_slot_deltas(&slot_deltas); let cache = StatusCache::from_slot_deltas(&slot_deltas);
@ -478,17 +481,17 @@ mod tests {
// Clear slot 0 related data // Clear slot 0 related data
assert!(status_cache assert!(status_cache
.get_signature_status(&sig, &blockhash, &ancestors0) .get_status(&sig, &blockhash, &ancestors0)
.is_some()); .is_some());
status_cache.clear_slot_signatures(0); status_cache.clear_slot_entries(0);
assert!(status_cache assert!(status_cache
.get_signature_status(&sig, &blockhash, &ancestors0) .get_status(&sig, &blockhash, &ancestors0)
.is_none()); .is_none());
assert!(status_cache assert!(status_cache
.get_signature_status(&sig, &blockhash, &ancestors1) .get_status(&sig, &blockhash, &ancestors1)
.is_some()); .is_some());
assert!(status_cache assert!(status_cache
.get_signature_status(&sig, &blockhash2, &ancestors1) .get_status(&sig, &blockhash2, &ancestors1)
.is_some()); .is_some());
// Check that the slot delta for slot 0 is gone, but slot 1 still // Check that the slot delta for slot 0 is gone, but slot 1 still
@ -497,13 +500,13 @@ mod tests {
assert!(status_cache.slot_deltas.get(&1).is_some()); assert!(status_cache.slot_deltas.get(&1).is_some());
// Clear slot 1 related data // Clear slot 1 related data
status_cache.clear_slot_signatures(1); status_cache.clear_slot_entries(1);
assert!(status_cache.slot_deltas.is_empty()); assert!(status_cache.slot_deltas.is_empty());
assert!(status_cache assert!(status_cache
.get_signature_status(&sig, &blockhash, &ancestors1) .get_status(&sig, &blockhash, &ancestors1)
.is_none()); .is_none());
assert!(status_cache assert!(status_cache
.get_signature_status(&sig, &blockhash2, &ancestors1) .get_status(&sig, &blockhash2, &ancestors1)
.is_none()); .is_none());
assert!(status_cache.cache.is_empty()); assert!(status_cache.cache.is_empty());
} }