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
use crate::database::{
Column,
Database,
};
use fuel_core_interfaces::{
common::prelude::{
Bytes32,
StorageAsRef,
StorageInspect,
StorageMutate,
},
db::{
FuelBlocks,
KvStoreError,
SealedBlockConsensus,
},
model::{
FuelBlockConsensus,
Genesis,
SealedFuelBlock,
SealedFuelBlockHeader,
},
not_found,
};
use std::borrow::Cow;
impl StorageInspect<SealedBlockConsensus> for Database {
type Error = KvStoreError;
fn get(
&self,
key: &Bytes32,
) -> Result<Option<Cow<FuelBlockConsensus>>, KvStoreError> {
Database::get(self, key.as_ref(), Column::FuelBlockConsensus).map_err(Into::into)
}
fn contains_key(&self, key: &Bytes32) -> Result<bool, KvStoreError> {
Database::exists(self, key.as_ref(), Column::FuelBlockConsensus)
.map_err(Into::into)
}
}
impl StorageMutate<SealedBlockConsensus> for Database {
fn insert(
&mut self,
key: &Bytes32,
value: &FuelBlockConsensus,
) -> Result<Option<FuelBlockConsensus>, KvStoreError> {
Database::insert(self, key.as_ref(), Column::FuelBlockConsensus, value)
.map_err(Into::into)
}
fn remove(
&mut self,
key: &Bytes32,
) -> Result<Option<FuelBlockConsensus>, KvStoreError> {
Database::remove(self, key.as_ref(), Column::FuelBlockConsensus)
.map_err(Into::into)
}
}
impl Database {
pub fn get_sealed_block(
&self,
block_id: &Bytes32,
) -> Result<Option<SealedFuelBlock>, KvStoreError> {
let block = self.get_full_block(block_id)?;
let consensus = self.storage::<SealedBlockConsensus>().get(block_id)?;
if let (Some(block), Some(consensus)) = (block, consensus) {
let sealed_block = SealedFuelBlock {
block,
consensus: consensus.into_owned(),
};
Ok(Some(sealed_block))
} else {
Ok(None)
}
}
pub fn get_genesis(&self) -> Result<Genesis, KvStoreError> {
let (_, genesis_block_id) = self.genesis_block_ids()?;
let consensus = self
.storage::<SealedBlockConsensus>()
.get(&genesis_block_id)?
.map(|c| c.into_owned());
if let Some(FuelBlockConsensus::Genesis(genesis)) = consensus {
Ok(genesis)
} else {
Err(not_found!(SealedBlockConsensus))
}
}
pub fn get_sealed_block_header(
&self,
block_id: &Bytes32,
) -> Result<Option<SealedFuelBlockHeader>, KvStoreError> {
let header = self.storage::<FuelBlocks>().get(block_id)?;
let consensus = self.storage::<SealedBlockConsensus>().get(block_id)?;
if let (Some(header), Some(consensus)) = (header, consensus) {
let sealed_block = SealedFuelBlockHeader {
header: header.into_owned().header,
consensus: consensus.into_owned(),
};
Ok(Some(sealed_block))
} else {
Ok(None)
}
}
}