make block queue into a more generic verification queue and fix block heap size calculation (#2095)
* move block queue to own module, a couple readability changes * make block queue generic over verifiable data also fixes heap size calculation * make block queue into a more generic verification queue * some module reoganization * implement header queue * clean up verification error messages
This commit is contained in:
		
							parent
							
								
									d7bbc5cc3f
								
							
						
					
					
						commit
						9d4bee4922
					
				| @ -25,13 +25,12 @@ use time::precise_time_ns; | |||||||
| use util::{Bytes, PerfTimer, Itertools, Mutex, RwLock}; | use util::{Bytes, PerfTimer, Itertools, Mutex, RwLock}; | ||||||
| use util::journaldb::{self, JournalDB}; | use util::journaldb::{self, JournalDB}; | ||||||
| use util::{U256, H256, Address, H2048, Uint}; | use util::{U256, H256, Address, H2048, Uint}; | ||||||
| use util::sha3::*; |  | ||||||
| use util::TrieFactory; | use util::TrieFactory; | ||||||
| use util::kvdb::*; | use util::kvdb::*; | ||||||
| 
 | 
 | ||||||
| // other
 | // other
 | ||||||
| use io::*; | use io::*; | ||||||
| use views::{BlockView, HeaderView, BodyView}; | use views::{HeaderView, BodyView}; | ||||||
| use error::{ImportError, ExecutionError, CallError, BlockError, ImportResult, Error as EthcoreError}; | use error::{ImportError, ExecutionError, CallError, BlockError, ImportResult, Error as EthcoreError}; | ||||||
| use header::BlockNumber; | use header::BlockNumber; | ||||||
| use state::State; | use state::State; | ||||||
| @ -47,7 +46,7 @@ use transaction::{LocalizedTransaction, SignedTransaction, Action}; | |||||||
| use blockchain::extras::TransactionAddress; | use blockchain::extras::TransactionAddress; | ||||||
| use types::filter::Filter; | use types::filter::Filter; | ||||||
| use log_entry::LocalizedLogEntry; | use log_entry::LocalizedLogEntry; | ||||||
| use block_queue::{BlockQueue, BlockQueueInfo}; | use verification::queue::{BlockQueue, QueueInfo as BlockQueueInfo}; | ||||||
| use blockchain::{BlockChain, BlockProvider, TreeRoute, ImportRoute}; | use blockchain::{BlockChain, BlockProvider, TreeRoute, ImportRoute}; | ||||||
| use client::{ | use client::{ | ||||||
| 	BlockID, TransactionID, UncleID, TraceId, ClientConfig, BlockChainClient, | 	BlockID, TransactionID, UncleID, TraceId, ClientConfig, BlockChainClient, | ||||||
| @ -805,7 +804,7 @@ impl BlockChainClient for Client { | |||||||
| 		let chain = self.chain.read(); | 		let chain = self.chain.read(); | ||||||
| 		match Self::block_hash(&chain, id) { | 		match Self::block_hash(&chain, id) { | ||||||
| 			Some(ref hash) if chain.is_known(hash) => BlockStatus::InChain, | 			Some(ref hash) if chain.is_known(hash) => BlockStatus::InChain, | ||||||
| 			Some(hash) => self.block_queue.block_status(&hash), | 			Some(hash) => self.block_queue.status(&hash).into(), | ||||||
| 			None => BlockStatus::Unknown | 			None => BlockStatus::Unknown | ||||||
| 		} | 		} | ||||||
| 	} | 	} | ||||||
| @ -917,16 +916,21 @@ impl BlockChainClient for Client { | |||||||
| 	} | 	} | ||||||
| 
 | 
 | ||||||
| 	fn import_block(&self, bytes: Bytes) -> Result<H256, BlockImportError> { | 	fn import_block(&self, bytes: Bytes) -> Result<H256, BlockImportError> { | ||||||
|  | 		use verification::queue::kind::HasHash; | ||||||
|  | 		use verification::queue::kind::blocks::Unverified; | ||||||
|  | 
 | ||||||
|  | 		// create unverified block here so the `sha3` calculation can be cached.
 | ||||||
|  | 		let unverified = Unverified::new(bytes); | ||||||
|  | 
 | ||||||
| 		{ | 		{ | ||||||
| 			let header = BlockView::new(&bytes).header_view(); | 			if self.chain.read().is_known(&unverified.hash()) { | ||||||
| 			if self.chain.read().is_known(&header.sha3()) { |  | ||||||
| 				return Err(BlockImportError::Import(ImportError::AlreadyInChain)); | 				return Err(BlockImportError::Import(ImportError::AlreadyInChain)); | ||||||
| 			} | 			} | ||||||
| 			if self.block_status(BlockID::Hash(header.parent_hash())) == BlockStatus::Unknown { | 			if self.block_status(BlockID::Hash(unverified.parent_hash())) == BlockStatus::Unknown { | ||||||
| 				return Err(BlockImportError::Block(BlockError::UnknownParent(header.parent_hash()))); | 				return Err(BlockImportError::Block(BlockError::UnknownParent(unverified.parent_hash()))); | ||||||
| 			} | 			} | ||||||
| 		} | 		} | ||||||
| 		Ok(try!(self.block_queue.import_block(bytes))) | 		Ok(try!(self.block_queue.import(unverified))) | ||||||
| 	} | 	} | ||||||
| 
 | 
 | ||||||
| 	fn queue_info(&self) -> BlockQueueInfo { | 	fn queue_info(&self) -> BlockQueueInfo { | ||||||
|  | |||||||
| @ -16,11 +16,11 @@ | |||||||
| 
 | 
 | ||||||
| use std::str::FromStr; | use std::str::FromStr; | ||||||
| pub use std::time::Duration; | pub use std::time::Duration; | ||||||
| pub use block_queue::BlockQueueConfig; |  | ||||||
| pub use blockchain::Config as BlockChainConfig; | pub use blockchain::Config as BlockChainConfig; | ||||||
| pub use trace::Config as TraceConfig; | pub use trace::Config as TraceConfig; | ||||||
| pub use evm::VMType; | pub use evm::VMType; | ||||||
| pub use verification::VerifierType; | 
 | ||||||
|  | use verification::{VerifierType, QueueConfig}; | ||||||
| use util::{journaldb, CompactionProfile}; | use util::{journaldb, CompactionProfile}; | ||||||
| use util::trie::TrieSpec; | use util::trie::TrieSpec; | ||||||
| 
 | 
 | ||||||
| @ -84,7 +84,7 @@ impl Default for Mode { | |||||||
| #[derive(Debug, PartialEq, Default)] | #[derive(Debug, PartialEq, Default)] | ||||||
| pub struct ClientConfig { | pub struct ClientConfig { | ||||||
| 	/// Block queue configuration.
 | 	/// Block queue configuration.
 | ||||||
| 	pub queue: BlockQueueConfig, | 	pub queue: QueueConfig, | ||||||
| 	/// Blockchain configuration.
 | 	/// Blockchain configuration.
 | ||||||
| 	pub blockchain: BlockChainConfig, | 	pub blockchain: BlockChainConfig, | ||||||
| 	/// Trace configuration.
 | 	/// Trace configuration.
 | ||||||
|  | |||||||
| @ -23,7 +23,7 @@ mod trace; | |||||||
| mod client; | mod client; | ||||||
| 
 | 
 | ||||||
| pub use self::client::*; | pub use self::client::*; | ||||||
| pub use self::config::{Mode, ClientConfig, DatabaseCompactionProfile, BlockQueueConfig, BlockChainConfig, VMType}; | pub use self::config::{Mode, ClientConfig, DatabaseCompactionProfile, BlockChainConfig, VMType}; | ||||||
| pub use self::error::Error; | pub use self::error::Error; | ||||||
| pub use types::ids::*; | pub use types::ids::*; | ||||||
| pub use self::test_client::{TestBlockChainClient, EachBlockWith}; | pub use self::test_client::{TestBlockChainClient, EachBlockWith}; | ||||||
|  | |||||||
| @ -37,7 +37,7 @@ use evm::{Factory as EvmFactory, VMType}; | |||||||
| use miner::{Miner, MinerService, TransactionImportResult}; | use miner::{Miner, MinerService, TransactionImportResult}; | ||||||
| use spec::Spec; | use spec::Spec; | ||||||
| 
 | 
 | ||||||
| use block_queue::BlockQueueInfo; | use verification::queue::QueueInfo; | ||||||
| use block::{OpenBlock, SealedBlock}; | use block::{OpenBlock, SealedBlock}; | ||||||
| use executive::Executed; | use executive::Executed; | ||||||
| use error::CallError; | use error::CallError; | ||||||
| @ -544,8 +544,8 @@ impl BlockChainClient for TestBlockChainClient { | |||||||
| 		Ok(h) | 		Ok(h) | ||||||
| 	} | 	} | ||||||
| 
 | 
 | ||||||
| 	fn queue_info(&self) -> BlockQueueInfo { | 	fn queue_info(&self) -> QueueInfo { | ||||||
| 		BlockQueueInfo { | 		QueueInfo { | ||||||
| 			verified_queue_size: self.queue_size.load(AtomicOrder::Relaxed), | 			verified_queue_size: self.queue_size.load(AtomicOrder::Relaxed), | ||||||
| 			unverified_queue_size: 0, | 			unverified_queue_size: 0, | ||||||
| 			verifying_queue_size: 0, | 			verifying_queue_size: 0, | ||||||
|  | |||||||
| @ -17,7 +17,7 @@ | |||||||
| use std::collections::BTreeMap; | use std::collections::BTreeMap; | ||||||
| use util::{U256, Address, H256, H2048, Bytes, Itertools}; | use util::{U256, Address, H256, H2048, Bytes, Itertools}; | ||||||
| use blockchain::TreeRoute; | use blockchain::TreeRoute; | ||||||
| use block_queue::BlockQueueInfo; | use verification::queue::QueueInfo as BlockQueueInfo; | ||||||
| use block::{OpenBlock, SealedBlock}; | use block::{OpenBlock, SealedBlock}; | ||||||
| use header::{BlockNumber}; | use header::{BlockNumber}; | ||||||
| use transaction::{LocalizedTransaction, SignedTransaction}; | use transaction::{LocalizedTransaction, SignedTransaction}; | ||||||
|  | |||||||
| @ -295,6 +295,12 @@ impl Encodable for Header { | |||||||
| 	} | 	} | ||||||
| } | } | ||||||
| 
 | 
 | ||||||
|  | impl HeapSizeOf for Header { | ||||||
|  | 	fn heap_size_of_children(&self) -> usize { | ||||||
|  | 		self.extra_data.heap_size_of_children() + self.seal.heap_size_of_children() | ||||||
|  | 	} | ||||||
|  | } | ||||||
|  | 
 | ||||||
| #[cfg(test)] | #[cfg(test)] | ||||||
| mod tests { | mod tests { | ||||||
| 	use rustc_serialize::hex::FromHex; | 	use rustc_serialize::hex::FromHex; | ||||||
|  | |||||||
| @ -119,7 +119,6 @@ pub extern crate ethstore; | |||||||
| pub mod account_provider; | pub mod account_provider; | ||||||
| pub mod engines; | pub mod engines; | ||||||
| pub mod block; | pub mod block; | ||||||
| pub mod block_queue; |  | ||||||
| pub mod client; | pub mod client; | ||||||
| pub mod error; | pub mod error; | ||||||
| pub mod ethereum; | pub mod ethereum; | ||||||
|  | |||||||
| @ -1,34 +0,0 @@ | |||||||
| // Copyright 2015, 2016 Ethcore (UK) Ltd.
 |  | ||||||
| // This file is part of Parity.
 |  | ||||||
| 
 |  | ||||||
| // Parity is free software: you can redistribute it and/or modify
 |  | ||||||
| // it under the terms of the GNU General Public License as published by
 |  | ||||||
| // the Free Software Foundation, either version 3 of the License, or
 |  | ||||||
| // (at your option) any later version.
 |  | ||||||
| 
 |  | ||||||
| // Parity is distributed in the hope that it will be useful,
 |  | ||||||
| // but WITHOUT ANY WARRANTY; without even the implied warranty of
 |  | ||||||
| // MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE.  See the
 |  | ||||||
| // GNU General Public License for more details.
 |  | ||||||
| 
 |  | ||||||
| // You should have received a copy of the GNU General Public License
 |  | ||||||
| // along with Parity.  If not, see <http://www.gnu.org/licenses/>.
 |  | ||||||
| 
 |  | ||||||
| //! Block queue info types
 |  | ||||||
| 
 |  | ||||||
| /// Block queue status
 |  | ||||||
| #[derive(Debug, Binary)] |  | ||||||
| pub struct BlockQueueInfo { |  | ||||||
| 	/// Number of queued blocks pending verification
 |  | ||||||
| 	pub unverified_queue_size: usize, |  | ||||||
| 	/// Number of verified queued blocks pending import
 |  | ||||||
| 	pub verified_queue_size: usize, |  | ||||||
| 	/// Number of blocks being verified
 |  | ||||||
| 	pub verifying_queue_size: usize, |  | ||||||
| 	/// Configured maximum number of blocks in the queue
 |  | ||||||
| 	pub max_queue_size: usize, |  | ||||||
| 	/// Configured maximum number of bytes to use
 |  | ||||||
| 	pub max_mem_use: usize, |  | ||||||
| 	/// Heap memory used in bytes
 |  | ||||||
| 	pub mem_used: usize, |  | ||||||
| } |  | ||||||
| @ -15,6 +15,7 @@ | |||||||
| // along with Parity.  If not, see <http://www.gnu.org/licenses/>.
 | // along with Parity.  If not, see <http://www.gnu.org/licenses/>.
 | ||||||
| 
 | 
 | ||||||
| //! Block status description module
 | //! Block status description module
 | ||||||
|  | use verification::queue::Status as QueueStatus; | ||||||
| 
 | 
 | ||||||
| /// General block status
 | /// General block status
 | ||||||
| #[derive(Debug, Eq, PartialEq, Binary)] | #[derive(Debug, Eq, PartialEq, Binary)] | ||||||
| @ -28,3 +29,13 @@ pub enum BlockStatus { | |||||||
| 	/// Unknown.
 | 	/// Unknown.
 | ||||||
| 	Unknown, | 	Unknown, | ||||||
| } | } | ||||||
|  | 
 | ||||||
|  | impl From<QueueStatus> for BlockStatus { | ||||||
|  | 	fn from(status: QueueStatus) -> Self { | ||||||
|  | 		match status { | ||||||
|  | 			QueueStatus::Queued => BlockStatus::Queued, | ||||||
|  | 			QueueStatus::Bad => BlockStatus::Bad, | ||||||
|  | 			QueueStatus::Unknown => BlockStatus::Unknown, | ||||||
|  | 		} | ||||||
|  | 	} | ||||||
|  | } | ||||||
| @ -25,7 +25,7 @@ pub mod executed; | |||||||
| pub mod block_status; | pub mod block_status; | ||||||
| pub mod account_diff; | pub mod account_diff; | ||||||
| pub mod state_diff; | pub mod state_diff; | ||||||
| pub mod block_queue_info; | pub mod verification_queue_info; | ||||||
| pub mod filter; | pub mod filter; | ||||||
| pub mod trace_filter; | pub mod trace_filter; | ||||||
| pub mod call_analytics; | pub mod call_analytics; | ||||||
|  | |||||||
| @ -20,7 +20,7 @@ use std::ops::Deref; | |||||||
| use std::cell::*; | use std::cell::*; | ||||||
| use rlp::*; | use rlp::*; | ||||||
| use util::sha3::Hashable; | use util::sha3::Hashable; | ||||||
| use util::{H256, Address, U256, Bytes}; | use util::{H256, Address, U256, Bytes, HeapSizeOf}; | ||||||
| use ethkey::{Signature, sign, Secret, Public, recover, public_to_address, Error as EthkeyError}; | use ethkey::{Signature, sign, Secret, Public, recover, public_to_address, Error as EthkeyError}; | ||||||
| use error::*; | use error::*; | ||||||
| use evm::Schedule; | use evm::Schedule; | ||||||
| @ -86,6 +86,12 @@ impl Transaction { | |||||||
| 	} | 	} | ||||||
| } | } | ||||||
| 
 | 
 | ||||||
|  | impl HeapSizeOf for Transaction { | ||||||
|  | 	fn heap_size_of_children(&self) -> usize { | ||||||
|  | 		self.data.heap_size_of_children() | ||||||
|  | 	} | ||||||
|  | } | ||||||
|  | 
 | ||||||
| impl From<ethjson::state::Transaction> for SignedTransaction { | impl From<ethjson::state::Transaction> for SignedTransaction { | ||||||
| 	fn from(t: ethjson::state::Transaction) -> Self { | 	fn from(t: ethjson::state::Transaction) -> Self { | ||||||
| 		let to: Option<ethjson::hash::Address> = t.to.into(); | 		let to: Option<ethjson::hash::Address> = t.to.into(); | ||||||
| @ -251,6 +257,12 @@ impl Encodable for SignedTransaction { | |||||||
| 	fn rlp_append(&self, s: &mut RlpStream) { self.rlp_append_sealed_transaction(s) } | 	fn rlp_append(&self, s: &mut RlpStream) { self.rlp_append_sealed_transaction(s) } | ||||||
| } | } | ||||||
| 
 | 
 | ||||||
|  | impl HeapSizeOf for SignedTransaction { | ||||||
|  | 	fn heap_size_of_children(&self) -> usize { | ||||||
|  | 		self.unsigned.heap_size_of_children() | ||||||
|  | 	} | ||||||
|  | } | ||||||
|  | 
 | ||||||
| impl SignedTransaction { | impl SignedTransaction { | ||||||
| 	/// Append object with a signature into RLP stream
 | 	/// Append object with a signature into RLP stream
 | ||||||
| 	pub fn rlp_append_sealed_transaction(&self, s: &mut RlpStream) { | 	pub fn rlp_append_sealed_transaction(&self, s: &mut RlpStream) { | ||||||
|  | |||||||
							
								
								
									
										53
									
								
								ethcore/src/types/verification_queue_info.rs
									
									
									
									
									
										Normal file
									
								
							
							
						
						
									
										53
									
								
								ethcore/src/types/verification_queue_info.rs
									
									
									
									
									
										Normal file
									
								
							| @ -0,0 +1,53 @@ | |||||||
|  | // Copyright 2015, 2016 Ethcore (UK) Ltd.
 | ||||||
|  | // This file is part of Parity.
 | ||||||
|  | 
 | ||||||
|  | // Parity is free software: you can redistribute it and/or modify
 | ||||||
|  | // it under the terms of the GNU General Public License as published by
 | ||||||
|  | // the Free Software Foundation, either version 3 of the License, or
 | ||||||
|  | // (at your option) any later version.
 | ||||||
|  | 
 | ||||||
|  | // Parity is distributed in the hope that it will be useful,
 | ||||||
|  | // but WITHOUT ANY WARRANTY; without even the implied warranty of
 | ||||||
|  | // MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE.  See the
 | ||||||
|  | // GNU General Public License for more details.
 | ||||||
|  | 
 | ||||||
|  | // You should have received a copy of the GNU General Public License
 | ||||||
|  | // along with Parity.  If not, see <http://www.gnu.org/licenses/>.
 | ||||||
|  | 
 | ||||||
|  | //! Verification queue info types
 | ||||||
|  | 
 | ||||||
|  | /// Verification queue status
 | ||||||
|  | #[derive(Debug, Binary)] | ||||||
|  | pub struct VerificationQueueInfo { | ||||||
|  | 	/// Number of queued items pending verification
 | ||||||
|  | 	pub unverified_queue_size: usize, | ||||||
|  | 	/// Number of verified queued items pending import
 | ||||||
|  | 	pub verified_queue_size: usize, | ||||||
|  | 	/// Number of items being verified
 | ||||||
|  | 	pub verifying_queue_size: usize, | ||||||
|  | 	/// Configured maximum number of items in the queue
 | ||||||
|  | 	pub max_queue_size: usize, | ||||||
|  | 	/// Configured maximum number of bytes to use
 | ||||||
|  | 	pub max_mem_use: usize, | ||||||
|  | 	/// Heap memory used in bytes
 | ||||||
|  | 	pub mem_used: usize, | ||||||
|  | } | ||||||
|  | 
 | ||||||
|  | impl VerificationQueueInfo { | ||||||
|  | 	/// The total size of the queues.
 | ||||||
|  | 	pub fn total_queue_size(&self) -> usize { self.unverified_queue_size + self.verified_queue_size + self.verifying_queue_size } | ||||||
|  | 
 | ||||||
|  | 	/// The size of the unverified and verifying queues.
 | ||||||
|  | 	pub fn incomplete_queue_size(&self) -> usize { self.unverified_queue_size + self.verifying_queue_size } | ||||||
|  | 
 | ||||||
|  | 	/// Indicates that queue is full
 | ||||||
|  | 	pub fn is_full(&self) -> bool { | ||||||
|  | 		self.unverified_queue_size + self.verified_queue_size + self.verifying_queue_size > self.max_queue_size || | ||||||
|  | 			self.mem_used > self.max_mem_use | ||||||
|  | 	} | ||||||
|  | 
 | ||||||
|  | 	/// Indicates that queue is empty
 | ||||||
|  | 	pub fn is_empty(&self) -> bool { | ||||||
|  | 		self.unverified_queue_size + self.verified_queue_size + self.verifying_queue_size == 0 | ||||||
|  | 	} | ||||||
|  | } | ||||||
| @ -16,6 +16,7 @@ | |||||||
| 
 | 
 | ||||||
| pub mod verification; | pub mod verification; | ||||||
| pub mod verifier; | pub mod verifier; | ||||||
|  | pub mod queue; | ||||||
| mod canon_verifier; | mod canon_verifier; | ||||||
| mod noop_verifier; | mod noop_verifier; | ||||||
| 
 | 
 | ||||||
| @ -23,6 +24,7 @@ pub use self::verification::*; | |||||||
| pub use self::verifier::Verifier; | pub use self::verifier::Verifier; | ||||||
| pub use self::canon_verifier::CanonVerifier; | pub use self::canon_verifier::CanonVerifier; | ||||||
| pub use self::noop_verifier::NoopVerifier; | pub use self::noop_verifier::NoopVerifier; | ||||||
|  | pub use self::queue::{BlockQueue, Config as QueueConfig, VerificationQueue, QueueInfo}; | ||||||
| 
 | 
 | ||||||
| /// Verifier type.
 | /// Verifier type.
 | ||||||
| #[derive(Debug, PartialEq, Clone)] | #[derive(Debug, PartialEq, Clone)] | ||||||
|  | |||||||
							
								
								
									
										182
									
								
								ethcore/src/verification/queue/kind.rs
									
									
									
									
									
										Normal file
									
								
							
							
						
						
									
										182
									
								
								ethcore/src/verification/queue/kind.rs
									
									
									
									
									
										Normal file
									
								
							| @ -0,0 +1,182 @@ | |||||||
|  | // Copyright 2015, 2016 Ethcore (UK) Ltd.
 | ||||||
|  | // This file is part of Parity.
 | ||||||
|  | 
 | ||||||
|  | // Parity is free software: you can redistribute it and/or modify
 | ||||||
|  | // it under the terms of the GNU General Public License as published by
 | ||||||
|  | // the Free Software Foundation, either version 3 of the License, or
 | ||||||
|  | // (at your option) any later version.
 | ||||||
|  | 
 | ||||||
|  | // Parity is distributed in the hope that it will be useful,
 | ||||||
|  | // but WITHOUT ANY WARRANTY; without even the implied warranty of
 | ||||||
|  | // MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE.  See the
 | ||||||
|  | // GNU General Public License for more details.
 | ||||||
|  | 
 | ||||||
|  | // You should have received a copy of the GNU General Public License
 | ||||||
|  | // along with Parity.  If not, see <http://www.gnu.org/licenses/>.
 | ||||||
|  | 
 | ||||||
|  | //! Definition of valid items for the verification queue.
 | ||||||
|  | 
 | ||||||
|  | use engines::Engine; | ||||||
|  | use error::Error; | ||||||
|  | 
 | ||||||
|  | use util::{HeapSizeOf, H256}; | ||||||
|  | 
 | ||||||
|  | pub use self::blocks::Blocks; | ||||||
|  | pub use self::headers::Headers; | ||||||
|  | 
 | ||||||
|  | /// Something which can produce a hash and a parent hash.
 | ||||||
|  | pub trait HasHash { | ||||||
|  | 	/// Get the hash of this item.
 | ||||||
|  | 	fn hash(&self) -> H256; | ||||||
|  | 
 | ||||||
|  | 	/// Get the hash of this item's parent.
 | ||||||
|  | 	fn parent_hash(&self) -> H256; | ||||||
|  | } | ||||||
|  | 
 | ||||||
|  | /// Defines transitions between stages of verification.
 | ||||||
|  | ///
 | ||||||
|  | /// It starts with a fallible transformation from an "input" into the unverified item.
 | ||||||
|  | /// This consists of quick, simply done checks as well as extracting particular data.
 | ||||||
|  | ///
 | ||||||
|  | /// Then, there is a `verify` function which performs more expensive checks and
 | ||||||
|  | /// produces the verified output.
 | ||||||
|  | ///
 | ||||||
|  | /// For correctness, the hashes produced by each stage of the pipeline should be
 | ||||||
|  | /// consistent.
 | ||||||
|  | pub trait Kind: 'static + Sized + Send + Sync { | ||||||
|  | 	/// The first stage: completely unverified.
 | ||||||
|  | 	type Input: Sized + Send + HasHash + HeapSizeOf; | ||||||
|  | 
 | ||||||
|  | 	/// The second stage: partially verified.
 | ||||||
|  | 	type Unverified: Sized + Send + HasHash + HeapSizeOf; | ||||||
|  | 
 | ||||||
|  | 	/// The third stage: completely verified.
 | ||||||
|  | 	type Verified: Sized + Send + HasHash + HeapSizeOf; | ||||||
|  | 
 | ||||||
|  | 	/// Attempt to create the `Unverified` item from the input.
 | ||||||
|  | 	fn create(input: Self::Input, engine: &Engine) -> Result<Self::Unverified, Error>; | ||||||
|  | 
 | ||||||
|  | 	/// Attempt to verify the `Unverified` item using the given engine.
 | ||||||
|  | 	fn verify(unverified: Self::Unverified, engine: &Engine) -> Result<Self::Verified, Error>; | ||||||
|  | } | ||||||
|  | 
 | ||||||
|  | /// The blocks verification module.
 | ||||||
|  | pub mod blocks { | ||||||
|  | 	use super::{Kind, HasHash}; | ||||||
|  | 
 | ||||||
|  | 	use engines::Engine; | ||||||
|  | 	use error::Error; | ||||||
|  | 	use header::Header; | ||||||
|  | 	use verification::{PreverifiedBlock, verify_block_basic, verify_block_unordered}; | ||||||
|  | 
 | ||||||
|  | 	use util::{Bytes, HeapSizeOf, H256}; | ||||||
|  | 
 | ||||||
|  | 	/// A mode for verifying blocks.
 | ||||||
|  | 	pub struct Blocks; | ||||||
|  | 
 | ||||||
|  | 	impl Kind for Blocks { | ||||||
|  | 		type Input = Unverified; | ||||||
|  | 		type Unverified = Unverified; | ||||||
|  | 		type Verified = PreverifiedBlock; | ||||||
|  | 
 | ||||||
|  | 		fn create(input: Self::Input, engine: &Engine) -> Result<Self::Unverified, Error> { | ||||||
|  | 			match verify_block_basic(&input.header, &input.bytes, engine) { | ||||||
|  | 				Ok(()) => Ok(input), | ||||||
|  | 				Err(e) => { | ||||||
|  | 					warn!(target: "client", "Stage 1 block verification failed for {}: {:?}", input.hash(), e); | ||||||
|  | 					Err(e) | ||||||
|  | 				} | ||||||
|  | 			} | ||||||
|  | 		} | ||||||
|  | 
 | ||||||
|  | 		fn verify(un: Self::Unverified, engine: &Engine) -> Result<Self::Verified, Error> { | ||||||
|  | 			let hash = un.hash(); | ||||||
|  | 			match verify_block_unordered(un.header, un.bytes, engine) { | ||||||
|  | 				Ok(verified) => Ok(verified), | ||||||
|  | 				Err(e) => { | ||||||
|  | 					warn!(target: "client", "Stage 2 block verification failed for {}: {:?}", hash, e); | ||||||
|  | 					Err(e) | ||||||
|  | 				} | ||||||
|  | 			} | ||||||
|  | 		} | ||||||
|  | 	} | ||||||
|  | 
 | ||||||
|  | 	/// An unverified block.
 | ||||||
|  | 	pub struct Unverified { | ||||||
|  | 		header: Header, | ||||||
|  | 		bytes: Bytes, | ||||||
|  | 	} | ||||||
|  | 
 | ||||||
|  | 	impl Unverified { | ||||||
|  | 		/// Create an `Unverified` from raw bytes.
 | ||||||
|  | 		pub fn new(bytes: Bytes) -> Self { | ||||||
|  | 			use views::BlockView; | ||||||
|  | 
 | ||||||
|  | 			let header = BlockView::new(&bytes).header(); | ||||||
|  | 			Unverified { | ||||||
|  | 				header: header, | ||||||
|  | 				bytes: bytes, | ||||||
|  | 			} | ||||||
|  | 		} | ||||||
|  | 	} | ||||||
|  | 
 | ||||||
|  | 	impl HeapSizeOf for Unverified { | ||||||
|  | 		fn heap_size_of_children(&self) -> usize { | ||||||
|  | 			self.header.heap_size_of_children() + self.bytes.heap_size_of_children() | ||||||
|  | 		} | ||||||
|  | 	} | ||||||
|  | 
 | ||||||
|  | 	impl HasHash for Unverified { | ||||||
|  | 		fn hash(&self) -> H256 { | ||||||
|  | 			self.header.hash() | ||||||
|  | 		} | ||||||
|  | 
 | ||||||
|  | 		fn parent_hash(&self) -> H256 { | ||||||
|  | 			self.header.parent_hash().clone() | ||||||
|  | 		} | ||||||
|  | 	} | ||||||
|  | 
 | ||||||
|  | 	impl HasHash for PreverifiedBlock { | ||||||
|  | 		fn hash(&self) -> H256 { | ||||||
|  | 			self.header.hash() | ||||||
|  | 		} | ||||||
|  | 
 | ||||||
|  | 		fn parent_hash(&self) -> H256 { | ||||||
|  | 			self.header.parent_hash().clone() | ||||||
|  | 		} | ||||||
|  | 	} | ||||||
|  | } | ||||||
|  | 
 | ||||||
|  | /// Verification for headers.
 | ||||||
|  | pub mod headers { | ||||||
|  | 	use super::{Kind, HasHash}; | ||||||
|  | 
 | ||||||
|  | 	use engines::Engine; | ||||||
|  | 	use error::Error; | ||||||
|  | 	use header::Header; | ||||||
|  | 	use verification::verify_header_params; | ||||||
|  | 
 | ||||||
|  | 	use util::hash::H256; | ||||||
|  | 
 | ||||||
|  | 	impl HasHash for Header { | ||||||
|  | 		fn hash(&self) -> H256 { self.hash() } | ||||||
|  | 		fn parent_hash(&self) -> H256 { self.parent_hash().clone() } | ||||||
|  | 	} | ||||||
|  | 
 | ||||||
|  | 	/// A mode for verifying headers.
 | ||||||
|  | 	pub struct Headers; | ||||||
|  | 
 | ||||||
|  | 	impl Kind for Headers { | ||||||
|  | 		type Input = Header; | ||||||
|  | 		type Unverified = Header; | ||||||
|  | 		type Verified = Header; | ||||||
|  | 
 | ||||||
|  | 		fn create(input: Self::Input, engine: &Engine) -> Result<Self::Unverified, Error> { | ||||||
|  | 			verify_header_params(&input, engine).map(|_| input) | ||||||
|  | 		} | ||||||
|  | 
 | ||||||
|  | 		fn verify(unverified: Self::Unverified, engine: &Engine) -> Result<Self::Verified, Error> { | ||||||
|  | 			engine.verify_block_unordered(&unverified, None).map(|_| unverified) | ||||||
|  | 		} | ||||||
|  | 	} | ||||||
|  | } | ||||||
| @ -16,30 +16,35 @@ | |||||||
| 
 | 
 | ||||||
| //! A queue of blocks. Sits between network or other I/O and the `BlockChain`.
 | //! A queue of blocks. Sits between network or other I/O and the `BlockChain`.
 | ||||||
| //! Sorts them ready for blockchain insertion.
 | //! Sorts them ready for blockchain insertion.
 | ||||||
|  | 
 | ||||||
| use std::thread::{JoinHandle, self}; | use std::thread::{JoinHandle, self}; | ||||||
| use std::sync::atomic::{AtomicBool, Ordering as AtomicOrdering}; | use std::sync::atomic::{AtomicBool, Ordering as AtomicOrdering}; | ||||||
| use std::sync::{Condvar as SCondvar, Mutex as SMutex}; | use std::sync::{Condvar as SCondvar, Mutex as SMutex}; | ||||||
| use util::*; | use util::*; | ||||||
| use io::*; | use io::*; | ||||||
| use verification::*; |  | ||||||
| use error::*; | use error::*; | ||||||
| use engines::Engine; | use engines::Engine; | ||||||
| use views::*; |  | ||||||
| use header::*; |  | ||||||
| use service::*; | use service::*; | ||||||
| use client::BlockStatus; |  | ||||||
| 
 | 
 | ||||||
| pub use types::block_queue_info::BlockQueueInfo; | use self::kind::{HasHash, Kind}; | ||||||
| 
 | 
 | ||||||
| known_heap_size!(0, UnverifiedBlock, VerifyingBlock, PreverifiedBlock); | pub use types::verification_queue_info::VerificationQueueInfo as QueueInfo; | ||||||
|  | 
 | ||||||
|  | pub mod kind; | ||||||
| 
 | 
 | ||||||
| const MIN_MEM_LIMIT: usize = 16384; | const MIN_MEM_LIMIT: usize = 16384; | ||||||
| const MIN_QUEUE_LIMIT: usize = 512; | const MIN_QUEUE_LIMIT: usize = 512; | ||||||
| 
 | 
 | ||||||
| /// Block queue configuration
 | /// Type alias for block queue convenience.
 | ||||||
|  | pub type BlockQueue = VerificationQueue<self::kind::Blocks>; | ||||||
|  | 
 | ||||||
|  | /// Type alias for header queue convenience.
 | ||||||
|  | pub type HeaderQueue = VerificationQueue<self::kind::Headers>; | ||||||
|  | 
 | ||||||
|  | /// Verification queue configuration
 | ||||||
| #[derive(Debug, PartialEq, Clone)] | #[derive(Debug, PartialEq, Clone)] | ||||||
| pub struct BlockQueueConfig { | pub struct Config { | ||||||
| 	/// Maximum number of blocks to keep in unverified queue.
 | 	/// Maximum number of items to keep in unverified queue.
 | ||||||
| 	/// When the limit is reached, is_full returns true.
 | 	/// When the limit is reached, is_full returns true.
 | ||||||
| 	pub max_queue_size: usize, | 	pub max_queue_size: usize, | ||||||
| 	/// Maximum heap memory to use.
 | 	/// Maximum heap memory to use.
 | ||||||
| @ -47,42 +52,44 @@ pub struct BlockQueueConfig { | |||||||
| 	pub max_mem_use: usize, | 	pub max_mem_use: usize, | ||||||
| } | } | ||||||
| 
 | 
 | ||||||
| impl Default for BlockQueueConfig { | impl Default for Config { | ||||||
| 	fn default() -> Self { | 	fn default() -> Self { | ||||||
| 		BlockQueueConfig { | 		Config { | ||||||
| 			max_queue_size: 30000, | 			max_queue_size: 30000, | ||||||
| 			max_mem_use: 50 * 1024 * 1024, | 			max_mem_use: 50 * 1024 * 1024, | ||||||
| 		} | 		} | ||||||
| 	} | 	} | ||||||
| } | } | ||||||
| 
 | 
 | ||||||
|  | /// An item which is in the process of being verified.
 | ||||||
|  | pub struct Verifying<K: Kind> { | ||||||
|  | 	hash: H256, | ||||||
|  | 	output: Option<K::Verified>, | ||||||
|  | } | ||||||
| 
 | 
 | ||||||
| impl BlockQueueInfo { | impl<K: Kind> HeapSizeOf for Verifying<K> { | ||||||
| 	/// The total size of the queues.
 | 	fn heap_size_of_children(&self) -> usize { | ||||||
| 	pub fn total_queue_size(&self) -> usize { self.unverified_queue_size + self.verified_queue_size + self.verifying_queue_size } | 		self.output.heap_size_of_children() | ||||||
| 
 |  | ||||||
| 	/// The size of the unverified and verifying queues.
 |  | ||||||
| 	pub fn incomplete_queue_size(&self) -> usize { self.unverified_queue_size + self.verifying_queue_size } |  | ||||||
| 
 |  | ||||||
| 	/// Indicates that queue is full
 |  | ||||||
| 	pub fn is_full(&self) -> bool { |  | ||||||
| 		self.unverified_queue_size + self.verified_queue_size + self.verifying_queue_size > self.max_queue_size || |  | ||||||
| 			self.mem_used > self.max_mem_use |  | ||||||
| 	} |  | ||||||
| 
 |  | ||||||
| 	/// Indicates that queue is empty
 |  | ||||||
| 	pub fn is_empty(&self) -> bool { |  | ||||||
| 		self.unverified_queue_size + self.verified_queue_size + self.verifying_queue_size == 0 |  | ||||||
| 	} | 	} | ||||||
| } | } | ||||||
| 
 | 
 | ||||||
| /// A queue of blocks. Sits between network or other I/O and the `BlockChain`.
 | /// Status of items in the queue.
 | ||||||
| /// Sorts them ready for blockchain insertion.
 | pub enum Status { | ||||||
| pub struct BlockQueue { | 	/// Currently queued.
 | ||||||
|  | 	Queued, | ||||||
|  | 	/// Known to be bad.
 | ||||||
|  | 	Bad, | ||||||
|  | 	/// Unknown.
 | ||||||
|  | 	Unknown, | ||||||
|  | } | ||||||
|  | 
 | ||||||
|  | /// A queue of items to be verified. Sits between network or other I/O and the `BlockChain`.
 | ||||||
|  | /// Keeps them in the same order as inserted, minus invalid items.
 | ||||||
|  | pub struct VerificationQueue<K: Kind> { | ||||||
| 	panic_handler: Arc<PanicHandler>, | 	panic_handler: Arc<PanicHandler>, | ||||||
| 	engine: Arc<Engine>, | 	engine: Arc<Engine>, | ||||||
| 	more_to_verify: Arc<SCondvar>, | 	more_to_verify: Arc<SCondvar>, | ||||||
| 	verification: Arc<Verification>, | 	verification: Arc<Verification<K>>, | ||||||
| 	verifiers: Vec<JoinHandle<()>>, | 	verifiers: Vec<JoinHandle<()>>, | ||||||
| 	deleting: Arc<AtomicBool>, | 	deleting: Arc<AtomicBool>, | ||||||
| 	ready_signal: Arc<QueueSignal>, | 	ready_signal: Arc<QueueSignal>, | ||||||
| @ -92,16 +99,6 @@ pub struct BlockQueue { | |||||||
| 	max_mem_use: usize, | 	max_mem_use: usize, | ||||||
| } | } | ||||||
| 
 | 
 | ||||||
| struct UnverifiedBlock { |  | ||||||
| 	header: Header, |  | ||||||
| 	bytes: Bytes, |  | ||||||
| } |  | ||||||
| 
 |  | ||||||
| struct VerifyingBlock { |  | ||||||
| 	hash: H256, |  | ||||||
| 	block: Option<PreverifiedBlock>, |  | ||||||
| } |  | ||||||
| 
 |  | ||||||
| struct QueueSignal { | struct QueueSignal { | ||||||
| 	deleting: Arc<AtomicBool>, | 	deleting: Arc<AtomicBool>, | ||||||
| 	signalled: AtomicBool, | 	signalled: AtomicBool, | ||||||
| @ -128,19 +125,19 @@ impl QueueSignal { | |||||||
| 	} | 	} | ||||||
| } | } | ||||||
| 
 | 
 | ||||||
| struct Verification { | struct Verification<K: Kind> { | ||||||
| 	// All locks must be captured in the order declared here.
 | 	// All locks must be captured in the order declared here.
 | ||||||
| 	unverified: Mutex<VecDeque<UnverifiedBlock>>, | 	unverified: Mutex<VecDeque<K::Unverified>>, | ||||||
| 	verified: Mutex<VecDeque<PreverifiedBlock>>, | 	verified: Mutex<VecDeque<K::Verified>>, | ||||||
| 	verifying: Mutex<VecDeque<VerifyingBlock>>, | 	verifying: Mutex<VecDeque<Verifying<K>>>, | ||||||
| 	bad: Mutex<HashSet<H256>>, | 	bad: Mutex<HashSet<H256>>, | ||||||
| 	more_to_verify: SMutex<()>, | 	more_to_verify: SMutex<()>, | ||||||
| 	empty: SMutex<()>, | 	empty: SMutex<()>, | ||||||
| } | } | ||||||
| 
 | 
 | ||||||
| impl BlockQueue { | impl<K: Kind> VerificationQueue<K> { | ||||||
| 	/// Creates a new queue instance.
 | 	/// Creates a new queue instance.
 | ||||||
| 	pub fn new(config: BlockQueueConfig, engine: Arc<Engine>, message_channel: IoChannel<ClientIoMessage>) -> BlockQueue { | 	pub fn new(config: Config, engine: Arc<Engine>, message_channel: IoChannel<ClientIoMessage>) -> Self { | ||||||
| 		let verification = Arc::new(Verification { | 		let verification = Arc::new(Verification { | ||||||
| 			unverified: Mutex::new(VecDeque::new()), | 			unverified: Mutex::new(VecDeque::new()), | ||||||
| 			verified: Mutex::new(VecDeque::new()), | 			verified: Mutex::new(VecDeque::new()), | ||||||
| @ -175,13 +172,13 @@ impl BlockQueue { | |||||||
| 				.name(format!("Verifier #{}", i)) | 				.name(format!("Verifier #{}", i)) | ||||||
| 				.spawn(move || { | 				.spawn(move || { | ||||||
| 					panic_handler.catch_panic(move || { | 					panic_handler.catch_panic(move || { | ||||||
| 						BlockQueue::verify(verification, engine, more_to_verify, ready_signal, deleting, empty) | 						VerificationQueue::verify(verification, engine, more_to_verify, ready_signal, deleting, empty) | ||||||
| 					}).unwrap() | 					}).unwrap() | ||||||
| 				}) | 				}) | ||||||
| 				.expect("Error starting block verification thread") | 				.expect("Error starting block verification thread") | ||||||
| 			); | 			); | ||||||
| 		} | 		} | ||||||
| 		BlockQueue { | 		VerificationQueue { | ||||||
| 			engine: engine, | 			engine: engine, | ||||||
| 			panic_handler: panic_handler, | 			panic_handler: panic_handler, | ||||||
| 			ready_signal: ready_signal.clone(), | 			ready_signal: ready_signal.clone(), | ||||||
| @ -196,7 +193,7 @@ impl BlockQueue { | |||||||
| 		} | 		} | ||||||
| 	} | 	} | ||||||
| 
 | 
 | ||||||
| 	fn verify(verification: Arc<Verification>, engine: Arc<Engine>, wait: Arc<SCondvar>, ready: Arc<QueueSignal>, deleting: Arc<AtomicBool>, empty: Arc<SCondvar>) { | 	fn verify(verification: Arc<Verification<K>>, engine: Arc<Engine>, wait: Arc<SCondvar>, ready: Arc<QueueSignal>, deleting: Arc<AtomicBool>, empty: Arc<SCondvar>) { | ||||||
| 		while !deleting.load(AtomicOrdering::Acquire) { | 		while !deleting.load(AtomicOrdering::Acquire) { | ||||||
| 			{ | 			{ | ||||||
| 				let mut more_to_verify = verification.more_to_verify.lock().unwrap(); | 				let mut more_to_verify = verification.more_to_verify.lock().unwrap(); | ||||||
| @ -214,57 +211,66 @@ impl BlockQueue { | |||||||
| 				} | 				} | ||||||
| 			} | 			} | ||||||
| 
 | 
 | ||||||
| 			let block = { | 			let item = { | ||||||
|  | 				// acquire these locks before getting the item to verify.
 | ||||||
| 				let mut unverified = verification.unverified.lock(); | 				let mut unverified = verification.unverified.lock(); | ||||||
| 				if unverified.is_empty() { |  | ||||||
| 					continue; |  | ||||||
| 				} |  | ||||||
| 				let mut verifying = verification.verifying.lock(); | 				let mut verifying = verification.verifying.lock(); | ||||||
| 				let block = unverified.pop_front().unwrap(); | 
 | ||||||
| 				verifying.push_back(VerifyingBlock{ hash: block.header.hash(), block: None }); | 				let item = match unverified.pop_front() { | ||||||
| 				block | 					Some(item) => item, | ||||||
|  | 					None => continue, | ||||||
| 				}; | 				}; | ||||||
| 
 | 
 | ||||||
| 			let block_hash = block.header.hash(); | 				verifying.push_back(Verifying { hash: item.hash(), output: None }); | ||||||
| 			match verify_block_unordered(block.header, block.bytes, &*engine) { | 				item | ||||||
|  | 			}; | ||||||
|  | 
 | ||||||
|  | 			let hash = item.hash(); | ||||||
|  | 			match K::verify(item, &*engine) { | ||||||
| 				Ok(verified) => { | 				Ok(verified) => { | ||||||
| 					let mut verifying = verification.verifying.lock(); | 					let mut verifying = verification.verifying.lock(); | ||||||
| 					for e in verifying.iter_mut() { | 					let mut idx = None; | ||||||
| 						if e.hash == block_hash { | 					for (i, e) in verifying.iter_mut().enumerate() { | ||||||
| 							e.block = Some(verified); | 						if e.hash == hash { | ||||||
|  | 							idx = Some(i); | ||||||
|  | 							e.output = Some(verified); | ||||||
| 							break; | 							break; | ||||||
| 						} | 						} | ||||||
| 					} | 					} | ||||||
| 					if !verifying.is_empty() && verifying.front().unwrap().hash == block_hash { | 
 | ||||||
|  | 					if idx == Some(0) { | ||||||
| 						// we're next!
 | 						// we're next!
 | ||||||
| 						let mut verified = verification.verified.lock(); | 						let mut verified = verification.verified.lock(); | ||||||
| 						let mut bad = verification.bad.lock(); | 						let mut bad = verification.bad.lock(); | ||||||
| 						BlockQueue::drain_verifying(&mut verifying, &mut verified, &mut bad); | 						VerificationQueue::drain_verifying(&mut verifying, &mut verified, &mut bad); | ||||||
| 						ready.set(); | 						ready.set(); | ||||||
| 					} | 					} | ||||||
| 				}, | 				}, | ||||||
| 				Err(err) => { | 				Err(_) => { | ||||||
| 					let mut verifying = verification.verifying.lock(); | 					let mut verifying = verification.verifying.lock(); | ||||||
| 					let mut verified = verification.verified.lock(); | 					let mut verified = verification.verified.lock(); | ||||||
| 					let mut bad = verification.bad.lock(); | 					let mut bad = verification.bad.lock(); | ||||||
| 					warn!(target: "client", "Stage 2 block verification failed for {}\nError: {:?}", block_hash, err); | 
 | ||||||
| 					bad.insert(block_hash.clone()); | 					bad.insert(hash.clone()); | ||||||
| 					verifying.retain(|e| e.hash != block_hash); | 					verifying.retain(|e| e.hash != hash); | ||||||
| 					BlockQueue::drain_verifying(&mut verifying, &mut verified, &mut bad); | 
 | ||||||
|  | 					if verifying.front().map_or(false, |x| x.output.is_some()) { | ||||||
|  | 						VerificationQueue::drain_verifying(&mut verifying, &mut verified, &mut bad); | ||||||
| 						ready.set(); | 						ready.set(); | ||||||
| 					} | 					} | ||||||
| 				} | 				} | ||||||
| 			} | 			} | ||||||
| 		} | 		} | ||||||
|  | 	} | ||||||
| 
 | 
 | ||||||
| 	fn drain_verifying(verifying: &mut VecDeque<VerifyingBlock>, verified: &mut VecDeque<PreverifiedBlock>, bad: &mut HashSet<H256>) { | 	fn drain_verifying(verifying: &mut VecDeque<Verifying<K>>, verified: &mut VecDeque<K::Verified>, bad: &mut HashSet<H256>) { | ||||||
| 		while !verifying.is_empty() && verifying.front().unwrap().block.is_some() { | 		while let Some(output) = verifying.front_mut().and_then(|x| x.output.take()) { | ||||||
| 			let block = verifying.pop_front().unwrap().block.unwrap(); | 			assert!(verifying.pop_front().is_some()); | ||||||
| 			if bad.contains(block.header.parent_hash()) { | 
 | ||||||
| 				bad.insert(block.header.hash()); | 			if bad.contains(&output.parent_hash()) { | ||||||
| 			} | 				bad.insert(output.hash()); | ||||||
| 			else { | 			} else { | ||||||
| 				verified.push_back(block); | 				verified.push_back(output); | ||||||
| 			} | 			} | ||||||
| 		} | 		} | ||||||
| 	} | 	} | ||||||
| @ -288,21 +294,20 @@ impl BlockQueue { | |||||||
| 		} | 		} | ||||||
| 	} | 	} | ||||||
| 
 | 
 | ||||||
| 	/// Check if the block is currently in the queue
 | 	/// Check if the item is currently in the queue
 | ||||||
| 	pub fn block_status(&self, hash: &H256) -> BlockStatus { | 	pub fn status(&self, hash: &H256) -> Status { | ||||||
| 		if self.processing.read().contains(hash) { | 		if self.processing.read().contains(hash) { | ||||||
| 			return BlockStatus::Queued; | 			return Status::Queued; | ||||||
| 		} | 		} | ||||||
| 		if self.verification.bad.lock().contains(hash) { | 		if self.verification.bad.lock().contains(hash) { | ||||||
| 			return BlockStatus::Bad; | 			return Status::Bad; | ||||||
| 		} | 		} | ||||||
| 		BlockStatus::Unknown | 		Status::Unknown | ||||||
| 	} | 	} | ||||||
| 
 | 
 | ||||||
| 	/// Add a block to the queue.
 | 	/// Add a block to the queue.
 | ||||||
| 	pub fn import_block(&self, bytes: Bytes) -> ImportResult { | 	pub fn import(&self, input: K::Input) -> ImportResult { | ||||||
| 		let header = BlockView::new(&bytes).header(); | 		let h = input.hash(); | ||||||
| 		let h = header.hash(); |  | ||||||
| 		{ | 		{ | ||||||
| 			if self.processing.read().contains(&h) { | 			if self.processing.read().contains(&h) { | ||||||
| 				return Err(ImportError::AlreadyQueued.into()); | 				return Err(ImportError::AlreadyQueued.into()); | ||||||
| @ -313,74 +318,71 @@ impl BlockQueue { | |||||||
| 				return Err(ImportError::KnownBad.into()); | 				return Err(ImportError::KnownBad.into()); | ||||||
| 			} | 			} | ||||||
| 
 | 
 | ||||||
| 			if bad.contains(header.parent_hash()) { | 			if bad.contains(&input.parent_hash()) { | ||||||
| 				bad.insert(h.clone()); | 				bad.insert(h.clone()); | ||||||
| 				return Err(ImportError::KnownBad.into()); | 				return Err(ImportError::KnownBad.into()); | ||||||
| 			} | 			} | ||||||
| 		} | 		} | ||||||
| 
 | 
 | ||||||
| 		match verify_block_basic(&header, &bytes, &*self.engine) { | 		match K::create(input, &*self.engine) { | ||||||
| 			Ok(()) => { | 			Ok(item) => { | ||||||
| 				self.processing.write().insert(h.clone()); | 				self.processing.write().insert(h.clone()); | ||||||
| 				self.verification.unverified.lock().push_back(UnverifiedBlock { header: header, bytes: bytes }); | 				self.verification.unverified.lock().push_back(item); | ||||||
| 				self.more_to_verify.notify_all(); | 				self.more_to_verify.notify_all(); | ||||||
| 				Ok(h) | 				Ok(h) | ||||||
| 			}, | 			}, | ||||||
| 			Err(err) => { | 			Err(err) => { | ||||||
| 				warn!(target: "client", "Stage 1 block verification failed for {}\nError: {:?}", BlockView::new(&bytes).header_view().sha3(), err); |  | ||||||
| 				self.verification.bad.lock().insert(h.clone()); | 				self.verification.bad.lock().insert(h.clone()); | ||||||
| 				Err(err) | 				Err(err) | ||||||
| 			} | 			} | ||||||
| 		} | 		} | ||||||
| 	} | 	} | ||||||
| 
 | 
 | ||||||
| 	/// Mark given block and all its children as bad. Stops verification.
 | 	/// Mark given item and all its children as bad. pauses verification
 | ||||||
| 	pub fn mark_as_bad(&self, block_hashes: &[H256]) { | 	/// until complete.
 | ||||||
| 		if block_hashes.is_empty() { | 	pub fn mark_as_bad(&self, hashes: &[H256]) { | ||||||
|  | 		if hashes.is_empty() { | ||||||
| 			return; | 			return; | ||||||
| 		} | 		} | ||||||
| 		let mut verified_lock = self.verification.verified.lock(); | 		let mut verified_lock = self.verification.verified.lock(); | ||||||
| 		let mut verified = &mut *verified_lock; | 		let mut verified = &mut *verified_lock; | ||||||
| 		let mut bad = self.verification.bad.lock(); | 		let mut bad = self.verification.bad.lock(); | ||||||
| 		let mut processing = self.processing.write(); | 		let mut processing = self.processing.write(); | ||||||
| 		bad.reserve(block_hashes.len()); | 		bad.reserve(hashes.len()); | ||||||
| 		for hash in block_hashes { | 		for hash in hashes { | ||||||
| 			bad.insert(hash.clone()); | 			bad.insert(hash.clone()); | ||||||
| 			processing.remove(hash); | 			processing.remove(hash); | ||||||
| 		} | 		} | ||||||
| 
 | 
 | ||||||
| 		let mut new_verified = VecDeque::new(); | 		let mut new_verified = VecDeque::new(); | ||||||
| 		for block in verified.drain(..) { | 		for output in verified.drain(..) { | ||||||
| 			if bad.contains(block.header.parent_hash()) { | 			if bad.contains(&output.parent_hash()) { | ||||||
| 				bad.insert(block.header.hash()); | 				bad.insert(output.hash()); | ||||||
| 				processing.remove(&block.header.hash()); | 				processing.remove(&output.hash()); | ||||||
| 			} else { | 			} else { | ||||||
| 				new_verified.push_back(block); | 				new_verified.push_back(output); | ||||||
| 			} | 			} | ||||||
| 		} | 		} | ||||||
| 		*verified = new_verified; | 		*verified = new_verified; | ||||||
| 	} | 	} | ||||||
| 
 | 
 | ||||||
| 	/// Mark given block as processed
 | 	/// Mark given item as processed
 | ||||||
| 	pub fn mark_as_good(&self, block_hashes: &[H256]) { | 	pub fn mark_as_good(&self, hashes: &[H256]) { | ||||||
| 		if block_hashes.is_empty() { | 		if hashes.is_empty() { | ||||||
| 			return; | 			return; | ||||||
| 		} | 		} | ||||||
| 		let mut processing = self.processing.write(); | 		let mut processing = self.processing.write(); | ||||||
| 		for hash in block_hashes { | 		for hash in hashes { | ||||||
| 			processing.remove(hash); | 			processing.remove(hash); | ||||||
| 		} | 		} | ||||||
| 	} | 	} | ||||||
| 
 | 
 | ||||||
| 	/// Removes up to `max` verified blocks from the queue
 | 	/// Removes up to `max` verified items from the queue
 | ||||||
| 	pub fn drain(&self, max: usize) -> Vec<PreverifiedBlock> { | 	pub fn drain(&self, max: usize) -> Vec<K::Verified> { | ||||||
| 		let mut verified = self.verification.verified.lock(); | 		let mut verified = self.verification.verified.lock(); | ||||||
| 		let count = min(max, verified.len()); | 		let count = min(max, verified.len()); | ||||||
| 		let mut result = Vec::with_capacity(count); | 		let result = verified.drain(..count).collect::<Vec<_>>(); | ||||||
| 		for _ in 0..count { | 
 | ||||||
| 			let block = verified.pop_front().unwrap(); |  | ||||||
| 			result.push(block); |  | ||||||
| 		} |  | ||||||
| 		self.ready_signal.reset(); | 		self.ready_signal.reset(); | ||||||
| 		if !verified.is_empty() { | 		if !verified.is_empty() { | ||||||
| 			self.ready_signal.set(); | 			self.ready_signal.set(); | ||||||
| @ -389,7 +391,7 @@ impl BlockQueue { | |||||||
| 	} | 	} | ||||||
| 
 | 
 | ||||||
| 	/// Get queue status.
 | 	/// Get queue status.
 | ||||||
| 	pub fn queue_info(&self) -> BlockQueueInfo { | 	pub fn queue_info(&self) -> QueueInfo { | ||||||
| 		let (unverified_len, unverified_bytes) = { | 		let (unverified_len, unverified_bytes) = { | ||||||
| 			let v = self.verification.unverified.lock(); | 			let v = self.verification.unverified.lock(); | ||||||
| 			(v.len(), v.heap_size_of_children()) | 			(v.len(), v.heap_size_of_children()) | ||||||
| @ -402,7 +404,8 @@ impl BlockQueue { | |||||||
| 			let v = self.verification.verified.lock(); | 			let v = self.verification.verified.lock(); | ||||||
| 			(v.len(), v.heap_size_of_children()) | 			(v.len(), v.heap_size_of_children()) | ||||||
| 		}; | 		}; | ||||||
| 		BlockQueueInfo { | 
 | ||||||
|  | 		QueueInfo { | ||||||
| 			unverified_queue_size: unverified_len, | 			unverified_queue_size: unverified_len, | ||||||
| 			verifying_queue_size: verifying_len, | 			verifying_queue_size: verifying_len, | ||||||
| 			verified_queue_size: verified_len, | 			verified_queue_size: verified_len, | ||||||
| @ -428,22 +431,22 @@ impl BlockQueue { | |||||||
| 	} | 	} | ||||||
| } | } | ||||||
| 
 | 
 | ||||||
| impl MayPanic for BlockQueue { | impl<K: Kind> MayPanic for VerificationQueue<K> { | ||||||
| 	fn on_panic<F>(&self, closure: F) where F: OnPanicListener { | 	fn on_panic<F>(&self, closure: F) where F: OnPanicListener { | ||||||
| 		self.panic_handler.on_panic(closure); | 		self.panic_handler.on_panic(closure); | ||||||
| 	} | 	} | ||||||
| } | } | ||||||
| 
 | 
 | ||||||
| impl Drop for BlockQueue { | impl<K: Kind> Drop for VerificationQueue<K> { | ||||||
| 	fn drop(&mut self) { | 	fn drop(&mut self) { | ||||||
| 		trace!(target: "shutdown", "[BlockQueue] Closing..."); | 		trace!(target: "shutdown", "[VerificationQueue] Closing..."); | ||||||
| 		self.clear(); | 		self.clear(); | ||||||
| 		self.deleting.store(true, AtomicOrdering::Release); | 		self.deleting.store(true, AtomicOrdering::Release); | ||||||
| 		self.more_to_verify.notify_all(); | 		self.more_to_verify.notify_all(); | ||||||
| 		for t in self.verifiers.drain(..) { | 		for t in self.verifiers.drain(..) { | ||||||
| 			t.join().unwrap(); | 			t.join().unwrap(); | ||||||
| 		} | 		} | ||||||
| 		trace!(target: "shutdown", "[BlockQueue] Closed."); | 		trace!(target: "shutdown", "[VerificationQueue] Closed."); | ||||||
| 	} | 	} | ||||||
| } | } | ||||||
| 
 | 
 | ||||||
| @ -452,7 +455,8 @@ mod tests { | |||||||
| 	use util::*; | 	use util::*; | ||||||
| 	use io::*; | 	use io::*; | ||||||
| 	use spec::*; | 	use spec::*; | ||||||
| 	use block_queue::*; | 	use super::{BlockQueue, Config}; | ||||||
|  | 	use super::kind::blocks::Unverified; | ||||||
| 	use tests::helpers::*; | 	use tests::helpers::*; | ||||||
| 	use error::*; | 	use error::*; | ||||||
| 	use views::*; | 	use views::*; | ||||||
| @ -460,7 +464,7 @@ mod tests { | |||||||
| 	fn get_test_queue() -> BlockQueue { | 	fn get_test_queue() -> BlockQueue { | ||||||
| 		let spec = get_test_spec(); | 		let spec = get_test_spec(); | ||||||
| 		let engine = spec.engine; | 		let engine = spec.engine; | ||||||
| 		BlockQueue::new(BlockQueueConfig::default(), engine, IoChannel::disconnected()) | 		BlockQueue::new(Config::default(), engine, IoChannel::disconnected()) | ||||||
| 	} | 	} | ||||||
| 
 | 
 | ||||||
| 	#[test] | 	#[test] | ||||||
| @ -468,13 +472,13 @@ mod tests { | |||||||
| 		// TODO better test
 | 		// TODO better test
 | ||||||
| 		let spec = Spec::new_test(); | 		let spec = Spec::new_test(); | ||||||
| 		let engine = spec.engine; | 		let engine = spec.engine; | ||||||
| 		let _ = BlockQueue::new(BlockQueueConfig::default(), engine, IoChannel::disconnected()); | 		let _ = BlockQueue::new(Config::default(), engine, IoChannel::disconnected()); | ||||||
| 	} | 	} | ||||||
| 
 | 
 | ||||||
| 	#[test] | 	#[test] | ||||||
| 	fn can_import_blocks() { | 	fn can_import_blocks() { | ||||||
| 		let queue = get_test_queue(); | 		let queue = get_test_queue(); | ||||||
| 		if let Err(e) = queue.import_block(get_good_dummy_block()) { | 		if let Err(e) = queue.import(Unverified::new(get_good_dummy_block())) { | ||||||
| 			panic!("error importing block that is valid by definition({:?})", e); | 			panic!("error importing block that is valid by definition({:?})", e); | ||||||
| 		} | 		} | ||||||
| 	} | 	} | ||||||
| @ -482,11 +486,11 @@ mod tests { | |||||||
| 	#[test] | 	#[test] | ||||||
| 	fn returns_error_for_duplicates() { | 	fn returns_error_for_duplicates() { | ||||||
| 		let queue = get_test_queue(); | 		let queue = get_test_queue(); | ||||||
| 		if let Err(e) = queue.import_block(get_good_dummy_block()) { | 		if let Err(e) = queue.import(Unverified::new(get_good_dummy_block())) { | ||||||
| 			panic!("error importing block that is valid by definition({:?})", e); | 			panic!("error importing block that is valid by definition({:?})", e); | ||||||
| 		} | 		} | ||||||
| 
 | 
 | ||||||
| 		let duplicate_import = queue.import_block(get_good_dummy_block()); | 		let duplicate_import = queue.import(Unverified::new(get_good_dummy_block())); | ||||||
| 		match duplicate_import { | 		match duplicate_import { | ||||||
| 			Err(e) => { | 			Err(e) => { | ||||||
| 				match e { | 				match e { | ||||||
| @ -503,14 +507,14 @@ mod tests { | |||||||
| 		let queue = get_test_queue(); | 		let queue = get_test_queue(); | ||||||
| 		let block = get_good_dummy_block(); | 		let block = get_good_dummy_block(); | ||||||
| 		let hash = BlockView::new(&block).header().hash().clone(); | 		let hash = BlockView::new(&block).header().hash().clone(); | ||||||
| 		if let Err(e) = queue.import_block(block) { | 		if let Err(e) = queue.import(Unverified::new(block)) { | ||||||
| 			panic!("error importing block that is valid by definition({:?})", e); | 			panic!("error importing block that is valid by definition({:?})", e); | ||||||
| 		} | 		} | ||||||
| 		queue.flush(); | 		queue.flush(); | ||||||
| 		queue.drain(10); | 		queue.drain(10); | ||||||
| 		queue.mark_as_good(&[ hash ]); | 		queue.mark_as_good(&[ hash ]); | ||||||
| 
 | 
 | ||||||
| 		if let Err(e) = queue.import_block(get_good_dummy_block()) { | 		if let Err(e) = queue.import(Unverified::new(get_good_dummy_block())) { | ||||||
| 			panic!("error importing block that has already been drained ({:?})", e); | 			panic!("error importing block that has already been drained ({:?})", e); | ||||||
| 		} | 		} | ||||||
| 	} | 	} | ||||||
| @ -518,7 +522,8 @@ mod tests { | |||||||
| 	#[test] | 	#[test] | ||||||
| 	fn returns_empty_once_finished() { | 	fn returns_empty_once_finished() { | ||||||
| 		let queue = get_test_queue(); | 		let queue = get_test_queue(); | ||||||
| 		queue.import_block(get_good_dummy_block()).expect("error importing block that is valid by definition"); | 		queue.import(Unverified::new(get_good_dummy_block())) | ||||||
|  | 			.expect("error importing block that is valid by definition"); | ||||||
| 		queue.flush(); | 		queue.flush(); | ||||||
| 		queue.drain(1); | 		queue.drain(1); | ||||||
| 
 | 
 | ||||||
| @ -529,13 +534,13 @@ mod tests { | |||||||
| 	fn test_mem_limit() { | 	fn test_mem_limit() { | ||||||
| 		let spec = get_test_spec(); | 		let spec = get_test_spec(); | ||||||
| 		let engine = spec.engine; | 		let engine = spec.engine; | ||||||
| 		let mut config = BlockQueueConfig::default(); | 		let mut config = Config::default(); | ||||||
| 		config.max_mem_use = super::MIN_MEM_LIMIT;  // empty queue uses about 15000
 | 		config.max_mem_use = super::MIN_MEM_LIMIT;  // empty queue uses about 15000
 | ||||||
| 		let queue = BlockQueue::new(config, engine, IoChannel::disconnected()); | 		let queue = BlockQueue::new(config, engine, IoChannel::disconnected()); | ||||||
| 		assert!(!queue.queue_info().is_full()); | 		assert!(!queue.queue_info().is_full()); | ||||||
| 		let mut blocks = get_good_dummy_block_seq(50); | 		let mut blocks = get_good_dummy_block_seq(50); | ||||||
| 		for b in blocks.drain(..) { | 		for b in blocks.drain(..) { | ||||||
| 			queue.import_block(b).unwrap(); | 			queue.import(Unverified::new(b)).unwrap(); | ||||||
| 		} | 		} | ||||||
| 		assert!(queue.queue_info().is_full()); | 		assert!(queue.queue_info().is_full()); | ||||||
| 	} | 	} | ||||||
| @ -36,14 +36,22 @@ pub struct PreverifiedBlock { | |||||||
| 	pub bytes: Bytes, | 	pub bytes: Bytes, | ||||||
| } | } | ||||||
| 
 | 
 | ||||||
|  | impl HeapSizeOf for PreverifiedBlock { | ||||||
|  | 	fn heap_size_of_children(&self) -> usize { | ||||||
|  | 		self.header.heap_size_of_children() | ||||||
|  | 			+ self.transactions.heap_size_of_children() | ||||||
|  | 			+ self.bytes.heap_size_of_children() | ||||||
|  | 	} | ||||||
|  | } | ||||||
|  | 
 | ||||||
| /// Phase 1 quick block verification. Only does checks that are cheap. Operates on a single block
 | /// Phase 1 quick block verification. Only does checks that are cheap. Operates on a single block
 | ||||||
| pub fn verify_block_basic(header: &Header, bytes: &[u8], engine: &Engine) -> Result<(), Error> { | pub fn verify_block_basic(header: &Header, bytes: &[u8], engine: &Engine) -> Result<(), Error> { | ||||||
| 	try!(verify_header(&header, engine)); | 	try!(verify_header_params(&header, engine)); | ||||||
| 	try!(verify_block_integrity(bytes, &header.transactions_root(), &header.uncles_hash())); | 	try!(verify_block_integrity(bytes, &header.transactions_root(), &header.uncles_hash())); | ||||||
| 	try!(engine.verify_block_basic(&header, Some(bytes))); | 	try!(engine.verify_block_basic(&header, Some(bytes))); | ||||||
| 	for u in try!(UntrustedRlp::new(bytes).at(2)).iter().map(|rlp| rlp.as_val::<Header>()) { | 	for u in try!(UntrustedRlp::new(bytes).at(2)).iter().map(|rlp| rlp.as_val::<Header>()) { | ||||||
| 		let u = try!(u); | 		let u = try!(u); | ||||||
| 		try!(verify_header(&u, engine)); | 		try!(verify_header_params(&u, engine)); | ||||||
| 		try!(engine.verify_block_basic(&u, None)); | 		try!(engine.verify_block_basic(&u, None)); | ||||||
| 	} | 	} | ||||||
| 	// Verify transactions.
 | 	// Verify transactions.
 | ||||||
| @ -179,7 +187,7 @@ pub fn verify_block_final(expected: &Header, got: &Header) -> Result<(), Error> | |||||||
| } | } | ||||||
| 
 | 
 | ||||||
| /// Check basic header parameters.
 | /// Check basic header parameters.
 | ||||||
| fn verify_header(header: &Header, engine: &Engine) -> Result<(), Error> { | pub fn verify_header_params(header: &Header, engine: &Engine) -> Result<(), Error> { | ||||||
| 	if header.number() >= From::from(BlockNumber::max_value()) { | 	if header.number() >= From::from(BlockNumber::max_value()) { | ||||||
| 		return Err(From::from(BlockError::RidiculousNumber(OutOfBounds { max: Some(From::from(BlockNumber::max_value())), min: None, found: header.number() }))) | 		return Err(From::from(BlockError::RidiculousNumber(OutOfBounds { max: Some(From::from(BlockNumber::max_value())), min: None, found: header.number() }))) | ||||||
| 	} | 	} | ||||||
|  | |||||||
		Loading…
	
		Reference in New Issue
	
	Block a user