Bitcoin Core 28.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-2022 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 <policy/feerate.h>
20#include <policy/policy.h>
21#include <pow.h>
23#include <util/moneystr.h>
24#include <util/time.h>
25#include <validation.h>
26
27#include <algorithm>
28#include <utility>
29
30namespace node {
31int64_t UpdateTime(CBlockHeader* pblock, const Consensus::Params& consensusParams, const CBlockIndex* pindexPrev)
32{
33 int64_t nOldTime = pblock->nTime;
34 int64_t nNewTime{std::max<int64_t>(pindexPrev->GetMedianTimePast() + 1, TicksSinceEpoch<std::chrono::seconds>(NodeClock::now()))};
35
36 if (consensusParams.enforce_BIP94) {
37 // Height of block to be mined.
38 const int height{pindexPrev->nHeight + 1};
39 if (height % consensusParams.DifficultyAdjustmentInterval() == 0) {
40 nNewTime = std::max<int64_t>(nNewTime, pindexPrev->GetBlockTime() - MAX_TIMEWARP);
41 }
42 }
43
44 if (nOldTime < nNewTime) {
45 pblock->nTime = nNewTime;
46 }
47
48 // Updating time can change work required on testnet:
49 if (consensusParams.fPowAllowMinDifficultyBlocks) {
50 pblock->nBits = GetNextWorkRequired(pindexPrev, pblock, consensusParams);
51 }
52
53 return nNewTime - nOldTime;
54}
55
57{
58 CMutableTransaction tx{*block.vtx.at(0)};
59 tx.vout.erase(tx.vout.begin() + GetWitnessCommitmentIndex(block));
60 block.vtx.at(0) = MakeTransactionRef(tx);
61
62 const CBlockIndex* prev_block = WITH_LOCK(::cs_main, return chainman.m_blockman.LookupBlockIndex(block.hashPrevBlock));
63 chainman.GenerateCoinbaseCommitment(block, prev_block);
64
65 block.hashMerkleRoot = BlockMerkleRoot(block);
66}
67
69{
72 // Limit weight to between coinbase_max_additional_weight and DEFAULT_BLOCK_MAX_WEIGHT for sanity:
73 // Coinbase (reserved) outputs can safely exceed -blockmaxweight, but the rest of the block template will be empty.
74 options.nBlockMaxWeight = std::clamp<size_t>(options.nBlockMaxWeight, options.coinbase_max_additional_weight, DEFAULT_BLOCK_MAX_WEIGHT);
75 return options;
76}
77
78BlockAssembler::BlockAssembler(Chainstate& chainstate, const CTxMemPool* mempool, const Options& options)
79 : chainparams{chainstate.m_chainman.GetParams()},
80 m_mempool{options.use_mempool ? mempool : nullptr},
81 m_chainstate{chainstate},
82 m_options{ClampOptions(options)}
83{
84}
85
87{
88 // Block resource limits
89 options.nBlockMaxWeight = args.GetIntArg("-blockmaxweight", options.nBlockMaxWeight);
90 if (const auto blockmintxfee{args.GetArg("-blockmintxfee")}) {
91 if (const auto parsed{ParseMoney(*blockmintxfee)}) options.blockMinFeeRate = CFeeRate{*parsed};
92 }
93 options.print_modified_fee = args.GetBoolArg("-printpriority", options.print_modified_fee);
94}
95
96void BlockAssembler::resetBlock()
97{
98 inBlock.clear();
99
100 // Reserve space for coinbase tx
101 nBlockWeight = m_options.coinbase_max_additional_weight;
102 nBlockSigOpsCost = m_options.coinbase_output_max_additional_sigops;
103
104 // These counters do not include coinbase tx
105 nBlockTx = 0;
106 nFees = 0;
107}
108
109std::unique_ptr<CBlockTemplate> BlockAssembler::CreateNewBlock()
110{
111 const auto time_start{SteadyClock::now()};
112
113 resetBlock();
114
115 pblocktemplate.reset(new CBlockTemplate());
116 CBlock* const pblock = &pblocktemplate->block; // pointer for convenience
117
118 // Add dummy coinbase tx as first transaction
119 pblock->vtx.emplace_back();
120 pblocktemplate->vTxFees.push_back(-1); // updated at end
121 pblocktemplate->vTxSigOpsCost.push_back(-1); // updated at end
122
124 CBlockIndex* pindexPrev = m_chainstate.m_chain.Tip();
125 assert(pindexPrev != nullptr);
126 nHeight = pindexPrev->nHeight + 1;
127
128 pblock->nVersion = m_chainstate.m_chainman.m_versionbitscache.ComputeBlockVersion(pindexPrev, chainparams.GetConsensus());
129 // -regtest only: allow overriding block.nVersion with
130 // -blockversion=N to test forking scenarios
131 if (chainparams.MineBlocksOnDemand()) {
132 pblock->nVersion = gArgs.GetIntArg("-blockversion", pblock->nVersion);
133 }
134
135 pblock->nTime = TicksSinceEpoch<std::chrono::seconds>(NodeClock::now());
136 m_lock_time_cutoff = pindexPrev->GetMedianTimePast();
137
138 int nPackagesSelected = 0;
139 int nDescendantsUpdated = 0;
140 if (m_mempool) {
141 addPackageTxs(nPackagesSelected, nDescendantsUpdated);
142 }
143
144 const auto time_1{SteadyClock::now()};
145
146 m_last_block_num_txs = nBlockTx;
147 m_last_block_weight = nBlockWeight;
148
149 // Create coinbase transaction.
150 CMutableTransaction coinbaseTx;
151 coinbaseTx.vin.resize(1);
152 coinbaseTx.vin[0].prevout.SetNull();
153 coinbaseTx.vout.resize(1);
154 coinbaseTx.vout[0].scriptPubKey = m_options.coinbase_output_script;
155 coinbaseTx.vout[0].nValue = nFees + GetBlockSubsidy(nHeight, chainparams.GetConsensus());
156 coinbaseTx.vin[0].scriptSig = CScript() << nHeight << OP_0;
157 pblock->vtx[0] = MakeTransactionRef(std::move(coinbaseTx));
158 pblocktemplate->vchCoinbaseCommitment = m_chainstate.m_chainman.GenerateCoinbaseCommitment(*pblock, pindexPrev);
159 pblocktemplate->vTxFees[0] = -nFees;
160
161 LogPrintf("CreateNewBlock(): block weight: %u txs: %u fees: %ld sigops %d\n", GetBlockWeight(*pblock), nBlockTx, nFees, nBlockSigOpsCost);
162
163 // Fill in header
164 pblock->hashPrevBlock = pindexPrev->GetBlockHash();
165 UpdateTime(pblock, chainparams.GetConsensus(), pindexPrev);
166 pblock->nBits = GetNextWorkRequired(pindexPrev, pblock, chainparams.GetConsensus());
167 pblock->nNonce = 0;
168 pblocktemplate->vTxSigOpsCost[0] = WITNESS_SCALE_FACTOR * GetLegacySigOpCount(*pblock->vtx[0]);
169
171 if (m_options.test_block_validity && !TestBlockValidity(state, chainparams, m_chainstate, *pblock, pindexPrev,
172 /*fCheckPOW=*/false, /*fCheckMerkleRoot=*/false)) {
173 throw std::runtime_error(strprintf("%s: TestBlockValidity failed: %s", __func__, state.ToString()));
174 }
175 const auto time_2{SteadyClock::now()};
176
177 LogDebug(BCLog::BENCH, "CreateNewBlock() packages: %.2fms (%d packages, %d updated descendants), validity: %.2fms (total %.2fms)\n",
178 Ticks<MillisecondsDouble>(time_1 - time_start), nPackagesSelected, nDescendantsUpdated,
179 Ticks<MillisecondsDouble>(time_2 - time_1),
180 Ticks<MillisecondsDouble>(time_2 - time_start));
181
182 return std::move(pblocktemplate);
183}
184
185void BlockAssembler::onlyUnconfirmed(CTxMemPool::setEntries& testSet)
186{
187 for (CTxMemPool::setEntries::iterator iit = testSet.begin(); iit != testSet.end(); ) {
188 // Only test txs not already in the block
189 if (inBlock.count((*iit)->GetSharedTx()->GetHash())) {
190 testSet.erase(iit++);
191 } else {
192 iit++;
193 }
194 }
195}
196
197bool BlockAssembler::TestPackage(uint64_t packageSize, int64_t packageSigOpsCost) const
198{
199 // TODO: switch to weight-based accounting for packages instead of vsize-based accounting.
200 if (nBlockWeight + WITNESS_SCALE_FACTOR * packageSize >= m_options.nBlockMaxWeight) {
201 return false;
202 }
203 if (nBlockSigOpsCost + packageSigOpsCost >= MAX_BLOCK_SIGOPS_COST) {
204 return false;
205 }
206 return true;
207}
208
209// Perform transaction-level checks before adding to block:
210// - transaction finality (locktime)
211bool BlockAssembler::TestPackageTransactions(const CTxMemPool::setEntries& package) const
212{
213 for (CTxMemPool::txiter it : package) {
214 if (!IsFinalTx(it->GetTx(), nHeight, m_lock_time_cutoff)) {
215 return false;
216 }
217 }
218 return true;
219}
220
221void BlockAssembler::AddToBlock(CTxMemPool::txiter iter)
222{
223 pblocktemplate->block.vtx.emplace_back(iter->GetSharedTx());
224 pblocktemplate->vTxFees.push_back(iter->GetFee());
225 pblocktemplate->vTxSigOpsCost.push_back(iter->GetSigOpCost());
226 nBlockWeight += iter->GetTxWeight();
227 ++nBlockTx;
228 nBlockSigOpsCost += iter->GetSigOpCost();
229 nFees += iter->GetFee();
230 inBlock.insert(iter->GetSharedTx()->GetHash());
231
232 if (m_options.print_modified_fee) {
233 LogPrintf("fee rate %s txid %s\n",
234 CFeeRate(iter->GetModifiedFee(), iter->GetTxSize()).ToString(),
235 iter->GetTx().GetHash().ToString());
236 }
237}
238
242static int UpdatePackagesForAdded(const CTxMemPool& mempool,
243 const CTxMemPool::setEntries& alreadyAdded,
245{
246 AssertLockHeld(mempool.cs);
247
248 int nDescendantsUpdated = 0;
249 for (CTxMemPool::txiter it : alreadyAdded) {
250 CTxMemPool::setEntries descendants;
251 mempool.CalculateDescendants(it, descendants);
252 // Insert all descendants (not yet in block) into the modified set
253 for (CTxMemPool::txiter desc : descendants) {
254 if (alreadyAdded.count(desc)) {
255 continue;
256 }
257 ++nDescendantsUpdated;
258 modtxiter mit = mapModifiedTx.find(desc);
259 if (mit == mapModifiedTx.end()) {
260 CTxMemPoolModifiedEntry modEntry(desc);
261 mit = mapModifiedTx.insert(modEntry).first;
262 }
263 mapModifiedTx.modify(mit, update_for_parent_inclusion(it));
264 }
265 }
266 return nDescendantsUpdated;
267}
268
269void BlockAssembler::SortForBlock(const CTxMemPool::setEntries& package, std::vector<CTxMemPool::txiter>& sortedEntries)
270{
271 // Sort package by ancestor count
272 // If a transaction A depends on transaction B, then A's ancestor count
273 // must be greater than B's. So this is sufficient to validly order the
274 // transactions for block inclusion.
275 sortedEntries.clear();
276 sortedEntries.insert(sortedEntries.begin(), package.begin(), package.end());
277 std::sort(sortedEntries.begin(), sortedEntries.end(), CompareTxIterByAncestorCount());
278}
279
280// This transaction selection algorithm orders the mempool based
281// on feerate of a transaction including all unconfirmed ancestors.
282// Since we don't remove transactions from the mempool as we select them
283// for block inclusion, we need an alternate method of updating the feerate
284// of a transaction with its not-yet-selected ancestors as we go.
285// This is accomplished by walking the in-mempool descendants of selected
286// transactions and storing a temporary modified state in mapModifiedTxs.
287// Each time through the loop, we compare the best transaction in
288// mapModifiedTxs with the next transaction in the mempool to decide what
289// transaction package to work on next.
290void BlockAssembler::addPackageTxs(int& nPackagesSelected, int& nDescendantsUpdated)
291{
292 const auto& mempool{*Assert(m_mempool)};
293 LOCK(mempool.cs);
294
295 // mapModifiedTx will store sorted packages after they are modified
296 // because some of their txs are already in the block
298 // Keep track of entries that failed inclusion, to avoid duplicate work
299 std::set<Txid> failedTx;
300
301 CTxMemPool::indexed_transaction_set::index<ancestor_score>::type::iterator mi = mempool.mapTx.get<ancestor_score>().begin();
303
304 // Limit the number of attempts to add transactions to the block when it is
305 // close to full; this is just a simple heuristic to finish quickly if the
306 // mempool has a lot of entries.
307 const int64_t MAX_CONSECUTIVE_FAILURES = 1000;
308 int64_t nConsecutiveFailed = 0;
309
310 while (mi != mempool.mapTx.get<ancestor_score>().end() || !mapModifiedTx.empty()) {
311 // First try to find a new transaction in mapTx to evaluate.
312 //
313 // Skip entries in mapTx that are already in a block or are present
314 // in mapModifiedTx (which implies that the mapTx ancestor state is
315 // stale due to ancestor inclusion in the block)
316 // Also skip transactions that we've already failed to add. This can happen if
317 // we consider a transaction in mapModifiedTx and it fails: we can then
318 // potentially consider it again while walking mapTx. It's currently
319 // guaranteed to fail again, but as a belt-and-suspenders check we put it in
320 // failedTx and avoid re-evaluation, since the re-evaluation would be using
321 // cached size/sigops/fee values that are not actually correct.
324 if (mi != mempool.mapTx.get<ancestor_score>().end()) {
325 auto it = mempool.mapTx.project<0>(mi);
326 assert(it != mempool.mapTx.end());
327 if (mapModifiedTx.count(it) || inBlock.count(it->GetSharedTx()->GetHash()) || failedTx.count(it->GetSharedTx()->GetHash())) {
328 ++mi;
329 continue;
330 }
331 }
332
333 // Now that mi is not stale, determine which transaction to evaluate:
334 // the next entry from mapTx, or the best from mapModifiedTx?
335 bool fUsingModified = false;
336
337 modtxscoreiter modit = mapModifiedTx.get<ancestor_score>().begin();
338 if (mi == mempool.mapTx.get<ancestor_score>().end()) {
339 // We're out of entries in mapTx; use the entry from mapModifiedTx
340 iter = modit->iter;
341 fUsingModified = true;
342 } else {
343 // Try to compare the mapTx entry to the mapModifiedTx entry
344 iter = mempool.mapTx.project<0>(mi);
345 if (modit != mapModifiedTx.get<ancestor_score>().end() &&
347 // The best entry in mapModifiedTx has higher score
348 // than the one from mapTx.
349 // Switch which transaction (package) to consider
350 iter = modit->iter;
351 fUsingModified = true;
352 } else {
353 // Either no entry in mapModifiedTx, or it's worse than mapTx.
354 // Increment mi for the next loop iteration.
355 ++mi;
356 }
357 }
358
359 // We skip mapTx entries that are inBlock, and mapModifiedTx shouldn't
360 // contain anything that is inBlock.
361 assert(!inBlock.count(iter->GetSharedTx()->GetHash()));
362
363 uint64_t packageSize = iter->GetSizeWithAncestors();
364 CAmount packageFees = iter->GetModFeesWithAncestors();
365 int64_t packageSigOpsCost = iter->GetSigOpCostWithAncestors();
366 if (fUsingModified) {
367 packageSize = modit->nSizeWithAncestors;
368 packageFees = modit->nModFeesWithAncestors;
369 packageSigOpsCost = modit->nSigOpCostWithAncestors;
370 }
371
372 if (packageFees < m_options.blockMinFeeRate.GetFee(packageSize)) {
373 // Everything else we might consider has a lower fee rate
374 return;
375 }
376
377 if (!TestPackage(packageSize, packageSigOpsCost)) {
378 if (fUsingModified) {
379 // Since we always look at the best entry in mapModifiedTx,
380 // we must erase failed entries so that we can consider the
381 // next best entry on the next loop iteration
382 mapModifiedTx.get<ancestor_score>().erase(modit);
383 failedTx.insert(iter->GetSharedTx()->GetHash());
384 }
385
386 ++nConsecutiveFailed;
387
388 if (nConsecutiveFailed > MAX_CONSECUTIVE_FAILURES && nBlockWeight >
389 m_options.nBlockMaxWeight - m_options.coinbase_max_additional_weight) {
390 // Give up if we're close to full and haven't succeeded in a while
391 break;
392 }
393 continue;
394 }
395
396 auto ancestors{mempool.AssumeCalculateMemPoolAncestors(__func__, *iter, CTxMemPool::Limits::NoLimits(), /*fSearchForParents=*/false)};
397
398 onlyUnconfirmed(ancestors);
399 ancestors.insert(iter);
400
401 // Test if all tx's are Final
402 if (!TestPackageTransactions(ancestors)) {
403 if (fUsingModified) {
404 mapModifiedTx.get<ancestor_score>().erase(modit);
405 failedTx.insert(iter->GetSharedTx()->GetHash());
406 }
407 continue;
408 }
409
410 // This transaction will make it in; reset the failed counter.
411 nConsecutiveFailed = 0;
412
413 // Package can be added. Sort the entries in a valid order.
414 std::vector<CTxMemPool::txiter> sortedEntries;
415 SortForBlock(ancestors, sortedEntries);
416
417 for (size_t i = 0; i < sortedEntries.size(); ++i) {
418 AddToBlock(sortedEntries[i]);
419 // Erase from the modified set, if present
420 mapModifiedTx.erase(sortedEntries[i]);
421 }
422
423 ++nPackagesSelected;
424
425 // Update transactions that depend on each of these
426 nDescendantsUpdated += UpdatePackagesForAdded(mempool, ancestors, mapModifiedTx);
427 }
428}
429} // namespace node
int64_t CAmount
Amount in satoshis (Can be negative)
Definition: amount.h:12
ArgsManager gArgs
Definition: args.cpp:42
ArgsManager & args
Definition: bitcoind.cpp:277
#define Assert(val)
Identity function.
Definition: check.h:85
int64_t GetIntArg(const std::string &strArg, int64_t nDefault) const
Return integer argument or default value.
Definition: args.cpp:482
std::string GetArg(const std::string &strArg, const std::string &strDefault) const
Return string argument or default value.
Definition: args.cpp:457
bool GetBoolArg(const std::string &strArg, bool fDefault) const
Return boolean argument or default value.
Definition: args.cpp:507
Nodes collect new transactions into a block, hash them into a hash tree, and scan through nonce value...
Definition: block.h:22
uint32_t nNonce
Definition: block.h:30
uint32_t nBits
Definition: block.h:29
uint32_t nTime
Definition: block.h:28
int32_t nVersion
Definition: block.h:25
uint256 hashPrevBlock
Definition: block.h:26
uint256 hashMerkleRoot
Definition: block.h:27
Definition: block.h:69
std::vector< CTransactionRef > vtx
Definition: block.h:72
The block chain is a tree shaped structure starting with the genesis block at the root,...
Definition: chain.h:141
uint256 GetBlockHash() const
Definition: chain.h:243
int64_t GetBlockTime() const
Definition: chain.h:266
int64_t GetMedianTimePast() const
Definition: chain.h:278
int nHeight
height of the entry in the chain. The genesis block has height 0
Definition: chain.h:153
Fee rate in satoshis per kilovirtualbyte: CAmount / kvB.
Definition: feerate.h:33
std::string ToString(const FeeEstimateMode &fee_estimate_mode=FeeEstimateMode::BTC_KVB) const
Definition: feerate.cpp:39
Serialized script, used inside transaction inputs and outputs.
Definition: script.h:415
CTxMemPool stores valid-according-to-the-current-best-chain transactions that may be included in the ...
Definition: txmempool.h:304
std::set< txiter, CompareIteratorByHash > setEntries
Definition: txmempool.h:396
indexed_transaction_set::nth_index< 0 >::type::const_iterator txiter
Definition: txmempool.h:393
Chainstate stores and provides an API to update our local knowledge of the current best chain.
Definition: validation.h:505
Provides an interface for creating and interacting with one or two chainstates: an IBD chainstate gen...
Definition: validation.h:866
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...
node::BlockManager m_blockman
A single BlockManager instance is shared across each constructed chainstate to avoid duplicating bloc...
Definition: validation.h:1007
Definition: txmempool.h:164
std::string ToString() const
Definition: validation.h:112
BlockAssembler(Chainstate &chainstate, const CTxMemPool *mempool, const Options &options)
Definition: miner.cpp:78
CBlockIndex * LookupBlockIndex(const uint256 &hash) EXCLUSIVE_LOCKS_REQUIRED(cs_main)
static int64_t GetBlockWeight(const CBlock &block)
Definition: validation.h:137
int GetWitnessCommitmentIndex(const CBlock &block)
Compute at which vout of the block's coinbase transaction the witness commitment occurs,...
Definition: validation.h:148
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 int64_t MAX_BLOCK_SIGOPS_COST
The maximum allowed number of signature check operations in a block (network rule)
Definition: consensus.h:17
static const int WITNESS_SCALE_FACTOR
Definition: consensus.h:21
RecursiveMutex cs_main
Mutex to guard access to validation specific variables, such as reading or changing the chainstate.
Definition: cs_main.cpp:8
#define LogDebug(category,...)
Definition: logging.h:280
#define LogPrintf(...)
Definition: logging.h:266
unsigned int nHeight
uint256 BlockMerkleRoot(const CBlock &block, bool *mutated)
Definition: merkle.cpp:66
std::optional< CAmount > ParseMoney(const std::string &money_string)
Parse an amount denoted in full coins.
Definition: moneystr.cpp:45
@ BENCH
Definition: logging.h:47
Definition: messages.h:20
static BlockAssembler::Options ClampOptions(BlockAssembler::Options options)
Definition: miner.cpp:68
boost::multi_index_container< CTxMemPoolModifiedEntry, CTxMemPoolModifiedEntry_Indices > indexed_modified_transaction_set
Definition: miner.h:119
indexed_modified_transaction_set::nth_index< 0 >::type::iterator modtxiter
Definition: miner.h:121
void RegenerateCommitments(CBlock &block, ChainstateManager &chainman)
Update an old GenerateCoinbaseCommitment from CreateNewBlock after the block txs have changed.
Definition: miner.cpp:56
int64_t UpdateTime(CBlockHeader *pblock, const Consensus::Params &consensusParams, const CBlockIndex *pindexPrev)
Definition: miner.cpp:31
indexed_modified_transaction_set::index< ancestor_score >::type::iterator modtxscoreiter
Definition: miner.h:122
util::Result< void > ApplyArgsManOptions(const ArgsManager &args, BlockManager::Options &opts)
static int UpdatePackagesForAdded(const CTxMemPool &mempool, const CTxMemPool::setEntries &alreadyAdded, indexed_modified_transaction_set &mapModifiedTx) EXCLUSIVE_LOCKS_REQUIRED(mempool.cs)
Add descendants of given transactions to mapModifiedTx with ancestor state updated assuming given tra...
Definition: miner.cpp:242
static constexpr unsigned int DEFAULT_BLOCK_MAX_WEIGHT
Default for -blockmaxweight, which controls the range of block weights the mining code will create.
Definition: policy.h:23
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:424
@ OP_0
Definition: script.h:76
A mutable version of CTransaction.
Definition: transaction.h:378
std::vector< CTxOut > vout
Definition: transaction.h:380
std::vector< CTxIn > vin
Definition: transaction.h:379
Parameters that influence chain consensus.
Definition: params.h:74
bool enforce_BIP94
Enforce BIP94 timewarp attack mitigation.
Definition: params.h:115
int64_t DifficultyAdjustmentInterval() const
Definition: params.h:123
bool fPowAllowMinDifficultyBlocks
Definition: params.h:110
static time_point now() noexcept
Return current system time or mocked time, if set.
Definition: time.cpp:24
static constexpr MemPoolLimits NoLimits()
size_t coinbase_output_max_additional_sigops
The maximum additional sigops which the pool will add in coinbase transaction outputs.
Definition: types.h:46
size_t coinbase_max_additional_weight
The maximum additional weight which the pool will add to the coinbase scriptSig, witness and outputs.
Definition: types.h:41
Definition: miner.h:46
#define LOCK(cs)
Definition: sync.h:257
#define WITH_LOCK(cs, code)
Run code while locking a mutex.
Definition: sync.h:301
#define EXCLUSIVE_LOCKS_REQUIRED(...)
Definition: threadsafety.h:49
#define strprintf
Format arguments and return the string or write to given std::ostream (see tinyformat::format doc for...
Definition: tinyformat.h:1165
unsigned int GetLegacySigOpCount(const CTransaction &tx)
Auxiliary functions for transaction validation (ideally should not be exposed)
Definition: tx_verify.cpp:112
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
CAmount GetBlockSubsidy(int nHeight, const Consensus::Params &consensusParams)
bool TestBlockValidity(BlockValidationState &state, const CChainParams &chainparams, Chainstate &chainstate, const CBlock &block, CBlockIndex *pindexPrev, bool fCheckPOW, bool fCheckMerkleRoot)
Check a block is completely valid from start to finish (only works on top of our current best block)
AssertLockHeld(pool.cs)
assert(!tx.IsCoinBase())