Bitcoin Core 22.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-2020 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 <miner.h>
7
8#include <chain.h>
9#include <chainparams.h>
10#include <coins.h>
11#include <consensus/amount.h>
12#include <consensus/consensus.h>
13#include <consensus/merkle.h>
14#include <consensus/tx_verify.h>
16#include <deploymentstatus.h>
17#include <policy/feerate.h>
18#include <policy/policy.h>
19#include <pow.h>
21#include <timedata.h>
22#include <util/moneystr.h>
23#include <util/system.h>
24
25#include <algorithm>
26#include <utility>
27
28int64_t UpdateTime(CBlockHeader* pblock, const Consensus::Params& consensusParams, const CBlockIndex* pindexPrev)
29{
30 int64_t nOldTime = pblock->nTime;
31 int64_t nNewTime = std::max(pindexPrev->GetMedianTimePast()+1, GetAdjustedTime());
32
33 if (nOldTime < nNewTime)
34 pblock->nTime = nNewTime;
35
36 // Updating time can change work required on testnet:
37 if (consensusParams.fPowAllowMinDifficultyBlocks)
38 pblock->nBits = GetNextWorkRequired(pindexPrev, pblock, consensusParams);
39
40 return nNewTime - nOldTime;
41}
42
44{
45 CMutableTransaction tx{*block.vtx.at(0)};
46 tx.vout.erase(tx.vout.begin() + GetWitnessCommitmentIndex(block));
47 block.vtx.at(0) = MakeTransactionRef(tx);
48
49 CBlockIndex* prev_block = WITH_LOCK(::cs_main, return chainman.m_blockman.LookupBlockIndex(block.hashPrevBlock));
50 GenerateCoinbaseCommitment(block, prev_block, Params().GetConsensus());
51
52 block.hashMerkleRoot = BlockMerkleRoot(block);
53}
54
58}
59
60BlockAssembler::BlockAssembler(CChainState& chainstate, const CTxMemPool& mempool, const CChainParams& params, const Options& options)
61 : chainparams(params),
62 m_mempool(mempool),
63 m_chainstate(chainstate)
64{
66 // Limit weight to between 4K and MAX_BLOCK_WEIGHT-4K for sanity:
67 nBlockMaxWeight = std::max<size_t>(4000, std::min<size_t>(MAX_BLOCK_WEIGHT - 4000, options.nBlockMaxWeight));
68}
69
71{
72 // Block resource limits
73 // If -blockmaxweight is not given, limit to DEFAULT_BLOCK_MAX_WEIGHT
75 options.nBlockMaxWeight = gArgs.GetIntArg("-blockmaxweight", DEFAULT_BLOCK_MAX_WEIGHT);
76 if (gArgs.IsArgSet("-blockmintxfee")) {
77 std::optional<CAmount> parsed = ParseMoney(gArgs.GetArg("-blockmintxfee", ""));
78 options.blockMinFeeRate = CFeeRate{parsed.value_or(DEFAULT_BLOCK_MIN_TX_FEE)};
79 } else {
81 }
82 return options;
83}
84
85BlockAssembler::BlockAssembler(CChainState& chainstate, const CTxMemPool& mempool, const CChainParams& params)
86 : BlockAssembler(chainstate, mempool, params, DefaultOptions()) {}
87
89{
90 inBlock.clear();
91
92 // Reserve space for coinbase tx
93 nBlockWeight = 4000;
94 nBlockSigOpsCost = 400;
95 fIncludeWitness = false;
96
97 // These counters do not include coinbase tx
98 nBlockTx = 0;
99 nFees = 0;
100}
101
102std::unique_ptr<CBlockTemplate> BlockAssembler::CreateNewBlock(const CScript& scriptPubKeyIn)
103{
104 int64_t nTimeStart = GetTimeMicros();
105
106 resetBlock();
107
108 pblocktemplate.reset(new CBlockTemplate());
109
110 if(!pblocktemplate.get())
111 return nullptr;
112 CBlock* const pblock = &pblocktemplate->block; // pointer for convenience
113
114 // Add dummy coinbase tx as first transaction
115 pblock->vtx.emplace_back();
116 pblocktemplate->vTxFees.push_back(-1); // updated at end
117 pblocktemplate->vTxSigOpsCost.push_back(-1); // updated at end
118
120 CBlockIndex* pindexPrev = m_chainstate.m_chain.Tip();
121 assert(pindexPrev != nullptr);
122 nHeight = pindexPrev->nHeight + 1;
123
125 // -regtest only: allow overriding block.nVersion with
126 // -blockversion=N to test forking scenarios
128 pblock->nVersion = gArgs.GetIntArg("-blockversion", pblock->nVersion);
129
130 pblock->nTime = GetAdjustedTime();
131 const int64_t nMedianTimePast = pindexPrev->GetMedianTimePast();
132
134 ? nMedianTimePast
135 : pblock->GetBlockTime();
136
137 // Decide whether to include witness transactions
138 // This is only needed in case the witness softfork activation is reverted
139 // (which would require a very deep reorganization).
140 // Note that the mempool would accept transactions with witness data before
141 // the deployment is active, but we would only ever mine blocks after activation
142 // unless there is a massive block reorganization with the witness softfork
143 // not activated.
144 // TODO: replace this with a call to main to assess validity of a mempool
145 // transaction (which in most cases can be a no-op).
147
148 int nPackagesSelected = 0;
149 int nDescendantsUpdated = 0;
150 addPackageTxs(nPackagesSelected, nDescendantsUpdated);
151
152 int64_t nTime1 = GetTimeMicros();
153
156
157 // Create coinbase transaction.
158 CMutableTransaction coinbaseTx;
159 coinbaseTx.vin.resize(1);
160 coinbaseTx.vin[0].prevout.SetNull();
161 coinbaseTx.vout.resize(1);
162 coinbaseTx.vout[0].scriptPubKey = scriptPubKeyIn;
163 coinbaseTx.vout[0].nValue = nFees + GetBlockSubsidy(nHeight, chainparams.GetConsensus());
164 coinbaseTx.vin[0].scriptSig = CScript() << nHeight << OP_0;
165 pblock->vtx[0] = MakeTransactionRef(std::move(coinbaseTx));
166 pblocktemplate->vchCoinbaseCommitment = GenerateCoinbaseCommitment(*pblock, pindexPrev, chainparams.GetConsensus());
167 pblocktemplate->vTxFees[0] = -nFees;
168
169 LogPrintf("CreateNewBlock(): block weight: %u txs: %u fees: %ld sigops %d\n", GetBlockWeight(*pblock), nBlockTx, nFees, nBlockSigOpsCost);
170
171 // Fill in header
172 pblock->hashPrevBlock = pindexPrev->GetBlockHash();
173 UpdateTime(pblock, chainparams.GetConsensus(), pindexPrev);
174 pblock->nBits = GetNextWorkRequired(pindexPrev, pblock, chainparams.GetConsensus());
175 pblock->nNonce = 0;
176 pblocktemplate->vTxSigOpsCost[0] = WITNESS_SCALE_FACTOR * GetLegacySigOpCount(*pblock->vtx[0]);
177
179 if (!TestBlockValidity(state, chainparams, m_chainstate, *pblock, pindexPrev, false, false)) {
180 throw std::runtime_error(strprintf("%s: TestBlockValidity failed: %s", __func__, state.ToString()));
181 }
182 int64_t nTime2 = GetTimeMicros();
183
184 LogPrint(BCLog::BENCH, "CreateNewBlock() packages: %.2fms (%d packages, %d updated descendants), validity: %.2fms (total %.2fms)\n", 0.001 * (nTime1 - nTimeStart), nPackagesSelected, nDescendantsUpdated, 0.001 * (nTime2 - nTime1), 0.001 * (nTime2 - nTimeStart));
185
186 return std::move(pblocktemplate);
187}
188
190{
191 for (CTxMemPool::setEntries::iterator iit = testSet.begin(); iit != testSet.end(); ) {
192 // Only test txs not already in the block
193 if (inBlock.count(*iit)) {
194 testSet.erase(iit++);
195 }
196 else {
197 iit++;
198 }
199 }
200}
201
202bool BlockAssembler::TestPackage(uint64_t packageSize, int64_t packageSigOpsCost) const
203{
204 // TODO: switch to weight-based accounting for packages instead of vsize-based accounting.
206 return false;
207 if (nBlockSigOpsCost + packageSigOpsCost >= MAX_BLOCK_SIGOPS_COST)
208 return false;
209 return true;
210}
211
212// Perform transaction-level checks before adding to block:
213// - transaction finality (locktime)
214// - premature witness (in case segwit transactions are added to mempool before
215// segwit activation)
217{
218 for (CTxMemPool::txiter it : package) {
219 if (!IsFinalTx(it->GetTx(), nHeight, nLockTimeCutoff))
220 return false;
221 if (!fIncludeWitness && it->GetTx().HasWitness())
222 return false;
223 }
224 return true;
225}
226
228{
229 pblocktemplate->block.vtx.emplace_back(iter->GetSharedTx());
230 pblocktemplate->vTxFees.push_back(iter->GetFee());
231 pblocktemplate->vTxSigOpsCost.push_back(iter->GetSigOpCost());
232 nBlockWeight += iter->GetTxWeight();
233 ++nBlockTx;
234 nBlockSigOpsCost += iter->GetSigOpCost();
235 nFees += iter->GetFee();
236 inBlock.insert(iter);
237
238 bool fPrintPriority = gArgs.GetBoolArg("-printpriority", DEFAULT_PRINTPRIORITY);
239 if (fPrintPriority) {
240 LogPrintf("fee rate %s txid %s\n",
241 CFeeRate(iter->GetModifiedFee(), iter->GetTxSize()).ToString(),
242 iter->GetTx().GetHash().ToString());
243 }
244}
245
248{
249 int nDescendantsUpdated = 0;
250 for (CTxMemPool::txiter it : alreadyAdded) {
251 CTxMemPool::setEntries descendants;
252 m_mempool.CalculateDescendants(it, descendants);
253 // Insert all descendants (not yet in block) into the modified set
254 for (CTxMemPool::txiter desc : descendants) {
255 if (alreadyAdded.count(desc))
256 continue;
257 ++nDescendantsUpdated;
258 modtxiter mit = mapModifiedTx.find(desc);
259 if (mit == mapModifiedTx.end()) {
260 CTxMemPoolModifiedEntry modEntry(desc);
261 modEntry.nSizeWithAncestors -= it->GetTxSize();
262 modEntry.nModFeesWithAncestors -= it->GetModifiedFee();
263 modEntry.nSigOpCostWithAncestors -= it->GetSigOpCost();
264 mapModifiedTx.insert(modEntry);
265 } else {
266 mapModifiedTx.modify(mit, update_for_parent_inclusion(it));
267 }
268 }
269 }
270 return nDescendantsUpdated;
271}
272
273// Skip entries in mapTx that are already in a block or are present
274// in mapModifiedTx (which implies that the mapTx ancestor state is
275// stale due to ancestor inclusion in the block)
276// Also skip transactions that we've already failed to add. This can happen if
277// we consider a transaction in mapModifiedTx and it fails: we can then
278// potentially consider it again while walking mapTx. It's currently
279// guaranteed to fail again, but as a belt-and-suspenders check we put it in
280// failedTx and avoid re-evaluation, since the re-evaluation would be using
281// cached size/sigops/fee values that are not actually correct.
283{
284 assert(it != m_mempool.mapTx.end());
285 return mapModifiedTx.count(it) || inBlock.count(it) || failedTx.count(it);
286}
287
288void BlockAssembler::SortForBlock(const CTxMemPool::setEntries& package, std::vector<CTxMemPool::txiter>& sortedEntries)
289{
290 // Sort package by ancestor count
291 // If a transaction A depends on transaction B, then A's ancestor count
292 // must be greater than B's. So this is sufficient to validly order the
293 // transactions for block inclusion.
294 sortedEntries.clear();
295 sortedEntries.insert(sortedEntries.begin(), package.begin(), package.end());
296 std::sort(sortedEntries.begin(), sortedEntries.end(), CompareTxIterByAncestorCount());
297}
298
299// This transaction selection algorithm orders the mempool based
300// on feerate of a transaction including all unconfirmed ancestors.
301// Since we don't remove transactions from the mempool as we select them
302// for block inclusion, we need an alternate method of updating the feerate
303// of a transaction with its not-yet-selected ancestors as we go.
304// This is accomplished by walking the in-mempool descendants of selected
305// transactions and storing a temporary modified state in mapModifiedTxs.
306// Each time through the loop, we compare the best transaction in
307// mapModifiedTxs with the next transaction in the mempool to decide what
308// transaction package to work on next.
309void BlockAssembler::addPackageTxs(int &nPackagesSelected, int &nDescendantsUpdated)
310{
311 // mapModifiedTx will store sorted packages after they are modified
312 // because some of their txs are already in the block
314 // Keep track of entries that failed inclusion, to avoid duplicate work
315 CTxMemPool::setEntries failedTx;
316
317 // Start by adding all descendants of previously added txs to mapModifiedTx
318 // and modifying them for their already included ancestors
319 UpdatePackagesForAdded(inBlock, mapModifiedTx);
320
321 CTxMemPool::indexed_transaction_set::index<ancestor_score>::type::iterator mi = m_mempool.mapTx.get<ancestor_score>().begin();
323
324 // Limit the number of attempts to add transactions to the block when it is
325 // close to full; this is just a simple heuristic to finish quickly if the
326 // mempool has a lot of entries.
327 const int64_t MAX_CONSECUTIVE_FAILURES = 1000;
328 int64_t nConsecutiveFailed = 0;
329
330 while (mi != m_mempool.mapTx.get<ancestor_score>().end() || !mapModifiedTx.empty()) {
331 // First try to find a new transaction in mapTx to evaluate.
332 if (mi != m_mempool.mapTx.get<ancestor_score>().end() &&
333 SkipMapTxEntry(m_mempool.mapTx.project<0>(mi), mapModifiedTx, failedTx)) {
334 ++mi;
335 continue;
336 }
337
338 // Now that mi is not stale, determine which transaction to evaluate:
339 // the next entry from mapTx, or the best from mapModifiedTx?
340 bool fUsingModified = false;
341
342 modtxscoreiter modit = mapModifiedTx.get<ancestor_score>().begin();
343 if (mi == m_mempool.mapTx.get<ancestor_score>().end()) {
344 // We're out of entries in mapTx; use the entry from mapModifiedTx
345 iter = modit->iter;
346 fUsingModified = true;
347 } else {
348 // Try to compare the mapTx entry to the mapModifiedTx entry
349 iter = m_mempool.mapTx.project<0>(mi);
350 if (modit != mapModifiedTx.get<ancestor_score>().end() &&
352 // The best entry in mapModifiedTx has higher score
353 // than the one from mapTx.
354 // Switch which transaction (package) to consider
355 iter = modit->iter;
356 fUsingModified = true;
357 } else {
358 // Either no entry in mapModifiedTx, or it's worse than mapTx.
359 // Increment mi for the next loop iteration.
360 ++mi;
361 }
362 }
363
364 // We skip mapTx entries that are inBlock, and mapModifiedTx shouldn't
365 // contain anything that is inBlock.
366 assert(!inBlock.count(iter));
367
368 uint64_t packageSize = iter->GetSizeWithAncestors();
369 CAmount packageFees = iter->GetModFeesWithAncestors();
370 int64_t packageSigOpsCost = iter->GetSigOpCostWithAncestors();
371 if (fUsingModified) {
372 packageSize = modit->nSizeWithAncestors;
373 packageFees = modit->nModFeesWithAncestors;
374 packageSigOpsCost = modit->nSigOpCostWithAncestors;
375 }
376
377 if (packageFees < blockMinFeeRate.GetFee(packageSize)) {
378 // Everything else we might consider has a lower fee rate
379 return;
380 }
381
382 if (!TestPackage(packageSize, packageSigOpsCost)) {
383 if (fUsingModified) {
384 // Since we always look at the best entry in mapModifiedTx,
385 // we must erase failed entries so that we can consider the
386 // next best entry on the next loop iteration
387 mapModifiedTx.get<ancestor_score>().erase(modit);
388 failedTx.insert(iter);
389 }
390
391 ++nConsecutiveFailed;
392
393 if (nConsecutiveFailed > MAX_CONSECUTIVE_FAILURES && nBlockWeight >
394 nBlockMaxWeight - 4000) {
395 // Give up if we're close to full and haven't succeeded in a while
396 break;
397 }
398 continue;
399 }
400
401 CTxMemPool::setEntries ancestors;
402 uint64_t nNoLimit = std::numeric_limits<uint64_t>::max();
403 std::string dummy;
404 m_mempool.CalculateMemPoolAncestors(*iter, ancestors, nNoLimit, nNoLimit, nNoLimit, nNoLimit, dummy, false);
405
406 onlyUnconfirmed(ancestors);
407 ancestors.insert(iter);
408
409 // Test if all tx's are Final
410 if (!TestPackageTransactions(ancestors)) {
411 if (fUsingModified) {
412 mapModifiedTx.get<ancestor_score>().erase(modit);
413 failedTx.insert(iter);
414 }
415 continue;
416 }
417
418 // This transaction will make it in; reset the failed counter.
419 nConsecutiveFailed = 0;
420
421 // Package can be added. Sort the entries in a valid order.
422 std::vector<CTxMemPool::txiter> sortedEntries;
423 SortForBlock(ancestors, sortedEntries);
424
425 for (size_t i=0; i<sortedEntries.size(); ++i) {
426 AddToBlock(sortedEntries[i]);
427 // Erase from the modified set, if present
428 mapModifiedTx.erase(sortedEntries[i]);
429 }
430
431 ++nPackagesSelected;
432
433 // Update transactions that depend on each of these
434 nDescendantsUpdated += UpdatePackagesForAdded(ancestors, mapModifiedTx);
435 }
436}
437
438void IncrementExtraNonce(CBlock* pblock, const CBlockIndex* pindexPrev, unsigned int& nExtraNonce)
439{
440 // Update nExtraNonce
441 static uint256 hashPrevBlock;
442 if (hashPrevBlock != pblock->hashPrevBlock)
443 {
444 nExtraNonce = 0;
445 hashPrevBlock = pblock->hashPrevBlock;
446 }
447 ++nExtraNonce;
448 unsigned int nHeight = pindexPrev->nHeight+1; // Height first in coinbase required for block.version=2
449 CMutableTransaction txCoinbase(*pblock->vtx[0]);
450 txCoinbase.vin[0].scriptSig = (CScript() << nHeight << CScriptNum(nExtraNonce));
451 assert(txCoinbase.vin[0].scriptSig.size() <= 100);
452
453 pblock->vtx[0] = MakeTransactionRef(std::move(txCoinbase));
454 pblock->hashMerkleRoot = BlockMerkleRoot(*pblock);
455}
int64_t CAmount
Amount in satoshis (Can be negative)
Definition: amount.h:12
RecursiveMutex cs_main
Mutex to guard access to validation specific variables, such as reading or changing the chainstate.
Definition: validation.cpp:118
const CChainParams & Params()
Return the currently selected parameters.
bool IsArgSet(const std::string &strArg) const
Return true if the given argument has been manually set.
Definition: system.cpp:496
int64_t GetIntArg(const std::string &strArg, int64_t nDefault) const
Return integer argument or default value.
Definition: system.cpp:596
std::string GetArg(const std::string &strArg, const std::string &strDefault) const
Return string argument or default value.
Definition: system.cpp:590
bool GetBoolArg(const std::string &strArg, bool fDefault) const
Return boolean argument or default value.
Definition: system.cpp:602
Generate a new block, without valid proof-of-work.
Definition: miner.h:127
int64_t nLockTimeCutoff
Definition: miner.h:146
int UpdatePackagesForAdded(const CTxMemPool::setEntries &alreadyAdded, indexed_modified_transaction_set &mapModifiedTx) EXCLUSIVE_LOCKS_REQUIRED(m_mempool.cs)
Add descendants of given transactions to mapModifiedTx with ancestor state updated assuming given tra...
Definition: miner.cpp:246
uint64_t nBlockWeight
Definition: miner.h:138
void AddToBlock(CTxMemPool::txiter iter)
Add a tx to the block.
Definition: miner.cpp:227
CTxMemPool::setEntries inBlock
Definition: miner.h:142
CChainState & m_chainstate
Definition: miner.h:149
void addPackageTxs(int &nPackagesSelected, int &nDescendantsUpdated) EXCLUSIVE_LOCKS_REQUIRED(m_mempool.cs)
Add transactions based on feerate including unconfirmed ancestors Increments nPackagesSelected / nDes...
Definition: miner.cpp:309
bool TestPackageTransactions(const CTxMemPool::setEntries &package) const
Perform checks on each transaction in a package: locktime, premature-witness, serialized size (if nec...
Definition: miner.cpp:216
void onlyUnconfirmed(CTxMemPool::setEntries &testSet)
Remove confirmed (inBlock) entries from given set.
Definition: miner.cpp:189
CFeeRate blockMinFeeRate
Definition: miner.h:135
uint64_t nBlockTx
Definition: miner.h:139
static std::optional< int64_t > m_last_block_num_txs
Definition: miner.h:164
bool fIncludeWitness
Definition: miner.h:133
CAmount nFees
Definition: miner.h:141
const CTxMemPool & m_mempool
Definition: miner.h:148
void resetBlock()
Clear the block's state and prepare for assembling a new block.
Definition: miner.cpp:88
void SortForBlock(const CTxMemPool::setEntries &package, std::vector< CTxMemPool::txiter > &sortedEntries)
Sort the package in an order that is valid to appear in a block.
Definition: miner.cpp:288
std::unique_ptr< CBlockTemplate > pblocktemplate
Definition: miner.h:130
BlockAssembler(CChainState &chainstate, const CTxMemPool &mempool, const CChainParams &params)
Definition: miner.cpp:85
const CChainParams & chainparams
Definition: miner.h:147
std::unique_ptr< CBlockTemplate > CreateNewBlock(const CScript &scriptPubKeyIn)
Construct a new block template with coinbase to scriptPubKeyIn.
Definition: miner.cpp:102
static std::optional< int64_t > m_last_block_weight
Definition: miner.h:165
bool SkipMapTxEntry(CTxMemPool::txiter it, indexed_modified_transaction_set &mapModifiedTx, CTxMemPool::setEntries &failedTx) EXCLUSIVE_LOCKS_REQUIRED(m_mempool.cs)
Return true if given transaction from mapTx has already been evaluated, or if the transaction's cache...
Definition: miner.cpp:282
unsigned int nBlockMaxWeight
Definition: miner.h:134
int nHeight
Definition: miner.h:145
uint64_t nBlockSigOpsCost
Definition: miner.h:140
bool TestPackage(uint64_t packageSize, int64_t packageSigOpsCost) const
Test if a new package would "fit" in the block.
Definition: miner.cpp:202
Nodes collect new transactions into a block, hash them into a hash tree, and scan through nonce value...
Definition: block.h:21
uint32_t nNonce
Definition: block.h:29
uint32_t nBits
Definition: block.h:28
uint32_t nTime
Definition: block.h:27
int64_t GetBlockTime() const
Definition: block.h:55
int32_t nVersion
Definition: block.h:24
uint256 hashPrevBlock
Definition: block.h:25
uint256 hashMerkleRoot
Definition: block.h:26
Definition: block.h:63
std::vector< CTransactionRef > vtx
Definition: block.h:66
The block chain is a tree shaped structure starting with the genesis block at the root,...
Definition: chain.h:146
uint256 GetBlockHash() const
Definition: chain.h:254
int64_t GetMedianTimePast() const
Definition: chain.h:280
int nHeight
height of the entry in the chain. The genesis block has height 0
Definition: chain.h:158
CBlockIndex * Tip() const
Returns the index entry for the tip of this chain, or nullptr if none.
Definition: chain.h:421
CChainParams defines various tweakable parameters of a given instance of the Bitcoin system.
Definition: chainparams.h:70
const Consensus::Params & GetConsensus() const
Definition: chainparams.h:82
bool MineBlocksOnDemand() const
Whether it is possible to mine blocks on demand (no retargeting)
Definition: chainparams.h:110
CChainState stores and provides an API to update our local knowledge of the current best chain.
Definition: validation.h:544
CChain m_chain
The current chain of blockheaders we consult and build on.
Definition: validation.h:620
Fee rate in satoshis per kilobyte: CAmount / kB.
Definition: feerate.h:30
std::string ToString(const FeeEstimateMode &fee_estimate_mode=FeeEstimateMode::BTC_KVB) const
Definition: feerate.cpp:39
CAmount GetFee(uint32_t num_bytes) const
Return the fee in satoshis for the given size in bytes.
Definition: feerate.cpp:23
Serialized script, used inside transaction inputs and outputs.
Definition: script.h:406
CTxMemPool stores valid-according-to-the-current-best-chain transactions that may be included in the ...
Definition: txmempool.h:424
RecursiveMutex cs
This mutex needs to be locked when accessing mapTx or other members that are guarded by it.
Definition: txmempool.h:511
CTransactionRef get(const uint256 &hash) const
Definition: txmempool.cpp:911
bool CalculateMemPoolAncestors(const CTxMemPoolEntry &entry, setEntries &setAncestors, uint64_t limitAncestorCount, uint64_t limitAncestorSize, uint64_t limitDescendantCount, uint64_t limitDescendantSize, std::string &errString, bool fSearchForParents=true) const EXCLUSIVE_LOCKS_REQUIRED(cs)
Try to calculate all in-mempool ancestors of entry.
Definition: txmempool.cpp:291
std::set< txiter, CompareIteratorByHash > setEntries
Definition: txmempool.h:517
indexed_transaction_set::nth_index< 0 >::type::const_iterator txiter
Definition: txmempool.h:514
void CalculateDescendants(txiter it, setEntries &setDescendants) const EXCLUSIVE_LOCKS_REQUIRED(cs)
Populate setDescendants with all in-mempool descendants of hash.
Definition: txmempool.cpp:565
Provides an interface for creating and interacting with one or two chainstates: an IBD chainstate gen...
Definition: validation.h:847
Definition: txmempool.h:270
std::string ToString() const
Definition: validation.h:125
int32_t ComputeBlockVersion(const CBlockIndex *pindexPrev, const Consensus::Params &params)
Determine what nVersion a new block should use.
256-bit opaque blob.
Definition: uint256.h:124
static int64_t GetBlockWeight(const CBlock &block)
Definition: validation.h:150
int GetWitnessCommitmentIndex(const CBlock &block)
Compute at which vout of the block's coinbase transaction the witness commitment occurs,...
Definition: validation.h:161
static constexpr unsigned int LOCKTIME_MEDIAN_TIME_PAST
Use GetMedianTimePast() instead of nTime for end point timestamp.
Definition: consensus.h:30
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
static const int WITNESS_SCALE_FACTOR
Definition: consensus.h:21
VersionBitsCache g_versionbitscache
Global cache for versionbits deployment status.
bool DeploymentActiveAfter(const CBlockIndex *pindexPrev, const Consensus::Params &params, Consensus::BuriedDeployment dep)
Determine if a deployment is active for the next block.
#define LogPrint(category,...)
Definition: logging.h:191
#define LogPrintf(...)
Definition: logging.h:187
unsigned int nHeight
uint256 BlockMerkleRoot(const CBlock &block, bool *mutated)
Definition: merkle.cpp:65
static BlockAssembler::Options DefaultOptions()
Definition: miner.cpp:70
void IncrementExtraNonce(CBlock *pblock, const CBlockIndex *pindexPrev, unsigned int &nExtraNonce)
Modify the extranonce in a block.
Definition: miner.cpp:438
int64_t UpdateTime(CBlockHeader *pblock, const Consensus::Params &consensusParams, const CBlockIndex *pindexPrev)
Definition: miner.cpp:28
void RegenerateCommitments(CBlock &block, ChainstateManager &chainman)
Update an old GenerateCoinbaseCommitment from CreateNewBlock after the block txs have changed.
Definition: miner.cpp:43
indexed_modified_transaction_set::nth_index< 0 >::type::iterator modtxiter
Definition: miner.h:108
static const bool DEFAULT_PRINTPRIORITY
Definition: miner.h:26
boost::multi_index_container< CTxMemPoolModifiedEntry, boost::multi_index::indexed_by< boost::multi_index::ordered_unique< modifiedentry_iter, CompareCTxMemPoolIter >, boost::multi_index::ordered_non_unique< boost::multi_index::tag< ancestor_score >, boost::multi_index::identity< CTxMemPoolModifiedEntry >, CompareTxMemPoolEntryByAncestorFee > > > indexed_modified_transaction_set
Definition: miner.h:106
indexed_modified_transaction_set::index< ancestor_score >::type::iterator modtxscoreiter
Definition: miner.h:109
std::optional< CAmount > ParseMoney(const std::string &money_string)
Parse an amount denoted in full coins.
Definition: moneystr.cpp:41
@ BENCH
Definition: logging.h:42
@ DEPLOYMENT_SEGWIT
Definition: params.h:24
static constexpr unsigned int STANDARD_LOCKTIME_VERIFY_FLAGS
Used as the flags parameter to sequence and nLocktime checks in non-consensus code.
Definition: policy.h:85
static const unsigned int DEFAULT_BLOCK_MIN_TX_FEE
Default for -blockmintxfee, which sets the minimum feerate for a transaction in blocks created by min...
Definition: policy.h:22
static const unsigned int DEFAULT_BLOCK_MAX_WEIGHT
Default for -blockmaxweight, which controls the range of block weights the mining code will create.
Definition: policy.h:20
unsigned int GetNextWorkRequired(const CBlockIndex *pindexLast, const CBlockHeader *pblock, const Consensus::Params &params)
Definition: pow.cpp:13
static CTransactionRef MakeTransactionRef(Tx &&txIn)
Definition: transaction.h:387
@ OP_0
Definition: script.h:69
CFeeRate blockMinFeeRate
Definition: miner.h:155
size_t nBlockMaxWeight
Definition: miner.h:154
A mutable version of CTransaction.
Definition: transaction.h:345
std::vector< CTxOut > vout
Definition: transaction.h:347
std::vector< CTxIn > vin
Definition: transaction.h:346
Definition: miner.h:38
uint64_t nSizeWithAncestors
Definition: miner.h:54
CAmount nModFeesWithAncestors
Definition: miner.h:55
int64_t nSigOpCostWithAncestors
Definition: miner.h:56
Parameters that influence chain consensus.
Definition: params.h:70
bool fPowAllowMinDifficultyBlocks
Definition: params.h:101
#define LOCK2(cs1, cs2)
Definition: sync.h:227
#define WITH_LOCK(cs, code)
Run code while locking a mutex.
Definition: sync.h:270
int64_t GetTimeMicros()
Returns the system time (not mockable)
Definition: time.cpp:122
int64_t GetAdjustedTime()
Definition: timedata.cpp:35
#define strprintf
Format arguments and return the string or write to given std::ostream (see tinyformat::format doc for...
Definition: tinyformat.h:1164
unsigned int GetLegacySigOpCount(const CTransaction &tx)
Auxiliary functions for transaction validation (ideally should not be exposed)
Definition: tx_verify.cpp:117
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:18
ArgsManager gArgs
Definition: system.cpp:85
CAmount GetBlockSubsidy(int nHeight, const Consensus::Params &consensusParams)
bool TestBlockValidity(BlockValidationState &state, const CChainParams &chainparams, CChainState &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)
std::vector< unsigned char > GenerateCoinbaseCommitment(CBlock &block, const CBlockIndex *pindexPrev, const Consensus::Params &consensusParams)
Produce the necessary coinbase commitment for a block (modifies the hash, don't call for mined blocks...
assert(!tx.IsCoinBase())