2014-07-18 13:56:17 +00:00
|
|
|
// Rust Bitcoin Library
|
|
|
|
// Written in 2014 by
|
2015-04-07 22:51:57 +00:00
|
|
|
// Andrew Poelstra <apoelstra@wpsoftware.net>
|
2014-07-18 13:56:17 +00:00
|
|
|
//
|
|
|
|
// To the extent possible under law, the author(s) have dedicated all
|
|
|
|
// copyright and related and neighboring rights to this software to
|
|
|
|
// the public domain worldwide. This software is distributed without
|
|
|
|
// any warranty.
|
|
|
|
//
|
|
|
|
// You should have received a copy of the CC0 Public Domain Dedication
|
|
|
|
// along with this software.
|
|
|
|
// If not, see <http://creativecommons.org/publicdomain/zero/1.0/>.
|
|
|
|
//
|
|
|
|
|
2018-08-08 21:38:50 +00:00
|
|
|
//! Bitcoin Block
|
2014-07-18 13:56:17 +00:00
|
|
|
//!
|
|
|
|
//! A block is a bundle of transactions with a proof-of-work attached,
|
2019-02-04 06:30:41 +00:00
|
|
|
//! which commits to an earlier block to form the blockchain. This
|
2014-07-18 13:56:17 +00:00
|
|
|
//! module describes structures and functions needed to describe
|
|
|
|
//! these blocks and the blockchain.
|
|
|
|
//!
|
|
|
|
|
2021-06-09 10:40:41 +00:00
|
|
|
use core::fmt;
|
2020-07-21 09:30:17 +00:00
|
|
|
|
2015-04-07 01:51:11 +00:00
|
|
|
use util;
|
2019-06-07 13:12:07 +00:00
|
|
|
use util::Error::{BlockBadTarget, BlockBadProofOfWork};
|
2020-01-10 11:34:16 +00:00
|
|
|
use util::hash::bitcoin_merkle_root;
|
2019-12-18 11:40:46 +00:00
|
|
|
use hashes::{Hash, HashEngine};
|
|
|
|
use hash_types::{Wtxid, BlockHash, TxMerkleNode, WitnessMerkleNode, WitnessCommitment};
|
2014-07-18 13:56:17 +00:00
|
|
|
use util::uint::Uint256;
|
2019-05-17 21:53:38 +00:00
|
|
|
use consensus::encode::Encodable;
|
2018-02-11 18:35:51 +00:00
|
|
|
use network::constants::Network;
|
2014-07-18 13:56:17 +00:00
|
|
|
use blockdata::transaction::Transaction;
|
2020-03-23 17:30:13 +00:00
|
|
|
use blockdata::constants::{max_target, WITNESS_SCALE_FACTOR};
|
2020-07-21 09:30:17 +00:00
|
|
|
use blockdata::script;
|
2020-03-23 17:30:13 +00:00
|
|
|
use VarInt;
|
2014-07-18 13:56:17 +00:00
|
|
|
|
|
|
|
/// A block header, which contains all the block's information except
|
|
|
|
/// the actual transactions
|
2015-04-10 23:15:57 +00:00
|
|
|
#[derive(Copy, PartialEq, Eq, Clone, Debug)]
|
2020-10-25 18:03:20 +00:00
|
|
|
#[cfg_attr(feature = "serde", derive(Serialize, Deserialize))]
|
2014-07-18 13:56:17 +00:00
|
|
|
pub struct BlockHeader {
|
2015-04-07 22:51:57 +00:00
|
|
|
/// The protocol version. Should always be 1.
|
2020-08-17 17:28:33 +00:00
|
|
|
pub version: i32,
|
2015-04-07 22:51:57 +00:00
|
|
|
/// Reference to the previous block in the chain
|
2019-11-30 16:00:17 +00:00
|
|
|
pub prev_blockhash: BlockHash,
|
2015-04-07 22:51:57 +00:00
|
|
|
/// The root hash of the merkle tree of transactions in the block
|
2019-12-18 11:40:46 +00:00
|
|
|
pub merkle_root: TxMerkleNode,
|
2018-04-11 09:19:48 +00:00
|
|
|
/// The timestamp of the block, as claimed by the miner
|
2015-04-07 22:51:57 +00:00
|
|
|
pub time: u32,
|
|
|
|
/// The target value below which the blockhash must lie, encoded as a
|
|
|
|
/// a float (with well-defined rounding, of course)
|
|
|
|
pub bits: u32,
|
|
|
|
/// The nonce, selected to obtain a low enough blockhash
|
|
|
|
pub nonce: u32,
|
2014-07-18 13:56:17 +00:00
|
|
|
}
|
|
|
|
|
2020-07-21 08:45:04 +00:00
|
|
|
impl_consensus_encoding!(BlockHeader, version, prev_blockhash, merkle_root, time, bits, nonce);
|
2019-01-20 17:02:47 +00:00
|
|
|
|
2014-07-18 13:56:17 +00:00
|
|
|
impl BlockHeader {
|
2020-01-10 11:34:16 +00:00
|
|
|
/// Return the block hash.
|
|
|
|
pub fn block_hash(&self) -> BlockHash {
|
|
|
|
let mut engine = BlockHash::engine();
|
|
|
|
self.consensus_encode(&mut engine).expect("engines don't error");
|
|
|
|
BlockHash::from_engine(engine)
|
|
|
|
}
|
|
|
|
|
2015-04-07 22:51:57 +00:00
|
|
|
/// Computes the target [0, T] that a blockhash must land in to be valid
|
|
|
|
pub fn target(&self) -> Uint256 {
|
2020-05-31 21:22:25 +00:00
|
|
|
Self::u256_from_compact_target(self.bits)
|
|
|
|
}
|
|
|
|
|
2020-06-01 19:26:52 +00:00
|
|
|
/// Computes the target value in [`Uint256`] format, from a compact representation.
|
|
|
|
///
|
|
|
|
/// [`Uint256`]: ../../util/uint/struct.Uint256.html
|
2020-05-31 21:22:25 +00:00
|
|
|
///
|
|
|
|
/// ```
|
|
|
|
/// use bitcoin::blockdata::block::BlockHeader;
|
|
|
|
///
|
|
|
|
/// assert_eq!(0x1d00ffff,
|
|
|
|
/// BlockHeader::compact_target_from_u256(
|
|
|
|
/// &BlockHeader::u256_from_compact_target(0x1d00ffff)
|
|
|
|
/// )
|
|
|
|
/// );
|
|
|
|
/// ```
|
|
|
|
pub fn u256_from_compact_target(bits: u32) -> Uint256 {
|
2015-04-07 22:51:57 +00:00
|
|
|
// This is a floating-point "compact" encoding originally used by
|
|
|
|
// OpenSSL, which satoshi put into consensus code, so we're stuck
|
|
|
|
// with it. The exponent needs to have 3 subtracted from it, hence
|
|
|
|
// this goofy decoding code:
|
|
|
|
let (mant, expt) = {
|
2020-05-31 21:22:25 +00:00
|
|
|
let unshifted_expt = bits >> 24;
|
2015-04-07 22:51:57 +00:00
|
|
|
if unshifted_expt <= 3 {
|
2020-05-31 21:22:25 +00:00
|
|
|
((bits & 0xFFFFFF) >> (8 * (3 - unshifted_expt as usize)), 0)
|
2015-04-07 22:51:57 +00:00
|
|
|
} else {
|
2020-05-31 21:22:25 +00:00
|
|
|
(bits & 0xFFFFFF, 8 * ((bits >> 24) - 3))
|
2015-04-07 22:51:57 +00:00
|
|
|
}
|
|
|
|
};
|
|
|
|
|
|
|
|
// The mantissa is signed but may not be negative
|
|
|
|
if mant > 0x7FFFFF {
|
2018-02-18 15:21:05 +00:00
|
|
|
Default::default()
|
2015-04-07 22:51:57 +00:00
|
|
|
} else {
|
2018-02-18 15:21:05 +00:00
|
|
|
Uint256::from_u64(mant as u64).unwrap() << (expt as usize)
|
2015-04-07 22:51:57 +00:00
|
|
|
}
|
2014-07-18 13:56:17 +00:00
|
|
|
}
|
2015-04-07 22:51:57 +00:00
|
|
|
|
2018-06-12 18:58:25 +00:00
|
|
|
/// Computes the target value in float format from Uint256 format.
|
|
|
|
pub fn compact_target_from_u256(value: &Uint256) -> u32 {
|
|
|
|
let mut size = (value.bits() + 7) / 8;
|
|
|
|
let mut compact = if size <= 3 {
|
|
|
|
(value.low_u64() << (8 * (3 - size))) as u32
|
|
|
|
} else {
|
|
|
|
let bn = *value >> (8 * (size - 3));
|
|
|
|
bn.low_u32()
|
|
|
|
};
|
|
|
|
|
|
|
|
if (compact & 0x00800000) != 0 {
|
|
|
|
compact >>= 8;
|
|
|
|
size += 1;
|
|
|
|
}
|
|
|
|
|
|
|
|
compact | (size << 24) as u32
|
|
|
|
}
|
|
|
|
|
2018-02-11 18:35:51 +00:00
|
|
|
/// Compute the popular "difficulty" measure for mining
|
2018-06-12 18:58:25 +00:00
|
|
|
pub fn difficulty(&self, network: Network) -> u64 {
|
2018-02-11 18:35:51 +00:00
|
|
|
(max_target(network) / self.target()).low_u64()
|
|
|
|
}
|
|
|
|
|
2021-02-18 01:40:17 +00:00
|
|
|
/// Checks that the proof-of-work for the block is valid, returning the block hash.
|
|
|
|
pub fn validate_pow(&self, required_target: &Uint256) -> Result<BlockHash, util::Error> {
|
2015-10-28 16:27:23 +00:00
|
|
|
let target = &self.target();
|
2015-04-07 22:51:57 +00:00
|
|
|
if target != required_target {
|
2019-06-07 13:12:07 +00:00
|
|
|
return Err(BlockBadTarget);
|
2015-04-07 22:51:57 +00:00
|
|
|
}
|
2021-02-18 01:40:17 +00:00
|
|
|
let block_hash = self.block_hash();
|
2019-01-16 20:45:31 +00:00
|
|
|
let mut ret = [0u64; 4];
|
2021-02-18 01:40:17 +00:00
|
|
|
util::endian::bytes_to_u64_slice_le(block_hash.as_inner(), &mut ret);
|
2019-01-16 20:45:31 +00:00
|
|
|
let hash = &Uint256(ret);
|
2021-02-18 01:40:17 +00:00
|
|
|
if hash <= target { Ok(block_hash) } else { Err(BlockBadProofOfWork) }
|
2015-04-07 22:51:57 +00:00
|
|
|
}
|
|
|
|
|
|
|
|
/// Returns the total work of the block
|
|
|
|
pub fn work(&self) -> Uint256 {
|
|
|
|
// 2**256 / (target + 1) == ~target / (target+1) + 1 (eqn shamelessly stolen from bitcoind)
|
|
|
|
let mut ret = !self.target();
|
|
|
|
let mut ret1 = self.target();
|
|
|
|
ret1.increment();
|
|
|
|
ret = ret / ret1;
|
|
|
|
ret.increment();
|
|
|
|
ret
|
2014-07-18 13:56:17 +00:00
|
|
|
}
|
|
|
|
}
|
|
|
|
|
2020-07-21 08:45:04 +00:00
|
|
|
/// A Bitcoin block, which is a collection of transactions with an attached
|
|
|
|
/// proof of work.
|
|
|
|
#[derive(PartialEq, Eq, Clone, Debug)]
|
2020-10-25 18:03:20 +00:00
|
|
|
#[cfg_attr(feature = "serde", derive(Serialize, Deserialize))]
|
2020-07-21 08:45:04 +00:00
|
|
|
pub struct Block {
|
|
|
|
/// The block header
|
|
|
|
pub header: BlockHeader,
|
|
|
|
/// List of transactions contained in the block
|
|
|
|
pub txdata: Vec<Transaction>
|
|
|
|
}
|
|
|
|
|
2015-01-18 18:16:01 +00:00
|
|
|
impl_consensus_encoding!(Block, header, txdata);
|
2014-07-18 13:56:17 +00:00
|
|
|
|
2020-07-21 08:45:04 +00:00
|
|
|
impl Block {
|
|
|
|
/// Return the block hash.
|
|
|
|
pub fn block_hash(&self) -> BlockHash {
|
|
|
|
self.header.block_hash()
|
|
|
|
}
|
|
|
|
|
|
|
|
/// check if merkle root of header matches merkle root of the transaction list
|
|
|
|
pub fn check_merkle_root (&self) -> bool {
|
|
|
|
self.header.merkle_root == self.merkle_root()
|
|
|
|
}
|
|
|
|
|
|
|
|
/// check if witness commitment in coinbase is matching the transaction list
|
|
|
|
pub fn check_witness_commitment(&self) -> bool {
|
|
|
|
|
|
|
|
// witness commitment is optional if there are no transactions using SegWit in the block
|
|
|
|
if self.txdata.iter().all(|t| t.input.iter().all(|i| i.witness.is_empty())) {
|
|
|
|
return true;
|
|
|
|
}
|
|
|
|
if !self.txdata.is_empty() {
|
|
|
|
let coinbase = &self.txdata[0];
|
|
|
|
if coinbase.is_coin_base() {
|
|
|
|
// commitment is in the last output that starts with below magic
|
|
|
|
if let Some(pos) = coinbase.output.iter()
|
|
|
|
.rposition(|o| {
|
|
|
|
o.script_pubkey.len () >= 38 &&
|
|
|
|
o.script_pubkey[0..6] == [0x6a, 0x24, 0xaa, 0x21, 0xa9, 0xed] }) {
|
|
|
|
let commitment = WitnessCommitment::from_slice(&coinbase.output[pos].script_pubkey.as_bytes()[6..38]).unwrap();
|
|
|
|
// witness reserved value is in coinbase input witness
|
|
|
|
if coinbase.input[0].witness.len() == 1 && coinbase.input[0].witness[0].len() == 32 {
|
|
|
|
let witness_root = self.witness_root();
|
|
|
|
return commitment == Self::compute_witness_commitment(&witness_root, coinbase.input[0].witness[0].as_slice())
|
|
|
|
}
|
|
|
|
}
|
|
|
|
}
|
|
|
|
}
|
|
|
|
false
|
|
|
|
}
|
|
|
|
|
|
|
|
/// Calculate the transaction merkle root.
|
|
|
|
pub fn merkle_root(&self) -> TxMerkleNode {
|
|
|
|
let hashes = self.txdata.iter().map(|obj| obj.txid().as_hash());
|
|
|
|
bitcoin_merkle_root(hashes).into()
|
|
|
|
}
|
|
|
|
|
|
|
|
/// compute witness commitment for the transaction list
|
|
|
|
pub fn compute_witness_commitment (witness_root: &WitnessMerkleNode, witness_reserved_value: &[u8]) -> WitnessCommitment {
|
|
|
|
let mut encoder = WitnessCommitment::engine();
|
|
|
|
witness_root.consensus_encode(&mut encoder).unwrap();
|
|
|
|
encoder.input(witness_reserved_value);
|
|
|
|
WitnessCommitment::from_engine(encoder)
|
|
|
|
}
|
|
|
|
|
|
|
|
/// Merkle root of transactions hashed for witness
|
|
|
|
pub fn witness_root(&self) -> WitnessMerkleNode {
|
|
|
|
let hashes = self.txdata.iter().enumerate().map(|(i, t)|
|
|
|
|
if i == 0 {
|
|
|
|
// Replace the first hash with zeroes.
|
|
|
|
Wtxid::default().as_hash()
|
|
|
|
} else {
|
|
|
|
t.wtxid().as_hash()
|
|
|
|
}
|
|
|
|
);
|
|
|
|
bitcoin_merkle_root(hashes).into()
|
|
|
|
}
|
|
|
|
|
|
|
|
/// Get the size of the block
|
|
|
|
pub fn get_size(&self) -> usize {
|
|
|
|
// The size of the header + the size of the varint with the tx count + the txs themselves
|
|
|
|
let base_size = 80 + VarInt(self.txdata.len() as u64).len();
|
|
|
|
let txs_size: usize = self.txdata.iter().map(Transaction::get_size).sum();
|
|
|
|
base_size + txs_size
|
|
|
|
}
|
|
|
|
|
|
|
|
/// Get the weight of the block
|
|
|
|
pub fn get_weight(&self) -> usize {
|
|
|
|
let base_weight = WITNESS_SCALE_FACTOR * (80 + VarInt(self.txdata.len() as u64).len());
|
|
|
|
let txs_weight: usize = self.txdata.iter().map(Transaction::get_weight).sum();
|
|
|
|
base_weight + txs_weight
|
|
|
|
}
|
2020-07-21 09:30:17 +00:00
|
|
|
|
|
|
|
/// Get the coinbase transaction, if one is present.
|
|
|
|
pub fn coinbase(&self) -> Option<&Transaction> {
|
|
|
|
self.txdata.first()
|
|
|
|
}
|
|
|
|
|
|
|
|
/// Get the block height as encoded into the coinbase according to BIP34.
|
|
|
|
/// Returns [None] if not present.
|
|
|
|
pub fn bip34_block_height(&self) -> Result<u64, Bip34Error> {
|
|
|
|
// Citing the spec:
|
|
|
|
// Add height as the first item in the coinbase transaction's scriptSig,
|
|
|
|
// and increase block version to 2. The format of the height is
|
|
|
|
// "serialized CScript" -- first byte is number of bytes in the number
|
|
|
|
// (will be 0x03 on main net for the next 150 or so years with 2^23-1
|
|
|
|
// blocks), following bytes are little-endian representation of the
|
|
|
|
// number (including a sign bit). Height is the height of the mined
|
|
|
|
// block in the block chain, where the genesis block is height zero (0).
|
|
|
|
|
|
|
|
if self.header.version < 2 {
|
|
|
|
return Err(Bip34Error::Unsupported);
|
|
|
|
}
|
|
|
|
|
|
|
|
let cb = self.coinbase().ok_or(Bip34Error::NotPresent)?;
|
|
|
|
let input = cb.input.first().ok_or(Bip34Error::NotPresent)?;
|
|
|
|
let push = input.script_sig.instructions_minimal().next().ok_or(Bip34Error::NotPresent)?;
|
|
|
|
match push.map_err(|_| Bip34Error::NotPresent)? {
|
|
|
|
script::Instruction::PushBytes(b) if b.len() <= 8 => {
|
|
|
|
// Expand the push to exactly 8 bytes (LE).
|
|
|
|
let mut full = [0; 8];
|
|
|
|
full[0..b.len()].copy_from_slice(&b[..]);
|
|
|
|
Ok(util::endian::slice_to_u64_le(&full))
|
|
|
|
}
|
|
|
|
script::Instruction::PushBytes(b) if b.len() > 8 => {
|
|
|
|
Err(Bip34Error::UnexpectedPush(b.to_vec()))
|
|
|
|
}
|
|
|
|
_ => Err(Bip34Error::NotPresent),
|
|
|
|
}
|
|
|
|
}
|
2020-07-21 08:45:04 +00:00
|
|
|
}
|
|
|
|
|
2020-07-21 09:30:17 +00:00
|
|
|
/// An error when looking up a BIP34 block height.
|
|
|
|
#[derive(Debug, Clone, PartialEq, Eq)]
|
|
|
|
pub enum Bip34Error {
|
|
|
|
/// The block does not support BIP34 yet.
|
|
|
|
Unsupported,
|
|
|
|
/// No push was present where the BIP34 push was expected.
|
|
|
|
NotPresent,
|
|
|
|
/// The BIP34 push was larger than 8 bytes.
|
|
|
|
UnexpectedPush(Vec<u8>),
|
|
|
|
}
|
|
|
|
|
|
|
|
impl fmt::Display for Bip34Error {
|
|
|
|
fn fmt(&self, f: &mut fmt::Formatter) -> fmt::Result {
|
|
|
|
match *self {
|
|
|
|
Bip34Error::Unsupported => write!(f, "block doesn't support BIP34"),
|
|
|
|
Bip34Error::NotPresent => write!(f, "BIP34 push not present in block's coinbase"),
|
|
|
|
Bip34Error::UnexpectedPush(ref p) => {
|
|
|
|
write!(f, "unexpected byte push of > 8 bytes: {:?}", p)
|
|
|
|
}
|
|
|
|
}
|
|
|
|
}
|
|
|
|
}
|
|
|
|
|
|
|
|
impl ::std::error::Error for Bip34Error {}
|
|
|
|
|
2014-07-18 13:56:17 +00:00
|
|
|
#[cfg(test)]
|
|
|
|
mod tests {
|
2020-01-08 17:02:30 +00:00
|
|
|
use hashes::hex::FromHex;
|
2015-04-07 22:51:57 +00:00
|
|
|
|
2018-06-12 18:58:25 +00:00
|
|
|
use blockdata::block::{Block, BlockHeader};
|
Move relevant names into consensus::encode
- Move network::encodable::* to consensus::encode::*
- Rename Consensus{En,De}codable to {En,De}codable (now under
consensus::encode)
- Move network::serialize::Error to consensus::encode::Error
- Remove Raw{En,De}coder, implement {En,De}coder for T: {Write,Read}
instead
- Move network::serialize::Simple{En,De}coder to
consensus::encode::{En,De}coder
- Rename util::Error::Serialize to util::Error::Encode
- Modify comments to refer to new names
- Modify files to refer to new names
- Expose {En,De}cod{able,er}, {de,}serialize, Params
- Do not return Result for serialize{,_hex} as serializing to a Vec
should never fail
2018-09-20 10:15:45 +00:00
|
|
|
use consensus::encode::{deserialize, serialize};
|
2020-12-25 13:26:34 +00:00
|
|
|
use util::uint::Uint256;
|
2020-12-25 20:59:29 +00:00
|
|
|
use util::Error::{BlockBadTarget, BlockBadProofOfWork};
|
2020-12-26 10:32:10 +00:00
|
|
|
use network::constants::Network;
|
2015-04-07 22:51:57 +00:00
|
|
|
|
|
|
|
#[test]
|
2020-07-21 09:30:17 +00:00
|
|
|
fn test_coinbase_and_bip34() {
|
|
|
|
// testnet block 100,000
|
|
|
|
let block_hex = "0200000035ab154183570282ce9afc0b494c9fc6a3cfea05aa8c1add2ecc56490000000038ba3d78e4500a5a7570dbe61960398add4410d278b21cd9708e6d9743f374d544fc055227f1001c29c1ea3b0101000000010000000000000000000000000000000000000000000000000000000000000000ffffffff3703a08601000427f1001c046a510100522cfabe6d6d0000000000000000000068692066726f6d20706f6f6c7365727665726aac1eeeed88ffffffff0100f2052a010000001976a914912e2b234f941f30b18afbb4fa46171214bf66c888ac00000000";
|
|
|
|
let block: Block = deserialize(&Vec::<u8>::from_hex(block_hex).unwrap()).unwrap();
|
|
|
|
|
|
|
|
let cb_txid = "d574f343976d8e70d91cb278d21044dd8a396019e6db70755a0a50e4783dba38";
|
|
|
|
assert_eq!(block.coinbase().unwrap().txid().to_string(), cb_txid);
|
|
|
|
|
|
|
|
assert_eq!(block.bip34_block_height(), Ok(100_000));
|
|
|
|
|
|
|
|
|
|
|
|
// block with 9-byte bip34 push
|
|
|
|
let bad_hex = "0200000035ab154183570282ce9afc0b494c9fc6a3cfea05aa8c1add2ecc56490000000038ba3d78e4500a5a7570dbe61960398add4410d278b21cd9708e6d9743f374d544fc055227f1001c29c1ea3b0101000000010000000000000000000000000000000000000000000000000000000000000000ffffffff3d09a08601112233445566000427f1001c046a510100522cfabe6d6d0000000000000000000068692066726f6d20706f6f6c7365727665726aac1eeeed88ffffffff0100f2052a010000001976a914912e2b234f941f30b18afbb4fa46171214bf66c888ac00000000";
|
|
|
|
let bad: Block = deserialize(&Vec::<u8>::from_hex(bad_hex).unwrap()).unwrap();
|
|
|
|
|
|
|
|
let push = Vec::<u8>::from_hex("a08601112233445566").unwrap();
|
|
|
|
assert_eq!(bad.bip34_block_height(), Err(super::Bip34Error::UnexpectedPush(push)));
|
|
|
|
}
|
|
|
|
|
|
|
|
#[test]
|
2015-04-07 22:51:57 +00:00
|
|
|
fn block_test() {
|
2020-12-26 10:32:10 +00:00
|
|
|
// Mainnet block 00000000b0c5a240b2a61d2e75692224efd4cbecdf6eaf4cc2cf477ca7c270e7
|
2020-01-08 17:02:30 +00:00
|
|
|
let some_block = Vec::from_hex("010000004ddccd549d28f385ab457e98d1b11ce80bfea2c5ab93015ade4973e400000000bf4473e53794beae34e64fccc471dace6ae544180816f89591894e0f417a914cd74d6e49ffff001d323b3a7b0201000000010000000000000000000000000000000000000000000000000000000000000000ffffffff0804ffff001d026e04ffffffff0100f2052a0100000043410446ef0102d1ec5240f0d061a4246c1bdef63fc3dbab7733052fbbf0ecd8f41fc26bf049ebb4f9527f374280259e7cfa99c48b0e3f39c51347a19a5819651503a5ac00000000010000000321f75f3139a013f50f315b23b0c9a2b6eac31e2bec98e5891c924664889942260000000049483045022100cb2c6b346a978ab8c61b18b5e9397755cbd17d6eb2fe0083ef32e067fa6c785a02206ce44e613f31d9a6b0517e46f3db1576e9812cc98d159bfdaf759a5014081b5c01ffffffff79cda0945903627c3da1f85fc95d0b8ee3e76ae0cfdc9a65d09744b1f8fc85430000000049483045022047957cdd957cfd0becd642f6b84d82f49b6cb4c51a91f49246908af7c3cfdf4a022100e96b46621f1bffcf5ea5982f88cef651e9354f5791602369bf5a82a6cd61a62501fffffffffe09f5fe3ffbf5ee97a54eb5e5069e9da6b4856ee86fc52938c2f979b0f38e82000000004847304402204165be9a4cbab8049e1af9723b96199bfd3e85f44c6b4c0177e3962686b26073022028f638da23fc003760861ad481ead4099312c60030d4cb57820ce4d33812a5ce01ffffffff01009d966b01000000434104ea1feff861b51fe3f5f8a3b12d0f4712db80e919548a80839fc47c6a21e66d957e9c5d8cd108c7a2d2324bad71f9904ac0ae7336507d785b17a2c115e427a32fac00000000").unwrap();
|
|
|
|
let cutoff_block = Vec::from_hex("010000004ddccd549d28f385ab457e98d1b11ce80bfea2c5ab93015ade4973e400000000bf4473e53794beae34e64fccc471dace6ae544180816f89591894e0f417a914cd74d6e49ffff001d323b3a7b0201000000010000000000000000000000000000000000000000000000000000000000000000ffffffff0804ffff001d026e04ffffffff0100f2052a0100000043410446ef0102d1ec5240f0d061a4246c1bdef63fc3dbab7733052fbbf0ecd8f41fc26bf049ebb4f9527f374280259e7cfa99c48b0e3f39c51347a19a5819651503a5ac00000000010000000321f75f3139a013f50f315b23b0c9a2b6eac31e2bec98e5891c924664889942260000000049483045022100cb2c6b346a978ab8c61b18b5e9397755cbd17d6eb2fe0083ef32e067fa6c785a02206ce44e613f31d9a6b0517e46f3db1576e9812cc98d159bfdaf759a5014081b5c01ffffffff79cda0945903627c3da1f85fc95d0b8ee3e76ae0cfdc9a65d09744b1f8fc85430000000049483045022047957cdd957cfd0becd642f6b84d82f49b6cb4c51a91f49246908af7c3cfdf4a022100e96b46621f1bffcf5ea5982f88cef651e9354f5791602369bf5a82a6cd61a62501fffffffffe09f5fe3ffbf5ee97a54eb5e5069e9da6b4856ee86fc52938c2f979b0f38e82000000004847304402204165be9a4cbab8049e1af9723b96199bfd3e85f44c6b4c0177e3962686b26073022028f638da23fc003760861ad481ead4099312c60030d4cb57820ce4d33812a5ce01ffffffff01009d966b01000000434104ea1feff861b51fe3f5f8a3b12d0f4712db80e919548a80839fc47c6a21e66d957e9c5d8cd108c7a2d2324bad71f9904ac0ae7336507d785b17a2c115e427a32fac").unwrap();
|
2015-04-07 22:51:57 +00:00
|
|
|
|
2020-01-08 17:02:30 +00:00
|
|
|
let prevhash = Vec::from_hex("4ddccd549d28f385ab457e98d1b11ce80bfea2c5ab93015ade4973e400000000").unwrap();
|
|
|
|
let merkle = Vec::from_hex("bf4473e53794beae34e64fccc471dace6ae544180816f89591894e0f417a914c").unwrap();
|
2020-12-25 13:26:34 +00:00
|
|
|
let work = Uint256([0x100010001u64, 0, 0, 0]);
|
2015-04-07 22:51:57 +00:00
|
|
|
|
2015-04-08 22:23:45 +00:00
|
|
|
let decode: Result<Block, _> = deserialize(&some_block);
|
|
|
|
let bad_decode: Result<Block, _> = deserialize(&cutoff_block);
|
2015-04-07 22:51:57 +00:00
|
|
|
|
|
|
|
assert!(decode.is_ok());
|
|
|
|
assert!(bad_decode.is_err());
|
|
|
|
let real_decode = decode.unwrap();
|
|
|
|
assert_eq!(real_decode.header.version, 1);
|
Move relevant names into consensus::encode
- Move network::encodable::* to consensus::encode::*
- Rename Consensus{En,De}codable to {En,De}codable (now under
consensus::encode)
- Move network::serialize::Error to consensus::encode::Error
- Remove Raw{En,De}coder, implement {En,De}coder for T: {Write,Read}
instead
- Move network::serialize::Simple{En,De}coder to
consensus::encode::{En,De}coder
- Rename util::Error::Serialize to util::Error::Encode
- Modify comments to refer to new names
- Modify files to refer to new names
- Expose {En,De}cod{able,er}, {de,}serialize, Params
- Do not return Result for serialize{,_hex} as serializing to a Vec
should never fail
2018-09-20 10:15:45 +00:00
|
|
|
assert_eq!(serialize(&real_decode.header.prev_blockhash), prevhash);
|
2019-01-20 17:02:47 +00:00
|
|
|
assert_eq!(real_decode.header.merkle_root, real_decode.merkle_root());
|
Move relevant names into consensus::encode
- Move network::encodable::* to consensus::encode::*
- Rename Consensus{En,De}codable to {En,De}codable (now under
consensus::encode)
- Move network::serialize::Error to consensus::encode::Error
- Remove Raw{En,De}coder, implement {En,De}coder for T: {Write,Read}
instead
- Move network::serialize::Simple{En,De}coder to
consensus::encode::{En,De}coder
- Rename util::Error::Serialize to util::Error::Encode
- Modify comments to refer to new names
- Modify files to refer to new names
- Expose {En,De}cod{able,er}, {de,}serialize, Params
- Do not return Result for serialize{,_hex} as serializing to a Vec
should never fail
2018-09-20 10:15:45 +00:00
|
|
|
assert_eq!(serialize(&real_decode.header.merkle_root), merkle);
|
2015-04-07 22:51:57 +00:00
|
|
|
assert_eq!(real_decode.header.time, 1231965655);
|
|
|
|
assert_eq!(real_decode.header.bits, 486604799);
|
|
|
|
assert_eq!(real_decode.header.nonce, 2067413810);
|
2020-12-25 13:26:34 +00:00
|
|
|
assert_eq!(real_decode.header.work(), work);
|
2021-02-18 01:40:17 +00:00
|
|
|
assert_eq!(real_decode.header.validate_pow(&real_decode.header.target()).unwrap(), real_decode.block_hash());
|
2020-12-26 10:32:10 +00:00
|
|
|
assert_eq!(real_decode.header.difficulty(Network::Bitcoin), 1);
|
2015-04-07 22:51:57 +00:00
|
|
|
// [test] TODO: check the transaction data
|
2019-01-20 17:02:47 +00:00
|
|
|
|
2020-03-23 17:30:13 +00:00
|
|
|
assert_eq!(real_decode.get_size(), some_block.len());
|
|
|
|
assert_eq!(real_decode.get_weight(), some_block.len() * 4);
|
|
|
|
|
2019-01-20 17:02:47 +00:00
|
|
|
// should be also ok for a non-witness block as commitment is optional in that case
|
|
|
|
assert!(real_decode.check_witness_commitment());
|
|
|
|
|
Move relevant names into consensus::encode
- Move network::encodable::* to consensus::encode::*
- Rename Consensus{En,De}codable to {En,De}codable (now under
consensus::encode)
- Move network::serialize::Error to consensus::encode::Error
- Remove Raw{En,De}coder, implement {En,De}coder for T: {Write,Read}
instead
- Move network::serialize::Simple{En,De}coder to
consensus::encode::{En,De}coder
- Rename util::Error::Serialize to util::Error::Encode
- Modify comments to refer to new names
- Modify files to refer to new names
- Expose {En,De}cod{able,er}, {de,}serialize, Params
- Do not return Result for serialize{,_hex} as serializing to a Vec
should never fail
2018-09-20 10:15:45 +00:00
|
|
|
assert_eq!(serialize(&real_decode), some_block);
|
2015-04-07 22:51:57 +00:00
|
|
|
}
|
2016-08-24 16:20:47 +00:00
|
|
|
|
|
|
|
// Check testnet block 000000000000045e0b1660b6445b5e5c5ab63c9a4f956be7e1e69be04fa4497b
|
|
|
|
#[test]
|
|
|
|
fn segwit_block_test() {
|
2020-01-08 17:02:30 +00:00
|
|
|
let segwit_block = Vec::from_hex("000000202aa2f2ca794ccbd40c16e2f3333f6b8b683f9e7179b2c4d7490600000000000010bc26e70a2f672ad420a6153dd0c28b40a6002c55531bfc99bf8994a8e8f67e5503bd5750d4061a4ed90a700f010000000001010000000000000000000000000000000000000000000000000000000000000000ffffffff3603da1b0e00045503bd5704c7dd8a0d0ced13bb5785010800000000000a636b706f6f6c122f4e696e6a61506f6f6c2f5345475749542fffffffff02b4e5a212000000001976a914876fbb82ec05caa6af7a3b5e5a983aae6c6cc6d688ac0000000000000000266a24aa21a9edf91c46b49eb8a29089980f02ee6b57e7d63d33b18b4fddac2bcd7db2a3983704012000000000000000000000000000000000000000000000000000000000000000000000000001000000017e4f81175332a733e26d4ba4e29f53f67b7a5d7c2adebb276e447ca71d130b55000000006b483045022100cac809cd1a3d9ad5d5e31a84e2e1d8ec5542841e4d14c6b52e8b38cbe1ff1728022064470b7fb0c2efeccb2e84bfa36ec5f9e434c84b1101c00f7ee32f726371b7410121020e62280798b6b8c37f068df0915b0865b63fabc401c2457cbc3ef96887dd3647ffffffff02ca2f780c000000001976a914c6b5545b3592cb477d709896fa705592c9b6113a88ac663b2a06000000001976a914e7c1345fc8f87c68170b3aa798a956c2fe6a9eff88ac0000000001000000011e99f5a785e677e017d36b50aa4fd10010ffd039f38f42f447ca8895250e121f01000000d90047304402200d3d296ad641a281dd5c0d68b9ab0d1ad5f7052bec148c1fb81fb1ba69181ec502201a372bb16fb8e054ee9bef41e300d292153830f841a4db0ab7f7407f6581b9bc01473044022002584f313ae990236b6bebb82fbbb006a2b02a448dd5c93434428991eae960d60220491d67d2660c4dde19025cf86e5164a559e2c79c3b98b40e146fab974acd24690147522102632178d046673c9729d828cfee388e121f497707f810c131e0d3fc0fe0bd66d62103a0951ec7d3a9da9de171617026442fcd30f34d66100fab539853b43f508787d452aeffffffff0240420f000000000017a9140ffdcf96700455074292a821c74922e8652993998788997bc60000000017a9148ce5408cfeaddb7ccb2545ded41ef478109454848700000000010000000113100b09e6a78d63ec4850654ab0f68806de29710b09172eddfef730652b155501000000da00473044022015389408e3446a3f36a05060e0e4a3c8b92ff3901ba2511aa944ec91a537a1cb022045a33b6ec47605b1718ed2e753263e54918edbf6126508ff039621fb928d28a001483045022100bb952fde81f216f7063575c0bb2bedc050ce08c96d9b437ea922f5eb98c882da02201b7cbf3a2f94ea4c5eb7f0df3af2ebcafa8705af7f410ab5d3d4bac13d6bc6120147522102632178d046673c9729d828cfee388e121f497707f810c131e0d3fc0fe0bd66d62103a0951ec7d3a9da9de171617026442fcd30f34d66100fab539853b43f508787d452aeffffffff0240420f000000000017a914d3db9a20312c3ab896a316eb108dbd01e47e17d687e0ba7ac60000000017a9148ce5408cfeaddb7ccb2545ded41ef47810945484870000000001000000016e3cca1599cde54878e2f27f434df69df0afd1f313cb6e38c08d3ffb57f97a6c01000000da0048304502210095623b70ec3194fa4037a1c1106c2580caedc390e25e5b330bbeb3111e8184bc02205ae973c4a4454be2a3a03beb66297143c1044a3c4743742c5cdd1d516a1ad3040147304402202f3d6d89996f5b42773dd6ebaf367f1af1f3a95c7c7b487ec040131c40f4a4a30220524ffbb0b563f37b3eb1341228f792e8f84111b7c4a9f49cdd998e052ee42efa0147522102632178d046673c9729d828cfee388e121f497707f810c131e0d3fc0fe0bd66d62103a0951ec7d3a9da9de171617026442fcd30f34d66100fab539853b43f508787d452aeffffffff0240420f000000000017a9141ade6b95896dde8ec4dee9e59af8849d3797348e8728af7ac60000000017a9148ce5408cfeaddb7ccb2545ded41ef47810945484870000000001000000011d9dc3a5df9b5b2eeb2bd11a2db243be9e8cc23e2f180bf317d32a499904c15501000000db00483045022100ebbd1c9a8ce626edbb1a7881df81e872ef8c6424feda36faa8a5745157400c6a02206eb463bc8acd5ea06a289e86115e1daae0c2cf10d9cbbd199e1311170d5543ef01483045022100809411a917dc8cf4f3a777f0388fdea6de06243ef7691e500c60abd1c7f19ae602205255d2b1191d8adedb77b814ccb66471eb8486cb4ff8727824254ee5589f176b0147522102632178d046673c9729d828cfee388e121f497707f810c131e0d3fc0fe0bd66d62103a0951ec7d3a9da9de171617026442fcd30f34d66100fab539853b43f508787d452aeffffffff0240420f000000000017a914759a49c772347be81c49517f9e1e6def6a88d4dd87800b85c60000000017a9148ce5408cfeaddb7ccb2545ded41ef47810945484870000000001000000018c51902affd8e5247dfcc2e5d0528a3815f53c8b6d2c200ff290b2b2b486d7704f0000006a47304402201be0d485f6a3ce871be80064c593c5327b3fd7e450f05ab7fae38385bc40cfbe02206e2a6c9970b5d1d10207892376733757486634fce4f352e772149c486857612101210350c33bc9a790c9495195761577b34912a949b73d5bc5ae5343f5ba08b33220ccffffffff0110270000000000001976a9142
|
2016-08-24 16:20:47 +00:00
|
|
|
|
|
|
|
let decode: Result<Block, _> = deserialize(&segwit_block);
|
|
|
|
|
2020-01-08 17:02:30 +00:00
|
|
|
let prevhash = Vec::from_hex("2aa2f2ca794ccbd40c16e2f3333f6b8b683f9e7179b2c4d74906000000000000").unwrap();
|
|
|
|
let merkle = Vec::from_hex("10bc26e70a2f672ad420a6153dd0c28b40a6002c55531bfc99bf8994a8e8f67e").unwrap();
|
2020-12-25 13:26:34 +00:00
|
|
|
let work = Uint256([0x257c3becdacc64u64, 0, 0, 0]);
|
2016-08-24 16:20:47 +00:00
|
|
|
|
|
|
|
assert!(decode.is_ok());
|
|
|
|
let real_decode = decode.unwrap();
|
|
|
|
assert_eq!(real_decode.header.version, 0x20000000); // VERSIONBITS but no bits set
|
Move relevant names into consensus::encode
- Move network::encodable::* to consensus::encode::*
- Rename Consensus{En,De}codable to {En,De}codable (now under
consensus::encode)
- Move network::serialize::Error to consensus::encode::Error
- Remove Raw{En,De}coder, implement {En,De}coder for T: {Write,Read}
instead
- Move network::serialize::Simple{En,De}coder to
consensus::encode::{En,De}coder
- Rename util::Error::Serialize to util::Error::Encode
- Modify comments to refer to new names
- Modify files to refer to new names
- Expose {En,De}cod{able,er}, {de,}serialize, Params
- Do not return Result for serialize{,_hex} as serializing to a Vec
should never fail
2018-09-20 10:15:45 +00:00
|
|
|
assert_eq!(serialize(&real_decode.header.prev_blockhash), prevhash);
|
|
|
|
assert_eq!(serialize(&real_decode.header.merkle_root), merkle);
|
2019-01-20 17:02:47 +00:00
|
|
|
assert_eq!(real_decode.header.merkle_root, real_decode.merkle_root());
|
2016-08-24 16:20:47 +00:00
|
|
|
assert_eq!(real_decode.header.time, 1472004949);
|
|
|
|
assert_eq!(real_decode.header.bits, 0x1a06d450);
|
|
|
|
assert_eq!(real_decode.header.nonce, 1879759182);
|
2020-12-25 13:26:34 +00:00
|
|
|
assert_eq!(real_decode.header.work(), work);
|
2021-02-18 01:40:17 +00:00
|
|
|
assert_eq!(real_decode.header.validate_pow(&real_decode.header.target()).unwrap(), real_decode.block_hash());
|
2020-12-26 10:32:10 +00:00
|
|
|
assert_eq!(real_decode.header.difficulty(Network::Testnet), 2456598);
|
2016-08-24 16:20:47 +00:00
|
|
|
// [test] TODO: check the transaction data
|
|
|
|
|
2020-03-23 17:30:13 +00:00
|
|
|
assert_eq!(real_decode.get_size(), segwit_block.len());
|
|
|
|
assert_eq!(real_decode.get_weight(), 17168);
|
|
|
|
|
2019-01-20 17:02:47 +00:00
|
|
|
assert!(real_decode.check_witness_commitment());
|
|
|
|
|
Move relevant names into consensus::encode
- Move network::encodable::* to consensus::encode::*
- Rename Consensus{En,De}codable to {En,De}codable (now under
consensus::encode)
- Move network::serialize::Error to consensus::encode::Error
- Remove Raw{En,De}coder, implement {En,De}coder for T: {Write,Read}
instead
- Move network::serialize::Simple{En,De}coder to
consensus::encode::{En,De}coder
- Rename util::Error::Serialize to util::Error::Encode
- Modify comments to refer to new names
- Modify files to refer to new names
- Expose {En,De}cod{able,er}, {de,}serialize, Params
- Do not return Result for serialize{,_hex} as serializing to a Vec
should never fail
2018-09-20 10:15:45 +00:00
|
|
|
assert_eq!(serialize(&real_decode), segwit_block);
|
2016-08-24 16:20:47 +00:00
|
|
|
}
|
2018-06-12 18:58:25 +00:00
|
|
|
|
2020-08-19 20:46:07 +00:00
|
|
|
#[test]
|
|
|
|
fn block_version_test() {
|
|
|
|
let block = Vec::from_hex("ffffff7f0000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000").unwrap();
|
|
|
|
let decode: Result<Block, _> = deserialize(&block);
|
|
|
|
assert!(decode.is_ok());
|
|
|
|
let real_decode = decode.unwrap();
|
|
|
|
assert_eq!(real_decode.header.version, 2147483647);
|
|
|
|
|
|
|
|
let block2 = Vec::from_hex("000000800000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000").unwrap();
|
|
|
|
let decode2: Result<Block, _> = deserialize(&block2);
|
|
|
|
assert!(decode2.is_ok());
|
|
|
|
let real_decode2 = decode2.unwrap();
|
|
|
|
assert_eq!(real_decode2.header.version, -2147483648);
|
|
|
|
}
|
|
|
|
|
2020-12-25 20:59:29 +00:00
|
|
|
#[test]
|
|
|
|
fn validate_pow_test() {
|
|
|
|
let some_header = Vec::from_hex("010000004ddccd549d28f385ab457e98d1b11ce80bfea2c5ab93015ade4973e400000000bf4473e53794beae34e64fccc471dace6ae544180816f89591894e0f417a914cd74d6e49ffff001d323b3a7b").unwrap();
|
|
|
|
let some_header: BlockHeader = deserialize(&some_header).expect("Can't deserialize correct block header");
|
2021-02-18 01:40:17 +00:00
|
|
|
assert_eq!(some_header.validate_pow(&some_header.target()).unwrap(), some_header.block_hash());
|
2020-12-25 20:59:29 +00:00
|
|
|
|
|
|
|
// test with zero target
|
|
|
|
match some_header.validate_pow(&Uint256::default()) {
|
|
|
|
Err(BlockBadTarget) => (),
|
|
|
|
_ => assert!(false)
|
|
|
|
}
|
|
|
|
|
|
|
|
// test with modified header
|
|
|
|
let mut invalid_header: BlockHeader = some_header.clone();
|
|
|
|
invalid_header.version = invalid_header.version + 1;
|
|
|
|
match invalid_header.validate_pow(&invalid_header.target()) {
|
|
|
|
Err(BlockBadProofOfWork) => (),
|
|
|
|
_ => assert!(false)
|
|
|
|
}
|
|
|
|
}
|
|
|
|
|
2018-06-12 18:58:25 +00:00
|
|
|
#[test]
|
|
|
|
fn compact_roundrtip_test() {
|
2020-01-08 17:02:30 +00:00
|
|
|
let some_header = Vec::from_hex("010000004ddccd549d28f385ab457e98d1b11ce80bfea2c5ab93015ade4973e400000000bf4473e53794beae34e64fccc471dace6ae544180816f89591894e0f417a914cd74d6e49ffff001d323b3a7b").unwrap();
|
2018-06-12 18:58:25 +00:00
|
|
|
|
|
|
|
let header: BlockHeader = deserialize(&some_header).expect("Can't deserialize correct block header");
|
|
|
|
|
|
|
|
assert_eq!(header.bits, BlockHeader::compact_target_from_u256(&header.target()));
|
|
|
|
}
|
2014-07-18 13:56:17 +00:00
|
|
|
}
|
2020-03-29 12:54:15 +00:00
|
|
|
|
|
|
|
#[cfg(all(test, feature = "unstable"))]
|
|
|
|
mod benches {
|
|
|
|
use super::Block;
|
|
|
|
use EmptyWrite;
|
|
|
|
use consensus::{deserialize, Encodable};
|
|
|
|
use hashes::hex::FromHex;
|
|
|
|
use test::{black_box, Bencher};
|
|
|
|
|
|
|
|
const SOME_BLOCK: &'static str = "000000202aa2f2ca794ccbd40c16e2f3333f6b8b683f9e7179b2c4d7490600000000000010bc26e70a2f672ad420a6153dd0c28b40a6002c55531bfc99bf8994a8e8f67e5503bd5750d4061a4ed90a700f010000000001010000000000000000000000000000000000000000000000000000000000000000ffffffff3603da1b0e00045503bd5704c7dd8a0d0ced13bb5785010800000000000a636b706f6f6c122f4e696e6a61506f6f6c2f5345475749542fffffffff02b4e5a212000000001976a914876fbb82ec05caa6af7a3b5e5a983aae6c6cc6d688ac0000000000000000266a24aa21a9edf91c46b49eb8a29089980f02ee6b57e7d63d33b18b4fddac2bcd7db2a3983704012000000000000000000000000000000000000000000000000000000000000000000000000001000000017e4f81175332a733e26d4ba4e29f53f67b7a5d7c2adebb276e447ca71d130b55000000006b483045022100cac809cd1a3d9ad5d5e31a84e2e1d8ec5542841e4d14c6b52e8b38cbe1ff1728022064470b7fb0c2efeccb2e84bfa36ec5f9e434c84b1101c00f7ee32f726371b7410121020e62280798b6b8c37f068df0915b0865b63fabc401c2457cbc3ef96887dd3647ffffffff02ca2f780c000000001976a914c6b5545b3592cb477d709896fa705592c9b6113a88ac663b2a06000000001976a914e7c1345fc8f87c68170b3aa798a956c2fe6a9eff88ac0000000001000000011e99f5a785e677e017d36b50aa4fd10010ffd039f38f42f447ca8895250e121f01000000d90047304402200d3d296ad641a281dd5c0d68b9ab0d1ad5f7052bec148c1fb81fb1ba69181ec502201a372bb16fb8e054ee9bef41e300d292153830f841a4db0ab7f7407f6581b9bc01473044022002584f313ae990236b6bebb82fbbb006a2b02a448dd5c93434428991eae960d60220491d67d2660c4dde19025cf86e5164a559e2c79c3b98b40e146fab974acd24690147522102632178d046673c9729d828cfee388e121f497707f810c131e0d3fc0fe0bd66d62103a0951ec7d3a9da9de171617026442fcd30f34d66100fab539853b43f508787d452aeffffffff0240420f000000000017a9140ffdcf96700455074292a821c74922e8652993998788997bc60000000017a9148ce5408cfeaddb7ccb2545ded41ef478109454848700000000010000000113100b09e6a78d63ec4850654ab0f68806de29710b09172eddfef730652b155501000000da00473044022015389408e3446a3f36a05060e0e4a3c8b92ff3901ba2511aa944ec91a537a1cb022045a33b6ec47605b1718ed2e753263e54918edbf6126508ff039621fb928d28a001483045022100bb952fde81f216f7063575c0bb2bedc050ce08c96d9b437ea922f5eb98c882da02201b7cbf3a2f94ea4c5eb7f0df3af2ebcafa8705af7f410ab5d3d4bac13d6bc6120147522102632178d046673c9729d828cfee388e121f497707f810c131e0d3fc0fe0bd66d62103a0951ec7d3a9da9de171617026442fcd30f34d66100fab539853b43f508787d452aeffffffff0240420f000000000017a914d3db9a20312c3ab896a316eb108dbd01e47e17d687e0ba7ac60000000017a9148ce5408cfeaddb7ccb2545ded41ef47810945484870000000001000000016e3cca1599cde54878e2f27f434df69df0afd1f313cb6e38c08d3ffb57f97a6c01000000da0048304502210095623b70ec3194fa4037a1c1106c2580caedc390e25e5b330bbeb3111e8184bc02205ae973c4a4454be2a3a03beb66297143c1044a3c4743742c5cdd1d516a1ad3040147304402202f3d6d89996f5b42773dd6ebaf367f1af1f3a95c7c7b487ec040131c40f4a4a30220524ffbb0b563f37b3eb1341228f792e8f84111b7c4a9f49cdd998e052ee42efa0147522102632178d046673c9729d828cfee388e121f497707f810c131e0d3fc0fe0bd66d62103a0951ec7d3a9da9de171617026442fcd30f34d66100fab539853b43f508787d452aeffffffff0240420f000000000017a9141ade6b95896dde8ec4dee9e59af8849d3797348e8728af7ac60000000017a9148ce5408cfeaddb7ccb2545ded41ef47810945484870000000001000000011d9dc3a5df9b5b2eeb2bd11a2db243be9e8cc23e2f180bf317d32a499904c15501000000db00483045022100ebbd1c9a8ce626edbb1a7881df81e872ef8c6424feda36faa8a5745157400c6a02206eb463bc8acd5ea06a289e86115e1daae0c2cf10d9cbbd199e1311170d5543ef01483045022100809411a917dc8cf4f3a777f0388fdea6de06243ef7691e500c60abd1c7f19ae602205255d2b1191d8adedb77b814ccb66471eb8486cb4ff8727824254ee5589f176b0147522102632178d046673c9729d828cfee388e121f497707f810c131e0d3fc0fe0bd66d62103a0951ec7d3a9da9de171617026442fcd30f34d66100fab539853b43f508787d452aeffffffff0240420f000000000017a914759a49c772347be81c49517f9e1e6def6a88d4dd87800b85c60000000017a9148ce5408cfeaddb7ccb2545ded41ef47810945484870000000001000000018c51902affd8e5247dfcc2e5d0528a3815f53c8b6d2c200ff290b2b2b486d7704f0000006a47304402201be0d485f6a3ce871be80064c593c5327b3fd7e450f05ab7fae38385bc40cfbe02206e2a6c9970b5d1d10207892376733757486634fce4f352e772149c486857612101210350c33bc9a790c9495195761577b34912a949b73d5bc5ae5343f5ba08b33220ccffffffff0110270000000000001976a9142ab1c
|
|
|
|
|
|
|
|
#[bench]
|
|
|
|
pub fn bench_block_serialize(bh: &mut Bencher) {
|
|
|
|
let raw_block = Vec::from_hex(SOME_BLOCK).unwrap();
|
|
|
|
|
|
|
|
let block: Block = deserialize(&raw_block).unwrap();
|
|
|
|
|
|
|
|
let mut data = Vec::with_capacity(raw_block.len());
|
|
|
|
|
|
|
|
bh.iter(|| {
|
|
|
|
let result = block.consensus_encode(&mut data);
|
|
|
|
black_box(&result);
|
|
|
|
data.clear();
|
|
|
|
});
|
|
|
|
}
|
|
|
|
|
|
|
|
#[bench]
|
|
|
|
pub fn bench_block_serialize_logic(bh: &mut Bencher) {
|
|
|
|
let raw_block = Vec::from_hex(SOME_BLOCK).unwrap();
|
|
|
|
|
|
|
|
let block: Block = deserialize(&raw_block).unwrap();
|
|
|
|
|
|
|
|
bh.iter(|| {
|
|
|
|
let size = block.consensus_encode(&mut EmptyWrite);
|
|
|
|
black_box(&size);
|
|
|
|
});
|
|
|
|
}
|
|
|
|
|
|
|
|
#[bench]
|
|
|
|
pub fn bench_block_deserialize(bh: &mut Bencher) {
|
|
|
|
let raw_block = Vec::from_hex(SOME_BLOCK).unwrap();
|
|
|
|
|
|
|
|
bh.iter(|| {
|
|
|
|
let block: Block = deserialize(&raw_block).unwrap();
|
|
|
|
black_box(&block);
|
|
|
|
});
|
|
|
|
}
|
|
|
|
}
|