referrerpolicy=no-referrer-when-downgrade

sc_consensus/
block_import.rs

1// This file is part of Substrate.
2
3// Copyright (C) Parity Technologies (UK) Ltd.
4// SPDX-License-Identifier: GPL-3.0-or-later WITH Classpath-exception-2.0
5
6// This program is free software: you can redistribute it and/or modify
7// it under the terms of the GNU General Public License as published by
8// the Free Software Foundation, either version 3 of the License, or
9// (at your option) any later version.
10
11// This program is distributed in the hope that it will be useful,
12// but WITHOUT ANY WARRANTY; without even the implied warranty of
13// MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
14// GNU General Public License for more details.
15
16// You should have received a copy of the GNU General Public License
17// along with this program. If not, see <https://www.gnu.org/licenses/>.
18
19//! Block import helpers.
20
21use 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/// Block import result.
31#[derive(Debug, PartialEq, Eq)]
32pub enum ImportResult {
33	/// Block imported.
34	Imported(ImportedAux),
35	/// Already in the blockchain.
36	AlreadyInChain,
37	/// Block or parent is known to be bad.
38	KnownBad,
39	/// Block parent is not in the chain.
40	UnknownParent,
41	/// Parent state is missing.
42	MissingState,
43}
44
45/// Auxiliary data associated with an imported block result.
46#[derive(Clone, Debug, Default, PartialEq, Eq, Serialize, Deserialize)]
47pub struct ImportedAux {
48	/// Only the header has been imported. Block body verification was skipped.
49	pub header_only: bool,
50	/// Clear all pending justification requests.
51	pub clear_justification_requests: bool,
52	/// Request a justification for the given block.
53	pub needs_justification: bool,
54	/// Received a bad justification.
55	pub bad_justification: bool,
56	/// Whether the block that was imported is the new best block.
57	pub is_new_best: bool,
58}
59
60impl ImportResult {
61	/// Returns default value for `ImportResult::Imported` with
62	/// `clear_justification_requests`, `needs_justification`,
63	/// `bad_justification` set to false.
64	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	/// Handles any necessary request for justifications (or clearing of pending requests) based on
71	/// the outcome of this block import.
72	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/// Fork choice strategy.
96#[derive(Debug, PartialEq, Eq, Clone, Copy)]
97pub enum ForkChoiceStrategy {
98	/// Longest chain fork choice.
99	LongestChain,
100	/// Custom fork choice rule, where true indicates the new block should be the best block.
101	Custom(bool),
102}
103
104/// Data required to check validity of a Block.
105#[derive(Debug, PartialEq, Eq, Clone)]
106pub struct BlockCheckParams<Block: BlockT> {
107	/// Hash of the block that we verify.
108	pub hash: Block::Hash,
109	/// Block number of the block that we verify.
110	pub number: NumberFor<Block>,
111	/// Parent hash of the block that we verify.
112	pub parent_hash: Block::Hash,
113	/// Allow importing the block skipping state verification if parent state is missing.
114	pub allow_missing_state: bool,
115	/// Allow importing the block if parent block is missing.
116	pub allow_missing_parent: bool,
117	/// Re-validate existing block.
118	pub import_existing: bool,
119}
120
121/// Precomputed storage.
122pub enum StorageChanges<Block: BlockT> {
123	/// Changes coming from block execution.
124	Changes(sp_state_machine::StorageChanges<HashingFor<Block>>),
125	/// Whole new state.
126	Import(ImportedState<Block>),
127}
128
129/// Imported state data. A vector of key-value pairs that should form a trie.
130#[derive(PartialEq, Eq, Clone)]
131pub struct ImportedState<B: BlockT> {
132	/// Target block hash.
133	pub block: B::Hash,
134	/// State keys and values.
135	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
144/// Defines how a new state is computed for a given imported block.
145pub enum StateAction<Block: BlockT> {
146	/// Apply precomputed changes coming from block execution or state sync.
147	ApplyChanges(StorageChanges<Block>),
148	/// Execute block body (required) and compute state.
149	Execute,
150	/// Execute block body if parent state is available and compute state.
151	ExecuteIfPossible,
152	/// Don't execute or import state.
153	Skip,
154}
155
156impl<Block: BlockT> StateAction<Block> {
157	/// Check if execution checks that require runtime calls should be skipped.
158	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/// Data required to import a Block.
183#[non_exhaustive]
184pub struct BlockImportParams<Block: BlockT> {
185	/// Origin of the Block
186	pub origin: BlockOrigin,
187	/// The header, without consensus post-digests applied. This should be in the same
188	/// state as it comes out of the runtime.
189	///
190	/// Consensus engines which alter the header (by adding post-runtime digests)
191	/// should strip those off in the initial verification process and pass them
192	/// via the `post_digests` field. During block authorship, they should
193	/// not be pushed to the header directly.
194	///
195	/// The reason for this distinction is so the header can be directly
196	/// re-executed in a runtime that checks digest equivalence -- the
197	/// post-runtime digests are pushed back on after.
198	pub header: Block::Header,
199	/// Justification(s) provided for this block from the outside.
200	pub justifications: Option<Justifications>,
201	/// Digest items that have been added after the runtime for external
202	/// work, like a consensus signature.
203	pub post_digests: Vec<DigestItem>,
204	/// The body of the block.
205	pub body: Option<Vec<Block::Extrinsic>>,
206	/// Indexed transaction body of the block.
207	pub indexed_body: Option<Vec<Vec<u8>>>,
208	/// Specify how the new state is computed.
209	pub state_action: StateAction<Block>,
210	/// Is this block finalized already?
211	/// `true` implies instant finality.
212	pub finalized: bool,
213	/// Intermediate values that are interpreted by block importers. Each block importer,
214	/// upon handling a value, removes it from the intermediate list. The final block importer
215	/// rejects block import if there are still intermediate values that remain unhandled.
216	pub intermediates: HashMap<Cow<'static, [u8]>, Box<dyn Any + Send>>,
217	/// Auxiliary consensus data produced by the block.
218	/// Contains a list of key-value pairs. If values are `None`, the keys will be deleted. These
219	/// changes will be applied to `AuxStore` database all as one batch, which is more efficient
220	/// than updating `AuxStore` directly.
221	pub auxiliary: Vec<(Vec<u8>, Option<Vec<u8>>)>,
222	/// Fork choice strategy of this import. This should only be set by a
223	/// synchronous import, otherwise it may race against other imports.
224	/// `None` indicates that the current verifier or importer cannot yet
225	/// determine the fork choice value, and it expects subsequent importer
226	/// to modify it. If `None` is passed all the way down to bottom block
227	/// importer, the import fails with an `IncompletePipeline` error.
228	pub fork_choice: Option<ForkChoiceStrategy>,
229	/// Re-validate existing block.
230	pub import_existing: bool,
231	/// Whether to create "block gap" in case this block doesn't have parent.
232	pub create_gap: bool,
233	/// Cached full header hash (with post-digests applied).
234	pub post_hash: Option<Block::Hash>,
235}
236
237impl<Block: BlockT> BlockImportParams<Block> {
238	/// Create a new block import params.
239	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	/// Get the full header hash (with post-digests applied).
259	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	/// Get the post header.
268	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	/// Insert intermediate by given key.
282	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	/// Remove and return intermediate by given key.
287	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	/// Get a reference to a given intermediate.
297	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	/// Get a mutable reference to a given intermediate.
306	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	/// Check if this block contains state import action
315	pub fn with_state(&self) -> bool {
316		matches!(self.state_action, StateAction::ApplyChanges(StorageChanges::Import(_)))
317	}
318}
319
320/// Block import trait.
321#[async_trait::async_trait]
322pub trait BlockImport<B: BlockT> {
323	/// The error type.
324	type Error: std::error::Error + Send + 'static;
325
326	/// Check block preconditions.
327	async fn check_block(&self, block: BlockCheckParams<B>) -> Result<ImportResult, Self::Error>;
328
329	/// Import a block.
330	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	/// Check block preconditions.
338	async fn check_block(&self, block: BlockCheckParams<B>) -> Result<ImportResult, Self::Error> {
339		(**self).check_block(block).await
340	}
341
342	/// Import a block.
343	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/// Justification import trait
366#[async_trait::async_trait]
367pub trait JustificationImport<B: BlockT> {
368	type Error: std::error::Error + Send + 'static;
369
370	/// Called by the import queue when it is started. Returns a list of justifications to request
371	/// from the network.
372	async fn on_start(&mut self) -> Vec<(B::Hash, NumberFor<B>)>;
373
374	/// Import a Block justification and finalize the given block.
375	async fn import_justification(
376		&mut self,
377		hash: B::Hash,
378		number: NumberFor<B>,
379		justification: Justification,
380	) -> Result<(), Self::Error>;
381}
382
383/// Control the synchronization process of block justifications.
384///
385/// When importing blocks different consensus engines might require that
386/// additional finality data is provided (i.e. a justification for the block).
387/// This trait abstracts the required methods to issue those requests
388pub trait JustificationSyncLink<B: BlockT>: Send + Sync {
389	/// Request a justification for the given block.
390	fn request_justification(&self, hash: &B::Hash, number: NumberFor<B>);
391
392	/// Clear all pending justification requests.
393	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}