1use serde::{Deserialize, Serialize};
22use sp_runtime::{
23 traits::{Block as BlockT, HashingFor, Header as HeaderT, NumberFor},
24 DigestItem, Justification, Justifications,
25};
26use std::{any::Any, borrow::Cow, collections::HashMap, sync::Arc};
27
28use sp_consensus::{BlockOrigin, Error};
29
30#[derive(Debug, PartialEq, Eq)]
32pub enum ImportResult {
33 Imported(ImportedAux),
35 AlreadyInChain,
37 KnownBad,
39 UnknownParent,
41 MissingState,
43}
44
45#[derive(Clone, Debug, Default, PartialEq, Eq, Serialize, Deserialize)]
47pub struct ImportedAux {
48 pub header_only: bool,
50 pub clear_justification_requests: bool,
52 pub needs_justification: bool,
54 pub bad_justification: bool,
56 pub is_new_best: bool,
58}
59
60impl ImportResult {
61 pub fn imported(is_new_best: bool) -> ImportResult {
65 let aux = ImportedAux { is_new_best, ..Default::default() };
66
67 ImportResult::Imported(aux)
68 }
69
70 pub fn handle_justification<B>(
73 &self,
74 hash: &B::Hash,
75 number: NumberFor<B>,
76 justification_sync_link: &dyn JustificationSyncLink<B>,
77 ) where
78 B: BlockT,
79 {
80 match self {
81 ImportResult::Imported(aux) => {
82 if aux.clear_justification_requests {
83 justification_sync_link.clear_justification_requests();
84 }
85
86 if aux.needs_justification {
87 justification_sync_link.request_justification(hash, number);
88 }
89 },
90 _ => {},
91 }
92 }
93}
94
95#[derive(Debug, PartialEq, Eq, Clone, Copy)]
97pub enum ForkChoiceStrategy {
98 LongestChain,
100 Custom(bool),
102}
103
104#[derive(Debug, PartialEq, Eq, Clone)]
106pub struct BlockCheckParams<Block: BlockT> {
107 pub hash: Block::Hash,
109 pub number: NumberFor<Block>,
111 pub parent_hash: Block::Hash,
113 pub allow_missing_state: bool,
115 pub allow_missing_parent: bool,
117 pub import_existing: bool,
119}
120
121pub enum StorageChanges<Block: BlockT> {
123 Changes(sp_state_machine::StorageChanges<HashingFor<Block>>),
125 Import(ImportedState<Block>),
127}
128
129#[derive(PartialEq, Eq, Clone)]
131pub struct ImportedState<B: BlockT> {
132 pub block: B::Hash,
134 pub state: sp_state_machine::KeyValueStates,
136}
137
138impl<B: BlockT> std::fmt::Debug for ImportedState<B> {
139 fn fmt(&self, fmt: &mut std::fmt::Formatter) -> std::fmt::Result {
140 fmt.debug_struct("ImportedState").field("block", &self.block).finish()
141 }
142}
143
144pub enum StateAction<Block: BlockT> {
146 ApplyChanges(StorageChanges<Block>),
148 Execute,
150 ExecuteIfPossible,
152 Skip,
154}
155
156impl<Block: BlockT> StateAction<Block> {
157 pub fn skip_execution_checks(&self) -> bool {
159 match self {
160 StateAction::ApplyChanges(_) |
161 StateAction::Execute |
162 StateAction::ExecuteIfPossible => false,
163 StateAction::Skip => true,
164 }
165 }
166}
167
168impl<Block: BlockT> From<StorageChanges<Block>> for StateAction<Block> {
169 fn from(value: StorageChanges<Block>) -> Self {
170 Self::ApplyChanges(value)
171 }
172}
173
174impl<Block: BlockT> From<sp_state_machine::StorageChanges<HashingFor<Block>>>
175 for StateAction<Block>
176{
177 fn from(value: sp_state_machine::StorageChanges<HashingFor<Block>>) -> Self {
178 Self::ApplyChanges(StorageChanges::Changes(value))
179 }
180}
181
182#[non_exhaustive]
184pub struct BlockImportParams<Block: BlockT> {
185 pub origin: BlockOrigin,
187 pub header: Block::Header,
199 pub justifications: Option<Justifications>,
201 pub post_digests: Vec<DigestItem>,
204 pub body: Option<Vec<Block::Extrinsic>>,
206 pub indexed_body: Option<Vec<Vec<u8>>>,
208 pub state_action: StateAction<Block>,
210 pub finalized: bool,
213 pub intermediates: HashMap<Cow<'static, [u8]>, Box<dyn Any + Send>>,
217 pub auxiliary: Vec<(Vec<u8>, Option<Vec<u8>>)>,
222 pub fork_choice: Option<ForkChoiceStrategy>,
229 pub import_existing: bool,
231 pub create_gap: bool,
233 pub post_hash: Option<Block::Hash>,
235}
236
237impl<Block: BlockT> BlockImportParams<Block> {
238 pub fn new(origin: BlockOrigin, header: Block::Header) -> Self {
240 Self {
241 origin,
242 header,
243 justifications: None,
244 post_digests: Vec::new(),
245 body: None,
246 indexed_body: None,
247 state_action: StateAction::Execute,
248 finalized: false,
249 intermediates: HashMap::new(),
250 auxiliary: Vec::new(),
251 fork_choice: None,
252 import_existing: false,
253 create_gap: true,
254 post_hash: None,
255 }
256 }
257
258 pub fn post_hash(&self) -> Block::Hash {
260 if let Some(hash) = self.post_hash {
261 hash
262 } else {
263 self.post_header().hash()
264 }
265 }
266
267 pub fn post_header(&self) -> Block::Header {
269 if self.post_digests.is_empty() {
270 self.header.clone()
271 } else {
272 let mut hdr = self.header.clone();
273 for digest_item in &self.post_digests {
274 hdr.digest_mut().push(digest_item.clone());
275 }
276
277 hdr
278 }
279 }
280
281 pub fn insert_intermediate<T: 'static + Send>(&mut self, key: &'static [u8], value: T) {
283 self.intermediates.insert(Cow::from(key), Box::new(value));
284 }
285
286 pub fn remove_intermediate<T: 'static>(&mut self, key: &[u8]) -> Result<T, Error> {
288 let (k, v) = self.intermediates.remove_entry(key).ok_or(Error::NoIntermediate)?;
289
290 v.downcast::<T>().map(|v| *v).map_err(|v| {
291 self.intermediates.insert(k, v);
292 Error::InvalidIntermediate
293 })
294 }
295
296 pub fn get_intermediate<T: 'static>(&self, key: &[u8]) -> Result<&T, Error> {
298 self.intermediates
299 .get(key)
300 .ok_or(Error::NoIntermediate)?
301 .downcast_ref::<T>()
302 .ok_or(Error::InvalidIntermediate)
303 }
304
305 pub fn get_intermediate_mut<T: 'static>(&mut self, key: &[u8]) -> Result<&mut T, Error> {
307 self.intermediates
308 .get_mut(key)
309 .ok_or(Error::NoIntermediate)?
310 .downcast_mut::<T>()
311 .ok_or(Error::InvalidIntermediate)
312 }
313
314 pub fn with_state(&self) -> bool {
316 matches!(self.state_action, StateAction::ApplyChanges(StorageChanges::Import(_)))
317 }
318}
319
320#[async_trait::async_trait]
322pub trait BlockImport<B: BlockT> {
323 type Error: std::error::Error + Send + 'static;
325
326 async fn check_block(&self, block: BlockCheckParams<B>) -> Result<ImportResult, Self::Error>;
328
329 async fn import_block(&self, block: BlockImportParams<B>) -> Result<ImportResult, Self::Error>;
331}
332
333#[async_trait::async_trait]
334impl<B: BlockT> BlockImport<B> for crate::import_queue::BoxBlockImport<B> {
335 type Error = sp_consensus::error::Error;
336
337 async fn check_block(&self, block: BlockCheckParams<B>) -> Result<ImportResult, Self::Error> {
339 (**self).check_block(block).await
340 }
341
342 async fn import_block(&self, block: BlockImportParams<B>) -> Result<ImportResult, Self::Error> {
344 (**self).import_block(block).await
345 }
346}
347
348#[async_trait::async_trait]
349impl<B: BlockT, T, E: std::error::Error + Send + 'static> BlockImport<B> for Arc<T>
350where
351 for<'r> &'r T: BlockImport<B, Error = E>,
352 T: Send + Sync,
353{
354 type Error = E;
355
356 async fn check_block(&self, block: BlockCheckParams<B>) -> Result<ImportResult, Self::Error> {
357 (&**self).check_block(block).await
358 }
359
360 async fn import_block(&self, block: BlockImportParams<B>) -> Result<ImportResult, Self::Error> {
361 (&**self).import_block(block).await
362 }
363}
364
365#[async_trait::async_trait]
367pub trait JustificationImport<B: BlockT> {
368 type Error: std::error::Error + Send + 'static;
369
370 async fn on_start(&mut self) -> Vec<(B::Hash, NumberFor<B>)>;
373
374 async fn import_justification(
376 &mut self,
377 hash: B::Hash,
378 number: NumberFor<B>,
379 justification: Justification,
380 ) -> Result<(), Self::Error>;
381}
382
383pub trait JustificationSyncLink<B: BlockT>: Send + Sync {
389 fn request_justification(&self, hash: &B::Hash, number: NumberFor<B>);
391
392 fn clear_justification_requests(&self);
394}
395
396impl<B: BlockT> JustificationSyncLink<B> for () {
397 fn request_justification(&self, _hash: &B::Hash, _number: NumberFor<B>) {}
398
399 fn clear_justification_requests(&self) {}
400}
401
402impl<B: BlockT, L: JustificationSyncLink<B>> JustificationSyncLink<B> for Arc<L> {
403 fn request_justification(&self, hash: &B::Hash, number: NumberFor<B>) {
404 L::request_justification(self, hash, number);
405 }
406
407 fn clear_justification_requests(&self) {
408 L::clear_justification_requests(self);
409 }
410}