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
//! Supervisor and Handle implementation.
use tendermint::block::Height;
use crate::{
errors::Error,
light_client::LightClient,
state::State,
verifier::types::{LightBlock, Status},
};
/// A light client `Instance` packages a `LightClient` together with its `State`.
#[derive(Debug)]
pub struct Instance {
/// The light client for this instance
pub light_client: LightClient,
/// The state of the light client for this instance
pub state: State,
}
impl Instance {
/// Constructs a new instance from the given light client and its state.
pub fn new(light_client: LightClient, state: State) -> Self {
Self {
light_client,
state,
}
}
/// Return the peer id of this instance.
pub fn peer_id(&self) -> &tendermint::node::Id {
&self.light_client.peer
}
/// Get the latest trusted block.
pub fn latest_trusted(&self) -> Option<LightBlock> {
self.state.light_store.highest(Status::Trusted)
}
/// Trust the given block.
pub fn trust_block(&mut self, lb: &LightBlock) {
self.state.light_store.update(lb, Status::Trusted);
}
/// Get or fetch the block at the given height
pub fn get_or_fetch_block(&mut self, height: Height) -> Result<LightBlock, Error> {
let (block, _) = self
.light_client
.get_or_fetch_block(height, &mut self.state)
.map_err(|e| {
// FIXME: Move this to the light client method
if e.to_string()
.contains("must be less than or equal to the current blockchain height")
{
// FIXME: Fetch latest height from error message
Error::height_too_high(height, Height::default())
} else {
e
}
})?;
Ok(block)
}
}