1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127 128 129 130 131 132 133 134 135 136 137 138 139 140 141 142 143 144 145 146 147 148 149 150 151 152 153 154 155 156 157 158 159 160 161 162 163 164 165 166 167 168 169 170 171 172 173 174 175 176 177 178 179 180 181 182 183 184 185 186 187 188 189 190 191 192 193 194 195 196 197 198 199 200 201 202 203 204 205 206 207 208 209
//! Iterators for blocks in the non-finalized and finalized state.
use std::{marker::PhantomData, sync::Arc};
use zebra_chain::block::{self, Block, Height};
use crate::{
service::{
finalized_state::ZebraDb,
non_finalized_state::{Chain, NonFinalizedState},
read,
},
HashOrHeight,
};
/// Generic state chain iterator, which iterates by block height or hash.
/// Can be used for blocks, block headers, or any type indexed by [`HashOrHeight`].
///
/// Starts at any hash or height in any non-finalized or finalized chain,
/// and iterates in reverse height order. (Towards the genesis block.)
#[derive(Clone, Debug)]
pub(crate) struct Iter<Item: ChainItem> {
/// The non-finalized chain fork we're iterating, if the iterator is in the non-finalized state.
///
/// This is a cloned copy of a potentially out-of-date chain fork.
pub(super) chain: Option<Arc<Chain>>,
/// The finalized database we're iterating.
///
/// This is the shared live database instance, which can concurrently write blocks.
pub(super) db: ZebraDb,
/// The height of the item which will be yielded by `Iterator::next()`.
pub(super) height: Option<Height>,
/// An internal marker type that tells the Rust type system what we're iterating.
iterable: PhantomData<Item::Type>,
}
impl<Item> Iter<Item>
where
Item: ChainItem,
{
/// Returns an item by height, and updates the iterator's internal state to point to the
/// previous height.
fn yield_by_height(&mut self) -> Option<Item::Type> {
let current_height = self.height?;
// TODO:
// Check if the root of the chain connects to the finalized state. Cloned chains can become
// disconnected if they are concurrently pruned by a finalized block from another chain
// fork. If that happens, the iterator is invalid and should stop returning items.
//
// Currently, we skip from the disconnected chain root to the previous height in the
// finalized state, which is usually ok, but could cause consensus or light wallet bugs.
let item = Item::read(self.chain.as_ref(), &self.db, current_height);
// The iterator is finished if the current height is genesis.
self.height = current_height.previous().ok();
// Drop the chain if we've finished using it.
if let Some(chain) = self.chain.as_ref() {
if let Some(height) = self.height {
if !chain.contains_block_height(height) {
std::mem::drop(self.chain.take());
}
} else {
std::mem::drop(self.chain.take());
}
}
item
}
}
impl<Item> Iterator for Iter<Item>
where
Item: ChainItem,
{
type Item = Item::Type;
fn next(&mut self) -> Option<Self::Item> {
self.yield_by_height()
}
fn size_hint(&self) -> (usize, Option<usize>) {
let len = self.len();
(len, Some(len))
}
}
impl<Item> ExactSizeIterator for Iter<Item>
where
Item: ChainItem,
{
fn len(&self) -> usize {
// Add one to the height for the genesis block.
//
// TODO:
// If the Item can skip heights, or return multiple items per block, we can't calculate
// its length using the block height. For example, subtree end height iterators, or
// transaction iterators.
//
// TODO:
// Check if the root of the chain connects to the finalized state. If that happens, the
// iterator is invalid and the length should be zero. See the comment in yield_by_height()
// for details.
self.height.map_or(0, |height| height.as_usize() + 1)
}
}
// TODO:
// If the Item can return None before it gets to genesis, it is not fused. For example, subtree
// end height iterators.
impl<Item> std::iter::FusedIterator for Iter<Item> where Item: ChainItem {}
/// A trait that implements iteration for a specific chain type.
pub(crate) trait ChainItem {
type Type;
/// Read the `Type` at `height` from the non-finalized `chain` or finalized `db`.
fn read(chain: Option<&Arc<Chain>>, db: &ZebraDb, height: Height) -> Option<Self::Type>;
}
// Block iteration
impl ChainItem for Block {
type Type = Arc<Block>;
fn read(chain: Option<&Arc<Chain>>, db: &ZebraDb, height: Height) -> Option<Self::Type> {
read::block(chain, db, height.into())
}
}
// Block header iteration
impl ChainItem for block::Header {
type Type = Arc<block::Header>;
fn read(chain: Option<&Arc<Chain>>, db: &ZebraDb, height: Height) -> Option<Self::Type> {
read::block_header(chain, db, height.into())
}
}
/// Returns a block iterator over the relevant chain containing `hash`,
/// in order from the largest height to genesis.
///
/// The block with `hash` is included in the iterator.
/// `hash` can come from any chain or `db`.
///
/// Use [`any_chain_ancestor_iter()`] in new code.
pub(crate) fn any_ancestor_blocks(
non_finalized_state: &NonFinalizedState,
db: &ZebraDb,
hash: block::Hash,
) -> Iter<Block> {
any_chain_ancestor_iter(non_finalized_state, db, hash)
}
/// Returns a generic chain item iterator over the relevant chain containing `hash`,
/// in order from the largest height to genesis.
///
/// The item with `hash` is included in the iterator.
/// `hash` can come from any chain or `db`.
pub(crate) fn any_chain_ancestor_iter<Item>(
non_finalized_state: &NonFinalizedState,
db: &ZebraDb,
hash: block::Hash,
) -> Iter<Item>
where
Item: ChainItem,
{
// We need to look up the relevant chain, and the height for the hash.
let chain = non_finalized_state.find_chain(|chain| chain.contains_block_hash(hash));
let height = read::height_by_hash(chain.as_ref(), db, hash);
Iter {
chain,
db: db.clone(),
height,
iterable: PhantomData,
}
}
/// Returns a generic chain item iterator over a `chain` containing `hash_or_height`,
/// in order from the largest height to genesis.
///
/// The item with `hash_or_height` is included in the iterator.
/// `hash_or_height` must be in `chain` or `db`.
#[allow(dead_code)]
pub(crate) fn known_chain_ancestor_iter<Item>(
chain: Option<Arc<Chain>>,
db: &ZebraDb,
hash_or_height: HashOrHeight,
) -> Iter<Item>
where
Item: ChainItem,
{
// We need to look up the height for the hash.
let height =
hash_or_height.height_or_else(|hash| read::height_by_hash(chain.as_ref(), db, hash));
Iter {
chain,
db: db.clone(),
height,
iterable: PhantomData,
}
}