Bitcoin Core 30.99.0
P2P Digital Currency
miner.cpp
Go to the documentation of this file.
1// Copyright (c) 2009-2010 Satoshi Nakamoto
2// Copyright (c) 2009-present The Bitcoin Core developers
3// Distributed under the MIT software license, see the accompanying
4// file COPYING or http://www.opensource.org/licenses/mit-license.php.
5
6#include <node/miner.h>
7
8#include <chain.h>
9#include <chainparams.h>
10#include <coins.h>
11#include <common/args.h>
12#include <consensus/amount.h>
13#include <consensus/consensus.h>
14#include <consensus/merkle.h>
15#include <consensus/tx_verify.h>
17#include <deploymentstatus.h>
18#include <logging.h>
19#include <node/context.h>
21#include <policy/feerate.h>
22#include <policy/policy.h>
23#include <pow.h>
25#include <util/moneystr.h>
27#include <util/time.h>
28#include <validation.h>
29
30#include <algorithm>
31#include <utility>
32#include <numeric>
33
34namespace node {
35
36int64_t GetMinimumTime(const CBlockIndex* pindexPrev, const int64_t difficulty_adjustment_interval)
37{
38 int64_t min_time{pindexPrev->GetMedianTimePast() + 1};
39 // Height of block to be mined.
40 const int height{pindexPrev->nHeight + 1};
41 // Account for BIP94 timewarp rule on all networks. This makes future
42 // activation safer.
43 if (height % difficulty_adjustment_interval == 0) {
44 min_time = std::max<int64_t>(min_time, pindexPrev->GetBlockTime() - MAX_TIMEWARP);
45 }
46 return min_time;
47}
48
49int64_t UpdateTime(CBlockHeader* pblock, const Consensus::Params& consensusParams, const CBlockIndex* pindexPrev)
50{
51 int64_t nOldTime = pblock->nTime;
52 int64_t nNewTime{std::max<int64_t>(GetMinimumTime(pindexPrev, consensusParams.DifficultyAdjustmentInterval()),
53 TicksSinceEpoch<std::chrono::seconds>(NodeClock::now()))};
54
55 if (nOldTime < nNewTime) {
56 pblock->nTime = nNewTime;
57 }
58
59 // Updating time can change work required on testnet:
60 if (consensusParams.fPowAllowMinDifficultyBlocks) {
61 pblock->nBits = GetNextWorkRequired(pindexPrev, pblock, consensusParams);
62 }
63
64 return nNewTime - nOldTime;
65}
66
68{
69 CMutableTransaction tx{*block.vtx.at(0)};
70 tx.vout.erase(tx.vout.begin() + GetWitnessCommitmentIndex(block));
71 block.vtx.at(0) = MakeTransactionRef(tx);
72
73 const CBlockIndex* prev_block = WITH_LOCK(::cs_main, return chainman.m_blockman.LookupBlockIndex(block.hashPrevBlock));
74 chainman.GenerateCoinbaseCommitment(block, prev_block);
75
76 block.hashMerkleRoot = BlockMerkleRoot(block);
77}
78
80{
83 // Limit weight to between block_reserved_weight and MAX_BLOCK_WEIGHT for sanity:
84 // block_reserved_weight can safely exceed -blockmaxweight, but the rest of the block template will be empty.
85 options.nBlockMaxWeight = std::clamp<size_t>(options.nBlockMaxWeight, options.block_reserved_weight, MAX_BLOCK_WEIGHT);
86 return options;
87}
88
89BlockAssembler::BlockAssembler(Chainstate& chainstate, const CTxMemPool* mempool, const Options& options)
90 : chainparams{chainstate.m_chainman.GetParams()},
91 m_mempool{options.use_mempool ? mempool : nullptr},
92 m_chainstate{chainstate},
93 m_options{ClampOptions(options)}
94{
95}
96
98{
99 // Block resource limits
100 options.nBlockMaxWeight = args.GetIntArg("-blockmaxweight", options.nBlockMaxWeight);
101 if (const auto blockmintxfee{args.GetArg("-blockmintxfee")}) {
102 if (const auto parsed{ParseMoney(*blockmintxfee)}) options.blockMinFeeRate = CFeeRate{*parsed};
103 }
104 options.print_modified_fee = args.GetBoolArg("-printpriority", options.print_modified_fee);
105 options.block_reserved_weight = args.GetIntArg("-blockreservedweight", options.block_reserved_weight);
106}
107
108void BlockAssembler::resetBlock()
109{
110 // Reserve space for fixed-size block header, txs count, and coinbase tx.
111 nBlockWeight = m_options.block_reserved_weight;
112 nBlockSigOpsCost = m_options.coinbase_output_max_additional_sigops;
113
114 // These counters do not include coinbase tx
115 nBlockTx = 0;
116 nFees = 0;
117}
118
119std::unique_ptr<CBlockTemplate> BlockAssembler::CreateNewBlock()
120{
121 const auto time_start{SteadyClock::now()};
122
123 resetBlock();
124
125 pblocktemplate.reset(new CBlockTemplate());
126 CBlock* const pblock = &pblocktemplate->block; // pointer for convenience
127
128 // Add dummy coinbase tx as first transaction. It is skipped by the
129 // getblocktemplate RPC and mining interface consumers must not use it.
130 pblock->vtx.emplace_back();
131
133 CBlockIndex* pindexPrev = m_chainstate.m_chain.Tip();
134 assert(pindexPrev != nullptr);
135 nHeight = pindexPrev->nHeight + 1;
136
137 pblock->nVersion = m_chainstate.m_chainman.m_versionbitscache.ComputeBlockVersion(pindexPrev, chainparams.GetConsensus());
138 // -regtest only: allow overriding block.nVersion with
139 // -blockversion=N to test forking scenarios
140 if (chainparams.MineBlocksOnDemand()) {
141 pblock->nVersion = gArgs.GetIntArg("-blockversion", pblock->nVersion);
142 }
143
144 pblock->nTime = TicksSinceEpoch<std::chrono::seconds>(NodeClock::now());
145 m_lock_time_cutoff = pindexPrev->GetMedianTimePast();
146
147 if (m_mempool) {
148 LOCK(m_mempool->cs);
149 m_mempool->StartBlockBuilding();
150 addChunks();
151 m_mempool->StopBlockBuilding();
152 }
153
154 const auto time_1{SteadyClock::now()};
155
156 m_last_block_num_txs = nBlockTx;
157 m_last_block_weight = nBlockWeight;
158
159 // Create coinbase transaction.
160 CMutableTransaction coinbaseTx;
161
162 // Construct coinbase transaction struct in parallel
163 CoinbaseTx& coinbase_tx{pblocktemplate->m_coinbase_tx};
164 coinbase_tx.version = coinbaseTx.version;
165
166 coinbaseTx.vin.resize(1);
167 coinbaseTx.vin[0].prevout.SetNull();
168 coinbaseTx.vin[0].nSequence = CTxIn::MAX_SEQUENCE_NONFINAL; // Make sure timelock is enforced.
169 coinbase_tx.sequence = coinbaseTx.vin[0].nSequence;
170
171 // Add an output that spends the full coinbase reward.
172 coinbaseTx.vout.resize(1);
173 coinbaseTx.vout[0].scriptPubKey = m_options.coinbase_output_script;
174 // Block subsidy + fees
175 const CAmount block_reward{nFees + GetBlockSubsidy(nHeight, chainparams.GetConsensus())};
176 coinbaseTx.vout[0].nValue = block_reward;
177 coinbase_tx.block_reward_remaining = block_reward;
178
179 // Start the coinbase scriptSig with the block height as required by BIP34.
180 // The trailing OP_0 (historically an extranonce) is optional padding and
181 // could be removed without a consensus change. Mining clients are expected
182 // to append extra data to this prefix, so increasing its length would reduce
183 // the space they can use and may break existing clients.
184 coinbaseTx.vin[0].scriptSig = CScript() << nHeight << OP_0;
185 coinbase_tx.script_sig_prefix = coinbaseTx.vin[0].scriptSig;
186 Assert(nHeight > 0);
187 coinbaseTx.nLockTime = static_cast<uint32_t>(nHeight - 1);
188 coinbase_tx.lock_time = coinbaseTx.nLockTime;
189
190 pblock->vtx[0] = MakeTransactionRef(std::move(coinbaseTx));
191 pblocktemplate->vchCoinbaseCommitment = m_chainstate.m_chainman.GenerateCoinbaseCommitment(*pblock, pindexPrev);
192
193 const CTransactionRef& final_coinbase{pblock->vtx[0]};
194 if (final_coinbase->HasWitness()) {
195 const auto& witness_stack{final_coinbase->vin[0].scriptWitness.stack};
196 // Consensus requires the coinbase witness stack to have exactly one
197 // element of 32 bytes.
198 Assert(witness_stack.size() == 1 && witness_stack[0].size() == 32);
199 coinbase_tx.witness = uint256(witness_stack[0]);
200 }
201 if (const int witness_index = GetWitnessCommitmentIndex(*pblock); witness_index != NO_WITNESS_COMMITMENT) {
202 Assert(witness_index >= 0 && static_cast<size_t>(witness_index) < final_coinbase->vout.size());
203 coinbase_tx.required_outputs.push_back(final_coinbase->vout[witness_index]);
204 }
205
206 LogInfo("CreateNewBlock(): block weight: %u txs: %u fees: %ld sigops %d\n", GetBlockWeight(*pblock), nBlockTx, nFees, nBlockSigOpsCost);
207
208 // Fill in header
209 pblock->hashPrevBlock = pindexPrev->GetBlockHash();
210 UpdateTime(pblock, chainparams.GetConsensus(), pindexPrev);
211 pblock->nBits = GetNextWorkRequired(pindexPrev, pblock, chainparams.GetConsensus());
212 pblock->nNonce = 0;
213
214 if (m_options.test_block_validity) {
215 if (BlockValidationState state{TestBlockValidity(m_chainstate, *pblock, /*check_pow=*/false, /*check_merkle_root=*/false)}; !state.IsValid()) {
216 throw std::runtime_error(strprintf("TestBlockValidity failed: %s", state.ToString()));
217 }
218 }
219 const auto time_2{SteadyClock::now()};
220
221 LogDebug(BCLog::BENCH, "CreateNewBlock() chunks: %.2fms, validity: %.2fms (total %.2fms)\n",
222 Ticks<MillisecondsDouble>(time_1 - time_start),
223 Ticks<MillisecondsDouble>(time_2 - time_1),
224 Ticks<MillisecondsDouble>(time_2 - time_start));
225
226 return std::move(pblocktemplate);
227}
228
229bool BlockAssembler::TestChunkBlockLimits(FeePerWeight chunk_feerate, int64_t chunk_sigops_cost) const
230{
231 if (nBlockWeight + chunk_feerate.size >= m_options.nBlockMaxWeight) {
232 return false;
233 }
234 if (nBlockSigOpsCost + chunk_sigops_cost >= MAX_BLOCK_SIGOPS_COST) {
235 return false;
236 }
237 return true;
238}
239
240// Perform transaction-level checks before adding to block:
241// - transaction finality (locktime)
242bool BlockAssembler::TestChunkTransactions(const std::vector<CTxMemPoolEntryRef>& txs) const
243{
244 for (const auto tx : txs) {
245 if (!IsFinalTx(tx.get().GetTx(), nHeight, m_lock_time_cutoff)) {
246 return false;
247 }
248 }
249 return true;
250}
251
252void BlockAssembler::AddToBlock(const CTxMemPoolEntry& entry)
253{
254 pblocktemplate->block.vtx.emplace_back(entry.GetSharedTx());
255 pblocktemplate->vTxFees.push_back(entry.GetFee());
256 pblocktemplate->vTxSigOpsCost.push_back(entry.GetSigOpCost());
257 nBlockWeight += entry.GetTxWeight();
258 ++nBlockTx;
259 nBlockSigOpsCost += entry.GetSigOpCost();
260 nFees += entry.GetFee();
261
262 if (m_options.print_modified_fee) {
263 LogInfo("fee rate %s txid %s\n",
264 CFeeRate(entry.GetModifiedFee(), entry.GetTxSize()).ToString(),
265 entry.GetTx().GetHash().ToString());
266 }
267}
268
269void BlockAssembler::addChunks()
270{
271 // Limit the number of attempts to add transactions to the block when it is
272 // close to full; this is just a simple heuristic to finish quickly if the
273 // mempool has a lot of entries.
274 const int64_t MAX_CONSECUTIVE_FAILURES = 1000;
275 constexpr int32_t BLOCK_FULL_ENOUGH_WEIGHT_DELTA = 4000;
276 int64_t nConsecutiveFailed = 0;
277
278 std::vector<CTxMemPoolEntry::CTxMemPoolEntryRef> selected_transactions;
279 selected_transactions.reserve(MAX_CLUSTER_COUNT_LIMIT);
280 FeePerWeight chunk_feerate;
281
282 // This fills selected_transactions
283 chunk_feerate = m_mempool->GetBlockBuilderChunk(selected_transactions);
284 FeePerVSize chunk_feerate_vsize = ToFeePerVSize(chunk_feerate);
285
286 while (selected_transactions.size() > 0) {
287 // Check to see if min fee rate is still respected.
288 if (chunk_feerate_vsize << m_options.blockMinFeeRate.GetFeePerVSize()) {
289 // Everything else we might consider has a lower feerate
290 return;
291 }
292
293 int64_t chunk_sig_ops = 0;
294 for (const auto& tx : selected_transactions) {
295 chunk_sig_ops += tx.get().GetSigOpCost();
296 }
297
298 // Check to see if this chunk will fit.
299 if (!TestChunkBlockLimits(chunk_feerate, chunk_sig_ops) || !TestChunkTransactions(selected_transactions)) {
300 // This chunk won't fit, so we skip it and will try the next best one.
301 m_mempool->SkipBuilderChunk();
302 ++nConsecutiveFailed;
303
304 if (nConsecutiveFailed > MAX_CONSECUTIVE_FAILURES && nBlockWeight +
305 BLOCK_FULL_ENOUGH_WEIGHT_DELTA > m_options.nBlockMaxWeight) {
306 // Give up if we're close to full and haven't succeeded in a while
307 return;
308 }
309 } else {
310 m_mempool->IncludeBuilderChunk();
311
312 // This chunk will fit, so add it to the block.
313 nConsecutiveFailed = 0;
314 for (const auto& tx : selected_transactions) {
315 AddToBlock(tx);
316 }
317 pblocktemplate->m_package_feerates.emplace_back(chunk_feerate_vsize);
318 }
319
320 selected_transactions.clear();
321 chunk_feerate = m_mempool->GetBlockBuilderChunk(selected_transactions);
322 chunk_feerate_vsize = ToFeePerVSize(chunk_feerate);
323 }
324}
325
326void AddMerkleRootAndCoinbase(CBlock& block, CTransactionRef coinbase, uint32_t version, uint32_t timestamp, uint32_t nonce)
327{
328 if (block.vtx.size() == 0) {
329 block.vtx.emplace_back(coinbase);
330 } else {
331 block.vtx[0] = coinbase;
332 }
333 block.nVersion = version;
334 block.nTime = timestamp;
335 block.nNonce = nonce;
336 block.hashMerkleRoot = BlockMerkleRoot(block);
337
338 // Reset cached checks
339 block.m_checked_witness_commitment = false;
340 block.m_checked_merkle_root = false;
341 block.fChecked = false;
342}
343
344void InterruptWait(KernelNotifications& kernel_notifications, bool& interrupt_wait)
345{
346 LOCK(kernel_notifications.m_tip_block_mutex);
347 interrupt_wait = true;
348 kernel_notifications.m_tip_block_cv.notify_all();
349}
350
351std::unique_ptr<CBlockTemplate> WaitAndCreateNewBlock(ChainstateManager& chainman,
352 KernelNotifications& kernel_notifications,
353 CTxMemPool* mempool,
354 const std::unique_ptr<CBlockTemplate>& block_template,
355 const BlockWaitOptions& options,
356 const BlockAssembler::Options& assemble_options,
357 bool& interrupt_wait)
358{
359 // Delay calculating the current template fees, just in case a new block
360 // comes in before the next tick.
361 CAmount current_fees = -1;
362
363 // Alternate waiting for a new tip and checking if fees have risen.
364 // The latter check is expensive so we only run it once per second.
365 auto now{NodeClock::now()};
366 const auto deadline = now + options.timeout;
367 const MillisecondsDouble tick{1000};
368 const bool allow_min_difficulty{chainman.GetParams().GetConsensus().fPowAllowMinDifficultyBlocks};
369
370 do {
371 bool tip_changed{false};
372 {
373 WAIT_LOCK(kernel_notifications.m_tip_block_mutex, lock);
374 // Note that wait_until() checks the predicate before waiting
375 kernel_notifications.m_tip_block_cv.wait_until(lock, std::min(now + tick, deadline), [&]() EXCLUSIVE_LOCKS_REQUIRED(kernel_notifications.m_tip_block_mutex) {
376 AssertLockHeld(kernel_notifications.m_tip_block_mutex);
377 const auto tip_block{kernel_notifications.TipBlock()};
378 // We assume tip_block is set, because this is an instance
379 // method on BlockTemplate and no template could have been
380 // generated before a tip exists.
381 tip_changed = Assume(tip_block) && tip_block != block_template->block.hashPrevBlock;
382 return tip_changed || chainman.m_interrupt || interrupt_wait;
383 });
384 if (interrupt_wait) {
385 interrupt_wait = false;
386 return nullptr;
387 }
388 }
389
390 if (chainman.m_interrupt) return nullptr;
391 // At this point the tip changed, a full tick went by or we reached
392 // the deadline.
393
394 // Must release m_tip_block_mutex before locking cs_main, to avoid deadlocks.
396
397 // On test networks return a minimum difficulty block after 20 minutes
398 if (!tip_changed && allow_min_difficulty) {
399 const NodeClock::time_point tip_time{std::chrono::seconds{chainman.ActiveChain().Tip()->GetBlockTime()}};
400 if (now > tip_time + 20min) {
401 tip_changed = true;
402 }
403 }
404
413 if (options.fee_threshold < MAX_MONEY || tip_changed) {
414 auto new_tmpl{BlockAssembler{
415 chainman.ActiveChainstate(),
416 mempool,
417 assemble_options}
418 .CreateNewBlock()};
419
420 // If the tip changed, return the new template regardless of its fees.
421 if (tip_changed) return new_tmpl;
422
423 // Calculate the original template total fees if we haven't already
424 if (current_fees == -1) {
425 current_fees = std::accumulate(block_template->vTxFees.begin(), block_template->vTxFees.end(), CAmount{0});
426 }
427
428 // Check if fees increased enough to return the new template
429 const CAmount new_fees = std::accumulate(new_tmpl->vTxFees.begin(), new_tmpl->vTxFees.end(), CAmount{0});
430 Assume(options.fee_threshold != MAX_MONEY);
431 if (new_fees >= current_fees + options.fee_threshold) return new_tmpl;
432 }
433
434 now = NodeClock::now();
435 } while (now < deadline);
436
437 return nullptr;
438}
439
440std::optional<BlockRef> GetTip(ChainstateManager& chainman)
441{
443 CBlockIndex* tip{chainman.ActiveChain().Tip()};
444 if (!tip) return {};
445 return BlockRef{tip->GetBlockHash(), tip->nHeight};
446}
447
448std::optional<BlockRef> WaitTipChanged(ChainstateManager& chainman, KernelNotifications& kernel_notifications, const uint256& current_tip, MillisecondsDouble& timeout)
449{
450 Assume(timeout >= 0ms); // No internal callers should use a negative timeout
451 if (timeout < 0ms) timeout = 0ms;
452 if (timeout > std::chrono::years{100}) timeout = std::chrono::years{100}; // Upper bound to avoid UB in std::chrono
453 auto deadline{std::chrono::steady_clock::now() + timeout};
454 {
455 WAIT_LOCK(kernel_notifications.m_tip_block_mutex, lock);
456 // For callers convenience, wait longer than the provided timeout
457 // during startup for the tip to be non-null. That way this function
458 // always returns valid tip information when possible and only
459 // returns null when shutting down, not when timing out.
460 kernel_notifications.m_tip_block_cv.wait(lock, [&]() EXCLUSIVE_LOCKS_REQUIRED(kernel_notifications.m_tip_block_mutex) {
461 return kernel_notifications.TipBlock() || chainman.m_interrupt;
462 });
463 if (chainman.m_interrupt) return {};
464 // At this point TipBlock is set, so continue to wait until it is
465 // different then `current_tip` provided by caller.
466 kernel_notifications.m_tip_block_cv.wait_until(lock, deadline, [&]() EXCLUSIVE_LOCKS_REQUIRED(kernel_notifications.m_tip_block_mutex) {
467 return Assume(kernel_notifications.TipBlock()) != current_tip || chainman.m_interrupt;
468 });
469 }
470 if (chainman.m_interrupt) return {};
471
472 // Must release m_tip_block_mutex before getTip() locks cs_main, to
473 // avoid deadlocks.
474 return GetTip(chainman);
475}
476
477} // namespace node
static constexpr CAmount MAX_MONEY
No amount larger than this (in satoshi) is valid.
Definition: amount.h:26
int64_t CAmount
Amount in satoshis (Can be negative)
Definition: amount.h:12
ArgsManager gArgs
Definition: args.cpp:40
ArgsManager & args
Definition: bitcoind.cpp:277
#define Assert(val)
Identity function.
Definition: check.h:113
#define Assume(val)
Assume is the identity function.
Definition: check.h:125
int64_t GetIntArg(const std::string &strArg, int64_t nDefault) const
Return integer argument or default value.
Definition: args.cpp:486
std::string GetArg(const std::string &strArg, const std::string &strDefault) const
Return string argument or default value.
Definition: args.cpp:461
bool GetBoolArg(const std::string &strArg, bool fDefault) const
Return boolean argument or default value.
Definition: args.cpp:511
Nodes collect new transactions into a block, hash them into a hash tree, and scan through nonce value...
Definition: block.h:27
uint32_t nNonce
Definition: block.h:35
uint32_t nBits
Definition: block.h:34
uint32_t nTime
Definition: block.h:33
int32_t nVersion
Definition: block.h:30
uint256 hashPrevBlock
Definition: block.h:31
uint256 hashMerkleRoot
Definition: block.h:32
Definition: block.h:74
bool m_checked_merkle_root
Definition: block.h:82
std::vector< CTransactionRef > vtx
Definition: block.h:77
bool m_checked_witness_commitment
Definition: block.h:81
bool fChecked
Definition: block.h:80
The block chain is a tree shaped structure starting with the genesis block at the root,...
Definition: chain.h:95
uint256 GetBlockHash() const
Definition: chain.h:199
int64_t GetBlockTime() const
Definition: chain.h:222
int64_t GetMedianTimePast() const
Definition: chain.h:234
int nHeight
height of the entry in the chain. The genesis block has height 0
Definition: chain.h:107
CBlockIndex * Tip() const
Returns the index entry for the tip of this chain, or nullptr if none.
Definition: chain.h:397
const Consensus::Params & GetConsensus() const
Definition: chainparams.h:89
Fee rate in satoshis per virtualbyte: CAmount / vB the feerate is represented internally as FeeFrac.
Definition: feerate.h:35
std::string ToString(const FeeEstimateMode &fee_estimate_mode=FeeEstimateMode::BTC_KVB) const
Definition: feerate.cpp:29
Serialized script, used inside transaction inputs and outputs.
Definition: script.h:405
const Txid & GetHash() const LIFETIMEBOUND
Definition: transaction.h:328
static const uint32_t MAX_SEQUENCE_NONFINAL
This is the maximum sequence number that enables both nLockTime and OP_CHECKLOCKTIMEVERIFY (BIP 65).
Definition: transaction.h:82
CTxMemPoolEntry stores data about the corresponding transaction, as well as data about all in-mempool...
Definition: mempool_entry.h:66
const CTransaction & GetTx() const
int32_t GetTxWeight() const
int64_t GetSigOpCost() const
CTransactionRef GetSharedTx() const
int32_t GetTxSize() const
const CAmount & GetFee() const
CAmount GetModifiedFee() const
CTxMemPool stores valid-according-to-the-current-best-chain transactions that may be included in the ...
Definition: txmempool.h:188
Chainstate stores and provides an API to update our local knowledge of the current best chain.
Definition: validation.h:550
Interface for managing multiple Chainstate objects, where each chainstate is associated with chainsta...
Definition: validation.h:935
std::vector< unsigned char > GenerateCoinbaseCommitment(CBlock &block, const CBlockIndex *pindexPrev) const
Produce the necessary coinbase commitment for a block (modifies the hash, don't call for mined blocks...
Chainstate & ActiveChainstate() const
Alternatives to CurrentChainstate() used by older code to query latest chainstate information without...
const util::SignalInterrupt & m_interrupt
Definition: validation.h:1029
const CChainParams & GetParams() const
Definition: validation.h:1002
CChain & ActiveChain() const EXCLUSIVE_LOCKS_REQUIRED(GetMutex())
Definition: validation.h:1160
node::BlockManager m_blockman
A single BlockManager instance is shared across each constructed chainstate to avoid duplicating bloc...
Definition: validation.h:1033
bool IsValid() const
Definition: validation.h:105
Generate a new block, without valid proof-of-work.
Definition: miner.h:62
BlockAssembler(Chainstate &chainstate, const CTxMemPool *mempool, const Options &options)
Definition: miner.cpp:89
CBlockIndex * LookupBlockIndex(const uint256 &hash) EXCLUSIVE_LOCKS_REQUIRED(cs_main)
std::string ToString() const
256-bit opaque blob.
Definition: uint256.h:195
uint256 BlockMerkleRoot(const CBlock &block, bool *mutated)
Definition: merkle.cpp:66
static constexpr int NO_WITNESS_COMMITMENT
Index marker for when no witness commitment is present in a coinbase transaction.
Definition: validation.h:15
static int64_t GetBlockWeight(const CBlock &block)
Definition: validation.h:136
int GetWitnessCommitmentIndex(const CBlock &block)
Compute at which vout of the block's coinbase transaction the witness commitment occurs,...
Definition: validation.h:147
static constexpr int64_t MAX_TIMEWARP
Maximum number of seconds that the timestamp of the first block of a difficulty adjustment period is ...
Definition: consensus.h:35
static const unsigned int MAX_BLOCK_WEIGHT
The maximum allowed weight for a block, see BIP 141 (network rule)
Definition: consensus.h:15
static const int64_t MAX_BLOCK_SIGOPS_COST
The maximum allowed number of signature check operations in a block (network rule)
Definition: consensus.h:17
RecursiveMutex cs_main
Mutex to guard access to validation specific variables, such as reading or changing the chainstate.
Definition: cs_main.cpp:8
#define LogInfo(...)
Definition: logging.h:392
#define LogDebug(category,...)
Definition: logging.h:412
unsigned int nHeight
unsigned int nonce
Definition: miner_tests.cpp:81
std::optional< CAmount > ParseMoney(const std::string &money_string)
Parse an amount denoted in full coins.
Definition: moneystr.cpp:45
@ BENCH
Definition: logging.h:91
Definition: messages.h:21
static BlockAssembler::Options ClampOptions(BlockAssembler::Options options)
Definition: miner.cpp:79
void RegenerateCommitments(CBlock &block, ChainstateManager &chainman)
Update an old GenerateCoinbaseCommitment from CreateNewBlock after the block txs have changed.
Definition: miner.cpp:67
int64_t UpdateTime(CBlockHeader *pblock, const Consensus::Params &consensusParams, const CBlockIndex *pindexPrev)
Definition: miner.cpp:49
util::Result< void > ApplyArgsManOptions(const ArgsManager &args, BlockManager::Options &opts)
std::unique_ptr< CBlockTemplate > WaitAndCreateNewBlock(ChainstateManager &chainman, KernelNotifications &kernel_notifications, CTxMemPool *mempool, const std::unique_ptr< CBlockTemplate > &block_template, const BlockWaitOptions &options, const BlockAssembler::Options &assemble_options, bool &interrupt_wait)
Return a new block template when fees rise to a certain threshold or after a new tip; return nullopt ...
Definition: miner.cpp:351
int64_t GetMinimumTime(const CBlockIndex *pindexPrev, const int64_t difficulty_adjustment_interval)
Get the minimum time a miner should use in the next block.
Definition: miner.cpp:36
std::optional< BlockRef > WaitTipChanged(ChainstateManager &chainman, KernelNotifications &kernel_notifications, const uint256 &current_tip, MillisecondsDouble &timeout)
Definition: miner.cpp:448
void InterruptWait(KernelNotifications &kernel_notifications, bool &interrupt_wait)
Definition: miner.cpp:344
void AddMerkleRootAndCoinbase(CBlock &block, CTransactionRef coinbase, uint32_t version, uint32_t timestamp, uint32_t nonce)
Definition: miner.cpp:326
std::optional< BlockRef > GetTip(ChainstateManager &chainman)
Definition: miner.cpp:440
static FeePerVSize ToFeePerVSize(FeePerWeight feerate)
Definition: policy.h:194
static constexpr unsigned int MINIMUM_BLOCK_RESERVED_WEIGHT
This accounts for the block header, var_int encoding of the transaction count and a minimally viable ...
Definition: policy.h:31
unsigned int GetNextWorkRequired(const CBlockIndex *pindexLast, const CBlockHeader *pblock, const Consensus::Params &params)
Definition: pow.cpp:14
static CTransactionRef MakeTransactionRef(Tx &&txIn)
Definition: transaction.h:404
std::shared_ptr< const CTransaction > CTransactionRef
Definition: transaction.h:403
@ OP_0
Definition: script.h:76
A mutable version of CTransaction.
Definition: transaction.h:358
std::vector< CTxOut > vout
Definition: transaction.h:360
std::vector< CTxIn > vin
Definition: transaction.h:359
Parameters that influence chain consensus.
Definition: params.h:84
int64_t DifficultyAdjustmentInterval() const
Definition: params.h:126
bool fPowAllowMinDifficultyBlocks
Definition: params.h:113
int32_t size
Definition: feefrac.h:108
Tagged wrapper around FeeFrac to avoid unit confusion.
Definition: feefrac.h:239
static time_point now() noexcept
Return current system time or mocked time, if set.
Definition: time.cpp:30
std::chrono::time_point< NodeClock > time_point
Definition: time.h:19
Hash/height pair to help track and identify blocks.
Definition: types.h:13
size_t block_reserved_weight
The default reserved weight for the fixed-size block header, transaction count and coinbase transacti...
Definition: types.h:48
size_t coinbase_output_max_additional_sigops
The maximum additional sigops which the pool will add in coinbase transaction outputs.
Definition: types.h:53
MillisecondsDouble timeout
How long to wait before returning nullptr instead of a new template.
Definition: types.h:77
CAmount fee_threshold
The wait method will not return a new template unless it has fees at least fee_threshold sats higher ...
Definition: types.h:90
Template containing all coinbase transaction fields that are set by our miner code.
Definition: types.h:110
uint32_t version
Definition: types.h:112
#define WAIT_LOCK(cs, name)
Definition: sync.h:265
#define LOCK(cs)
Definition: sync.h:259
#define WITH_LOCK(cs, code)
Run code while locking a mutex.
Definition: sync.h:290
#define EXCLUSIVE_LOCKS_REQUIRED(...)
Definition: threadsafety.h:51
#define strprintf
Format arguments and return the string or write to given std::ostream (see tinyformat::format doc for...
Definition: tinyformat.h:1172
bool IsFinalTx(const CTransaction &tx, int nBlockHeight, int64_t nBlockTime)
Check if transaction is final and can be included in a block with the specified height and time.
Definition: tx_verify.cpp:17
static constexpr unsigned MAX_CLUSTER_COUNT_LIMIT
Definition: txgraph.h:17
std::chrono::duration< double, std::chrono::milliseconds::period > MillisecondsDouble
Definition: time.h:94
CAmount GetBlockSubsidy(int nHeight, const Consensus::Params &consensusParams)
BlockValidationState TestBlockValidity(Chainstate &chainstate, const CBlock &block, const bool check_pow, const bool check_merkle_root)
Verify a block, including transactions.
assert(!tx.IsCoinBase())