Bitcoin ABC 0.31.0
P2P Digital Currency
All Classes Namespaces Files Functions Variables Typedefs Enumerations Enumerator Properties Friends Macros Modules Pages
validation.cpp
Go to the documentation of this file.
1// Copyright (c) 2009-2010 Satoshi Nakamoto
2// Copyright (c) 2009-2018 The Bitcoin Core developers
3// Copyright (c) 2017-2020 The Bitcoin developers
4// Distributed under the MIT software license, see the accompanying
5// file COPYING or http://www.opensource.org/licenses/mit-license.php.
6
7#include <validation.h>
8
9#include <kernel/chain.h>
10#include <kernel/chainparams.h>
11#include <kernel/coinstats.h>
15
16#include <arith_uint256.h>
17#include <avalanche/avalanche.h>
18#include <avalanche/processor.h>
19#include <blockvalidity.h>
20#include <chainparams.h>
21#include <checkpoints.h>
22#include <checkqueue.h>
23#include <common/args.h>
24#include <config.h>
26#include <consensus/amount.h>
27#include <consensus/merkle.h>
28#include <consensus/tx_check.h>
29#include <consensus/tx_verify.h>
31#include <hash.h>
33#include <logging.h>
34#include <logging/timer.h>
35#include <minerfund.h>
36#include <node/blockstorage.h>
37#include <node/utxo_snapshot.h>
40#include <policy/block/rtt.h>
42#include <policy/policy.h>
43#include <policy/settings.h>
44#include <pow/pow.h>
45#include <primitives/block.h>
47#include <random.h>
48#include <reverse_iterator.h>
49#include <script/script.h>
50#include <script/scriptcache.h>
51#include <script/sigcache.h>
52#include <shutdown.h>
53#include <tinyformat.h>
54#include <txdb.h>
55#include <txmempool.h>
56#include <undo.h>
57#include <util/check.h> // For NDEBUG compile time check
58#include <util/fs.h>
59#include <util/fs_helpers.h>
60#include <util/strencodings.h>
61#include <util/string.h>
62#include <util/time.h>
63#include <util/trace.h>
64#include <util/translation.h>
65#include <validationinterface.h>
66#include <warnings.h>
67
68#include <algorithm>
69#include <atomic>
70#include <cassert>
71#include <chrono>
72#include <deque>
73#include <numeric>
74#include <optional>
75#include <string>
76#include <thread>
77
83
87using node::BlockMap;
88using node::fReindex;
91
92#define MICRO 0.000001
93#define MILLI 0.001
94
96static constexpr std::chrono::hours DATABASE_WRITE_INTERVAL{1};
98static constexpr std::chrono::hours DATABASE_FLUSH_INTERVAL{24};
99const std::vector<std::string> CHECKLEVEL_DOC{
100 "level 0 reads the blocks from disk",
101 "level 1 verifies block validity",
102 "level 2 verifies undo data",
103 "level 3 checks disconnection of tip blocks",
104 "level 4 tries to reconnect the blocks",
105 "each level includes the checks of the previous levels",
106};
113static constexpr int PRUNE_LOCK_BUFFER{10};
114
115static constexpr uint64_t HEADERS_TIME_VERSION{1};
116
118std::condition_variable g_best_block_cv;
120
122 : excessiveBlockSize(config.GetMaxBlockSize()), checkPoW(true),
123 checkMerkleRoot(true) {}
124
125const CBlockIndex *
128
129 // Find the latest block common to locator and chain - we expect that
130 // locator.vHave is sorted descending by height.
131 for (const BlockHash &hash : locator.vHave) {
132 const CBlockIndex *pindex{m_blockman.LookupBlockIndex(hash)};
133 if (pindex) {
134 if (m_chain.Contains(pindex)) {
135 return pindex;
136 }
137 if (pindex->GetAncestor(m_chain.Height()) == m_chain.Tip()) {
138 return m_chain.Tip();
139 }
140 }
141 }
142 return m_chain.Genesis();
143}
144
145static uint32_t GetNextBlockScriptFlags(const CBlockIndex *pindex,
146 const ChainstateManager &chainman);
147
148namespace {
160std::optional<std::vector<int>> CalculatePrevHeights(const CBlockIndex &tip,
161 const CCoinsView &coins,
162 const CTransaction &tx) {
163 std::vector<int> prev_heights;
164 prev_heights.resize(tx.vin.size());
165 for (size_t i = 0; i < tx.vin.size(); ++i) {
166 const CTxIn &txin = tx.vin[i];
167 Coin coin;
168 if (!coins.GetCoin(txin.prevout, coin)) {
169 LogPrintf("ERROR: %s: Missing input %d in transaction \'%s\'\n",
170 __func__, i, tx.GetId().GetHex());
171 return std::nullopt;
172 }
173 if (coin.GetHeight() == MEMPOOL_HEIGHT) {
174 // Assume all mempool transaction confirm in the next block.
175 prev_heights[i] = tip.nHeight + 1;
176 } else {
177 prev_heights[i] = coin.GetHeight();
178 }
179 }
180 return prev_heights;
181}
182} // namespace
183
184std::optional<LockPoints> CalculateLockPointsAtTip(CBlockIndex *tip,
185 const CCoinsView &coins_view,
186 const CTransaction &tx) {
187 assert(tip);
188
189 auto prev_heights{CalculatePrevHeights(*tip, coins_view, tx)};
190 if (!prev_heights.has_value()) {
191 return std::nullopt;
192 }
193
194 CBlockIndex next_tip;
195 next_tip.pprev = tip;
196 // When SequenceLocks() is called within ConnectBlock(), the height
197 // of the block *being* evaluated is what is used.
198 // Thus if we want to know if a transaction can be part of the
199 // *next* block, we need to use one more than
200 // active_chainstate.m_chain.Height()
201 next_tip.nHeight = tip->nHeight + 1;
202 const auto [min_height, min_time] = CalculateSequenceLocks(
203 tx, STANDARD_LOCKTIME_VERIFY_FLAGS, prev_heights.value(), next_tip);
204
205 return LockPoints{min_height, min_time};
206}
207
208bool CheckSequenceLocksAtTip(CBlockIndex *tip, const LockPoints &lock_points) {
209 assert(tip != nullptr);
210
211 CBlockIndex index;
212 index.pprev = tip;
213 // CheckSequenceLocksAtTip() uses active_chainstate.m_chain.Height()+1 to
214 // evaluate height based locks because when SequenceLocks() is called within
215 // ConnectBlock(), the height of the block *being* evaluated is what is
216 // used. Thus if we want to know if a transaction can be part of the *next*
217 // block, we need to use one more than active_chainstate.m_chain.Height()
218 index.nHeight = tip->nHeight + 1;
219
220 return EvaluateSequenceLocks(index, {lock_points.height, lock_points.time});
221}
222
223// Command-line argument "-replayprotectionactivationtime=<timestamp>" will
224// cause the node to switch to replay protected SigHash ForkID value when the
225// median timestamp of the previous 11 blocks is greater than or equal to
226// <timestamp>. Defaults to the pre-defined timestamp when not set.
228 int64_t nMedianTimePast) {
229 return nMedianTimePast >= gArgs.GetIntArg("-replayprotectionactivationtime",
231}
232
234 const CBlockIndex *pindexPrev) {
235 if (pindexPrev == nullptr) {
236 return false;
237 }
238
239 return IsReplayProtectionEnabled(params, pindexPrev->GetMedianTimePast());
240}
241
248 const CTransaction &tx, TxValidationState &state,
249 const CCoinsViewCache &view, const CTxMemPool &pool, const uint32_t flags,
250 PrecomputedTransactionData &txdata, int &nSigChecksOut,
254
255 assert(!tx.IsCoinBase());
256 for (const CTxIn &txin : tx.vin) {
257 const Coin &coin = view.AccessCoin(txin.prevout);
258
259 // This coin was checked in PreChecks and MemPoolAccept
260 // has been holding cs_main since then.
261 Assume(!coin.IsSpent());
262 if (coin.IsSpent()) {
263 return false;
264 }
265
266 // If the Coin is available, there are 2 possibilities:
267 // it is available in our current ChainstateActive UTXO set,
268 // or it's a UTXO provided by a transaction in our mempool.
269 // Ensure the scriptPubKeys in Coins from CoinsView are correct.
270 const CTransactionRef &txFrom = pool.get(txin.prevout.GetTxId());
271 if (txFrom) {
272 assert(txFrom->GetId() == txin.prevout.GetTxId());
273 assert(txFrom->vout.size() > txin.prevout.GetN());
274 assert(txFrom->vout[txin.prevout.GetN()] == coin.GetTxOut());
275 } else {
276 const Coin &coinFromUTXOSet = coins_tip.AccessCoin(txin.prevout);
277 assert(!coinFromUTXOSet.IsSpent());
278 assert(coinFromUTXOSet.GetTxOut() == coin.GetTxOut());
279 }
280 }
281
282 // Call CheckInputScripts() to cache signature and script validity against
283 // current tip consensus rules.
284 return CheckInputScripts(tx, state, view, flags, /*sigCacheStore=*/true,
285 /*scriptCacheStore=*/true, txdata, nSigChecksOut);
286}
287
288namespace {
289
290class MemPoolAccept {
291public:
292 MemPoolAccept(CTxMemPool &mempool, Chainstate &active_chainstate)
293 : m_pool(mempool), m_view(&m_dummy),
294 m_viewmempool(&active_chainstate.CoinsTip(), m_pool),
295 m_active_chainstate(active_chainstate) {}
296
297 // We put the arguments we're handed into a struct, so we can pass them
298 // around easier.
299 struct ATMPArgs {
300 const Config &m_config;
301 const int64_t m_accept_time;
302 const bool m_bypass_limits;
303 /*
304 * Return any outpoints which were not previously present in the coins
305 * cache, but were added as a result of validating the tx for mempool
306 * acceptance. This allows the caller to optionally remove the cache
307 * additions if the associated transaction ends up being rejected by
308 * the mempool.
309 */
310 std::vector<COutPoint> &m_coins_to_uncache;
311 const bool m_test_accept;
312 const unsigned int m_heightOverride;
318 const bool m_package_submission;
324 const bool m_package_feerates;
325
327 static ATMPArgs SingleAccept(const Config &config, int64_t accept_time,
328 bool bypass_limits,
329 std::vector<COutPoint> &coins_to_uncache,
330 bool test_accept,
331 unsigned int heightOverride) {
332 return ATMPArgs{
333 config,
334 accept_time,
335 bypass_limits,
336 coins_to_uncache,
337 test_accept,
338 heightOverride,
339 /*package_submission=*/false,
340 /*package_feerates=*/false,
341 };
342 }
343
348 static ATMPArgs
349 PackageTestAccept(const Config &config, int64_t accept_time,
350 std::vector<COutPoint> &coins_to_uncache) {
351 return ATMPArgs{
352 config,
353 accept_time,
354 /*bypass_limits=*/false,
355 coins_to_uncache,
356 /*test_accept=*/true,
357 /*height_override=*/0,
358 // not submitting to mempool
359 /*package_submission=*/false,
360 /*package_feerates=*/false,
361 };
362 }
363
365 static ATMPArgs
366 PackageChildWithParents(const Config &config, int64_t accept_time,
367 std::vector<COutPoint> &coins_to_uncache) {
368 return ATMPArgs{
369 config,
370 accept_time,
371 /*bypass_limits=*/false,
372 coins_to_uncache,
373 /*test_accept=*/false,
374 /*height_override=*/0,
375 /*package_submission=*/true,
376 /*package_feerates=*/true,
377 };
378 }
379
381 static ATMPArgs SingleInPackageAccept(const ATMPArgs &package_args) {
382 return ATMPArgs{
383 /*config=*/package_args.m_config,
384 /*accept_time=*/package_args.m_accept_time,
385 /*bypass_limits=*/false,
386 /*coins_to_uncache=*/package_args.m_coins_to_uncache,
387 /*test_accept=*/package_args.m_test_accept,
388 /*height_override=*/package_args.m_heightOverride,
389 // do not LimitMempoolSize in Finalize()
390 /*package_submission=*/true,
391 // only 1 transaction
392 /*package_feerates=*/false,
393 };
394 }
395
396 private:
397 // Private ctor to avoid exposing details to clients and allowing the
398 // possibility of mixing up the order of the arguments. Use static
399 // functions above instead.
400 ATMPArgs(const Config &config, int64_t accept_time, bool bypass_limits,
401 std::vector<COutPoint> &coins_to_uncache, bool test_accept,
402 unsigned int height_override, bool package_submission,
403 bool package_feerates)
404 : m_config{config}, m_accept_time{accept_time},
405 m_bypass_limits{bypass_limits},
406 m_coins_to_uncache{coins_to_uncache}, m_test_accept{test_accept},
407 m_heightOverride{height_override},
408 m_package_submission{package_submission},
409 m_package_feerates(package_feerates) {}
410 };
411
412 // Single transaction acceptance
413 MempoolAcceptResult AcceptSingleTransaction(const CTransactionRef &ptx,
414 ATMPArgs &args)
416
424 AcceptMultipleTransactions(const std::vector<CTransactionRef> &txns,
425 ATMPArgs &args)
427
441 AcceptSubPackage(const std::vector<CTransactionRef> &subpackage,
442 ATMPArgs &args)
444
450 PackageMempoolAcceptResult AcceptPackage(const Package &package,
451 ATMPArgs &args)
453
454private:
455 // All the intermediate state that gets passed between the various levels
456 // of checking a given transaction.
457 struct Workspace {
458 Workspace(const CTransactionRef &ptx,
459 const uint32_t next_block_script_verify_flags)
460 : m_ptx(ptx),
461 m_next_block_script_verify_flags(next_block_script_verify_flags) {
462 }
468 std::unique_ptr<CTxMemPoolEntry> m_entry;
469
474 int64_t m_vsize;
479 Amount m_base_fees;
480
485 Amount m_modified_fees;
486
493 CFeeRate m_package_feerate{Amount::zero()};
494
495 const CTransactionRef &m_ptx;
496 TxValidationState m_state;
502 PrecomputedTransactionData m_precomputed_txdata;
503
504 // ABC specific flags that are used in both PreChecks and
505 // ConsensusScriptChecks
506 const uint32_t m_next_block_script_verify_flags;
507 int m_sig_checks_standard;
508 };
509
510 // Run the policy checks on a given transaction, excluding any script
511 // checks. Looks up inputs, calculates feerate, considers replacement,
512 // evaluates package limits, etc. As this function can be invoked for "free"
513 // by a peer, only tests that are fast should be done here (to avoid CPU
514 // DoS).
515 bool PreChecks(ATMPArgs &args, Workspace &ws)
517
518 // Re-run the script checks, using consensus flags, and try to cache the
519 // result in the scriptcache. This should be done after
520 // PolicyScriptChecks(). This requires that all inputs either be in our
521 // utxo set or in the mempool.
522 bool ConsensusScriptChecks(const ATMPArgs &args, Workspace &ws)
524
525 // Try to add the transaction to the mempool, removing any conflicts first.
526 // Returns true if the transaction is in the mempool after any size
527 // limiting is performed, false otherwise.
528 bool Finalize(const ATMPArgs &args, Workspace &ws)
530
531 // Submit all transactions to the mempool and call ConsensusScriptChecks to
532 // add to the script cache - should only be called after successful
533 // validation of all transactions in the package.
534 // Does not call LimitMempoolSize(), so mempool max_size_bytes may be
535 // temporarily exceeded.
536 bool SubmitPackage(const ATMPArgs &args, std::vector<Workspace> &workspaces,
537 PackageValidationState &package_state,
538 std::map<TxId, MempoolAcceptResult> &results)
540
541 // Compare a package's feerate against minimum allowed.
542 bool CheckFeeRate(size_t package_size, size_t package_vsize,
543 Amount package_fee, TxValidationState &state)
546 AssertLockHeld(m_pool.cs);
547
548 const Amount mempoolRejectFee =
549 m_pool.GetMinFee().GetFee(package_vsize);
550
551 if (mempoolRejectFee > Amount::zero() &&
552 package_fee < mempoolRejectFee) {
553 return state.Invalid(
555 "mempool min fee not met",
556 strprintf("%d < %d", package_fee, mempoolRejectFee));
557 }
558
559 // Do not change this to use virtualsize without coordinating a network
560 // policy upgrade.
561 if (package_fee < m_pool.m_min_relay_feerate.GetFee(package_size)) {
562 return state.Invalid(
564 "min relay fee not met",
565 strprintf("%d < %d", package_fee,
566 m_pool.m_min_relay_feerate.GetFee(package_size)));
567 }
568
569 return true;
570 }
571
572private:
573 CTxMemPool &m_pool;
574 CCoinsViewCache m_view;
575 CCoinsViewMemPool m_viewmempool;
576 CCoinsView m_dummy;
577
578 Chainstate &m_active_chainstate;
579};
580
581bool MemPoolAccept::PreChecks(ATMPArgs &args, Workspace &ws) {
583 AssertLockHeld(m_pool.cs);
584 const CTransactionRef &ptx = ws.m_ptx;
585 const CTransaction &tx = *ws.m_ptx;
586 const TxId &txid = ws.m_ptx->GetId();
587
588 // Copy/alias what we need out of args
589 const int64_t nAcceptTime = args.m_accept_time;
590 const bool bypass_limits = args.m_bypass_limits;
591 std::vector<COutPoint> &coins_to_uncache = args.m_coins_to_uncache;
592 const unsigned int heightOverride = args.m_heightOverride;
593
594 // Alias what we need out of ws
595 TxValidationState &state = ws.m_state;
596 // Coinbase is only valid in a block, not as a loose transaction.
597 if (!CheckRegularTransaction(tx, state)) {
598 // state filled in by CheckRegularTransaction.
599 return false;
600 }
601
602 // Rather not work on nonstandard transactions (unless -testnet)
603 std::string reason;
604 if (m_pool.m_require_standard &&
605 !IsStandardTx(tx, m_pool.m_max_datacarrier_bytes,
606 m_pool.m_permit_bare_multisig,
607 m_pool.m_dust_relay_feerate, reason)) {
608 return state.Invalid(TxValidationResult::TX_NOT_STANDARD, reason);
609 }
610
611 // Only accept nLockTime-using transactions that can be mined in the next
612 // block; we don't want our mempool filled up with transactions that can't
613 // be mined yet.
614 TxValidationState ctxState;
616 *Assert(m_active_chainstate.m_chain.Tip()),
617 args.m_config.GetChainParams().GetConsensus(), tx, ctxState)) {
618 // We copy the state from a dummy to ensure we don't increase the
619 // ban score of peer for transaction that could be valid in the future.
621 ctxState.GetRejectReason(),
622 ctxState.GetDebugMessage());
623 }
624
625 // Is it already in the memory pool?
626 if (m_pool.exists(txid)) {
628 "txn-already-in-mempool");
629 }
630
631 // Check for conflicts with in-memory transactions
632 for (const CTxIn &txin : tx.vin) {
633 if (const auto ptxConflicting = m_pool.GetConflictTx(txin.prevout)) {
634 if (m_pool.isAvalancheFinalized(ptxConflicting->GetId())) {
636 "finalized-tx-conflict");
637 }
638
639 return state.Invalid(
641 "txn-mempool-conflict");
642 }
643 }
644
645 m_view.SetBackend(m_viewmempool);
646
647 const CCoinsViewCache &coins_cache = m_active_chainstate.CoinsTip();
648 // Do all inputs exist?
649 for (const CTxIn &txin : tx.vin) {
650 if (!coins_cache.HaveCoinInCache(txin.prevout)) {
651 coins_to_uncache.push_back(txin.prevout);
652 }
653
654 // Note: this call may add txin.prevout to the coins cache
655 // (coins_cache.cacheCoins) by way of FetchCoin(). It should be
656 // removed later (via coins_to_uncache) if this tx turns out to be
657 // invalid.
658 if (!m_view.HaveCoin(txin.prevout)) {
659 // Are inputs missing because we already have the tx?
660 for (size_t out = 0; out < tx.vout.size(); out++) {
661 // Optimistically just do efficient check of cache for
662 // outputs.
663 if (coins_cache.HaveCoinInCache(COutPoint(txid, out))) {
665 "txn-already-known");
666 }
667 }
668
669 // Otherwise assume this might be an orphan tx for which we just
670 // haven't seen parents yet.
672 "bad-txns-inputs-missingorspent");
673 }
674 }
675
676 // Are the actual inputs available?
677 if (!m_view.HaveInputs(tx)) {
679 "bad-txns-inputs-spent");
680 }
681
682 // Bring the best block into scope.
683 m_view.GetBestBlock();
684
685 // we have all inputs cached now, so switch back to dummy (to protect
686 // against bugs where we pull more inputs from disk that miss being
687 // added to coins_to_uncache)
688 m_view.SetBackend(m_dummy);
689
690 assert(m_active_chainstate.m_blockman.LookupBlockIndex(
691 m_view.GetBestBlock()) == m_active_chainstate.m_chain.Tip());
692
693 // Only accept BIP68 sequence locked transactions that can be mined in
694 // the next block; we don't want our mempool filled up with transactions
695 // that can't be mined yet.
696 // Pass in m_view which has all of the relevant inputs cached. Note that,
697 // since m_view's backend was removed, it no longer pulls coins from the
698 // mempool.
699 const std::optional<LockPoints> lock_points{CalculateLockPointsAtTip(
700 m_active_chainstate.m_chain.Tip(), m_view, tx)};
701 if (!lock_points.has_value() ||
702 !CheckSequenceLocksAtTip(m_active_chainstate.m_chain.Tip(),
703 *lock_points)) {
705 "non-BIP68-final");
706 }
707
708 // The mempool holds txs for the next block, so pass height+1 to
709 // CheckTxInputs
710 if (!Consensus::CheckTxInputs(tx, state, m_view,
711 m_active_chainstate.m_chain.Height() + 1,
712 ws.m_base_fees)) {
713 // state filled in by CheckTxInputs
714 return false;
715 }
716
717 // Check for non-standard pay-to-script-hash in inputs
718 if (m_pool.m_require_standard &&
719 !AreInputsStandard(tx, m_view, ws.m_next_block_script_verify_flags)) {
721 "bad-txns-nonstandard-inputs");
722 }
723
724 // ws.m_modified_fess includes any fee deltas from PrioritiseTransaction
725 ws.m_modified_fees = ws.m_base_fees;
726 m_pool.ApplyDelta(txid, ws.m_modified_fees);
727
728 unsigned int nSize = tx.GetTotalSize();
729
730 // Validate input scripts against standard script flags.
731 const uint32_t scriptVerifyFlags =
732 ws.m_next_block_script_verify_flags | STANDARD_SCRIPT_VERIFY_FLAGS;
733 ws.m_precomputed_txdata = PrecomputedTransactionData{tx};
734 if (!CheckInputScripts(tx, state, m_view, scriptVerifyFlags, true, false,
735 ws.m_precomputed_txdata, ws.m_sig_checks_standard)) {
736 // State filled in by CheckInputScripts
737 return false;
738 }
739
740 ws.m_entry = std::make_unique<CTxMemPoolEntry>(
741 ptx, ws.m_base_fees, nAcceptTime,
742 heightOverride ? heightOverride : m_active_chainstate.m_chain.Height(),
743 ws.m_sig_checks_standard, lock_points.value());
744
745 ws.m_vsize = ws.m_entry->GetTxVirtualSize();
746
747 // No individual transactions are allowed below the min relay feerate except
748 // from disconnected blocks. This requirement, unlike CheckFeeRate, cannot
749 // be bypassed using m_package_feerates because, while a tx could be package
750 // CPFP'd when entering the mempool, we do not have a DoS-resistant method
751 // of ensuring the tx remains bumped. For example, the fee-bumping child
752 // could disappear due to a replacement.
753 if (!bypass_limits &&
754 ws.m_modified_fees <
755 m_pool.m_min_relay_feerate.GetFee(ws.m_ptx->GetTotalSize())) {
756 // Even though this is a fee-related failure, this result is
757 // TX_MEMPOOL_POLICY, not TX_PACKAGE_RECONSIDERABLE, because it cannot
758 // be bypassed using package validation.
759 return state.Invalid(
760 TxValidationResult::TX_MEMPOOL_POLICY, "min relay fee not met",
761 strprintf("%d < %d", ws.m_modified_fees,
762 m_pool.m_min_relay_feerate.GetFee(nSize)));
763 }
764 // No individual transactions are allowed below the mempool min feerate
765 // except from disconnected blocks and transactions in a package. Package
766 // transactions will be checked using package feerate later.
767 if (!bypass_limits && !args.m_package_feerates &&
768 !CheckFeeRate(nSize, ws.m_vsize, ws.m_modified_fees, state)) {
769 return false;
770 }
771
772 return true;
773}
774
775bool MemPoolAccept::ConsensusScriptChecks(const ATMPArgs &args, Workspace &ws) {
777 AssertLockHeld(m_pool.cs);
778 const CTransaction &tx = *ws.m_ptx;
779 const TxId &txid = tx.GetId();
780 TxValidationState &state = ws.m_state;
781
782 // Check again against the next block's script verification flags
783 // to cache our script execution flags.
784 //
785 // This is also useful in case of bugs in the standard flags that cause
786 // transactions to pass as valid when they're actually invalid. For
787 // instance the STRICTENC flag was incorrectly allowing certain CHECKSIG
788 // NOT scripts to pass, even though they were invalid.
789 //
790 // There is a similar check in CreateNewBlock() to prevent creating
791 // invalid blocks (using TestBlockValidity), however allowing such
792 // transactions into the mempool can be exploited as a DoS attack.
793 int nSigChecksConsensus;
795 tx, state, m_view, m_pool, ws.m_next_block_script_verify_flags,
796 ws.m_precomputed_txdata, nSigChecksConsensus,
797 m_active_chainstate.CoinsTip())) {
798 // This can occur under some circumstances, if the node receives an
799 // unrequested tx which is invalid due to new consensus rules not
800 // being activated yet (during IBD).
801 LogPrintf("BUG! PLEASE REPORT THIS! CheckInputScripts failed against "
802 "latest-block but not STANDARD flags %s, %s\n",
803 txid.ToString(), state.ToString());
804 return Assume(false);
805 }
806
807 if (ws.m_sig_checks_standard != nSigChecksConsensus) {
808 // We can't accept this transaction as we've used the standard count
809 // for the mempool/mining, but the consensus count will be enforced
810 // in validation (we don't want to produce bad block templates).
811 return error(
812 "%s: BUG! PLEASE REPORT THIS! SigChecks count differed between "
813 "standard and consensus flags in %s",
814 __func__, txid.ToString());
815 }
816 return true;
817}
818
819// Get the coins spent by ptx from the coins_view. Assumes coins are present.
820static std::vector<Coin> getSpentCoins(const CTransactionRef &ptx,
821 const CCoinsViewCache &coins_view) {
822 std::vector<Coin> spent_coins;
823 spent_coins.reserve(ptx->vin.size());
824 for (const CTxIn &input : ptx->vin) {
825 Coin coin;
826 const bool coinFound = coins_view.GetCoin(input.prevout, coin);
827 Assume(coinFound);
828 spent_coins.push_back(std::move(coin));
829 }
830 return spent_coins;
831}
832
833bool MemPoolAccept::Finalize(const ATMPArgs &args, Workspace &ws) {
835 AssertLockHeld(m_pool.cs);
836 const TxId &txid = ws.m_ptx->GetId();
837 TxValidationState &state = ws.m_state;
838 const bool bypass_limits = args.m_bypass_limits;
839
840 // Store transaction in memory
841 CTxMemPoolEntry *pentry = ws.m_entry.release();
842 auto entry = CTxMemPoolEntryRef::acquire(pentry);
843 m_pool.addUnchecked(entry);
844
846 ws.m_ptx,
847 std::make_shared<const std::vector<Coin>>(
848 getSpentCoins(ws.m_ptx, m_view)),
849 m_pool.GetAndIncrementSequence());
850
851 // Trim mempool and check if tx was trimmed.
852 // If we are validating a package, don't trim here because we could evict a
853 // previous transaction in the package. LimitMempoolSize() should be called
854 // at the very end to make sure the mempool is still within limits and
855 // package submission happens atomically.
856 if (!args.m_package_submission && !bypass_limits) {
857 m_pool.LimitSize(m_active_chainstate.CoinsTip());
858 if (!m_pool.exists(txid)) {
859 // The tx no longer meets our (new) mempool minimum feerate but
860 // could be reconsidered in a package.
862 "mempool full");
863 }
864 }
865 return true;
866}
867
868bool MemPoolAccept::SubmitPackage(
869 const ATMPArgs &args, std::vector<Workspace> &workspaces,
870 PackageValidationState &package_state,
871 std::map<TxId, MempoolAcceptResult> &results) {
873 AssertLockHeld(m_pool.cs);
874 // Sanity check: none of the transactions should be in the mempool.
875 assert(std::all_of(
876 workspaces.cbegin(), workspaces.cend(),
877 [this](const auto &ws) { return !m_pool.exists(ws.m_ptx->GetId()); }));
878
879 bool all_submitted = true;
880 // ConsensusScriptChecks adds to the script cache and is therefore
881 // consensus-critical; CheckInputsFromMempoolAndCache asserts that
882 // transactions only spend coins available from the mempool or UTXO set.
883 // Submit each transaction to the mempool immediately after calling
884 // ConsensusScriptChecks to make the outputs available for subsequent
885 // transactions.
886 for (Workspace &ws : workspaces) {
887 if (!ConsensusScriptChecks(args, ws)) {
888 results.emplace(ws.m_ptx->GetId(),
889 MempoolAcceptResult::Failure(ws.m_state));
890 // Since PreChecks() passed, this should never fail.
891 all_submitted = false;
892 package_state.Invalid(
894 strprintf("BUG! PolicyScriptChecks succeeded but "
895 "ConsensusScriptChecks failed: %s",
896 ws.m_ptx->GetId().ToString()));
897 }
898
899 // If we call LimitMempoolSize() for each individual Finalize(), the
900 // mempool will not take the transaction's descendant feerate into
901 // account because it hasn't seen them yet. Also, we risk evicting a
902 // transaction that a subsequent package transaction depends on.
903 // Instead, allow the mempool to temporarily bypass limits, the maximum
904 // package size) while submitting transactions individually and then
905 // trim at the very end.
906 if (!Finalize(args, ws)) {
907 results.emplace(ws.m_ptx->GetId(),
908 MempoolAcceptResult::Failure(ws.m_state));
909 // Since LimitMempoolSize() won't be called, this should never fail.
910 all_submitted = false;
912 strprintf("BUG! Adding to mempool failed: %s",
913 ws.m_ptx->GetId().ToString()));
914 }
915 }
916
917 // It may or may not be the case that all the transactions made it into the
918 // mempool. Regardless, make sure we haven't exceeded max mempool size.
919 m_pool.LimitSize(m_active_chainstate.CoinsTip());
920
921 std::vector<TxId> all_package_txids;
922 all_package_txids.reserve(workspaces.size());
923 std::transform(workspaces.cbegin(), workspaces.cend(),
924 std::back_inserter(all_package_txids),
925 [](const auto &ws) { return ws.m_ptx->GetId(); });
926
927 // Add successful results. The returned results may change later if
928 // LimitMempoolSize() evicts them.
929 for (Workspace &ws : workspaces) {
930 const auto effective_feerate =
931 args.m_package_feerates
932 ? ws.m_package_feerate
933 : CFeeRate{ws.m_modified_fees,
934 static_cast<uint32_t>(ws.m_vsize)};
935 const auto effective_feerate_txids =
936 args.m_package_feerates ? all_package_txids
937 : std::vector<TxId>({ws.m_ptx->GetId()});
938 results.emplace(ws.m_ptx->GetId(),
939 MempoolAcceptResult::Success(ws.m_vsize, ws.m_base_fees,
940 effective_feerate,
941 effective_feerate_txids));
942 }
943 return all_submitted;
944}
945
947MemPoolAccept::AcceptSingleTransaction(const CTransactionRef &ptx,
948 ATMPArgs &args) {
950 // mempool "read lock" (held through
951 // GetMainSignals().TransactionAddedToMempool())
952 LOCK(m_pool.cs);
953
954 const CBlockIndex *tip = m_active_chainstate.m_chain.Tip();
955
956 Workspace ws(ptx,
957 GetNextBlockScriptFlags(tip, m_active_chainstate.m_chainman));
958
959 const std::vector<TxId> single_txid{ws.m_ptx->GetId()};
960
961 // Perform the inexpensive checks first and avoid hashing and signature
962 // verification unless those checks pass, to mitigate CPU exhaustion
963 // denial-of-service attacks.
964 if (!PreChecks(args, ws)) {
965 if (ws.m_state.GetResult() ==
967 // Failed for fee reasons. Provide the effective feerate and which
968 // tx was included.
970 ws.m_state, CFeeRate(ws.m_modified_fees, ws.m_vsize),
971 single_txid);
972 }
973 return MempoolAcceptResult::Failure(ws.m_state);
974 }
975
976 if (!ConsensusScriptChecks(args, ws)) {
977 return MempoolAcceptResult::Failure(ws.m_state);
978 }
979
980 const TxId txid = ptx->GetId();
981
982 // Mempool sanity check -- in our new mempool no tx can be added if its
983 // outputs are already spent in the mempool (that is, no children before
984 // parents allowed; the mempool must be consistent at all times).
985 //
986 // This means that on reorg, the disconnectpool *must* always import
987 // the existing mempool tx's, clear the mempool, and then re-add
988 // remaining tx's in topological order via this function. Our new mempool
989 // has fast adds, so this is ok.
990 if (auto it = m_pool.mapNextTx.lower_bound(COutPoint{txid, 0});
991 it != m_pool.mapNextTx.end() && it->first->GetTxId() == txid) {
992 LogPrintf("%s: BUG! PLEASE REPORT THIS! Attempt to add txid %s, but "
993 "its outputs are already spent in the "
994 "mempool\n",
995 __func__, txid.ToString());
997 "txn-child-before-parent");
998 return MempoolAcceptResult::Failure(ws.m_state);
999 }
1000
1001 const CFeeRate effective_feerate{ws.m_modified_fees,
1002 static_cast<uint32_t>(ws.m_vsize)};
1003 // Tx was accepted, but not added
1004 if (args.m_test_accept) {
1005 return MempoolAcceptResult::Success(ws.m_vsize, ws.m_base_fees,
1006 effective_feerate, single_txid);
1007 }
1008
1009 if (!Finalize(args, ws)) {
1010 // The only possible failure reason is fee-related (mempool full).
1011 // Failed for fee reasons. Provide the effective feerate and which txns
1012 // were included.
1013 Assume(ws.m_state.GetResult() ==
1016 ws.m_state, CFeeRate(ws.m_modified_fees, ws.m_vsize), single_txid);
1017 }
1018
1019 return MempoolAcceptResult::Success(ws.m_vsize, ws.m_base_fees,
1020 effective_feerate, single_txid);
1021}
1022
1023PackageMempoolAcceptResult MemPoolAccept::AcceptMultipleTransactions(
1024 const std::vector<CTransactionRef> &txns, ATMPArgs &args) {
1026
1027 // These context-free package limits can be done before taking the mempool
1028 // lock.
1029 PackageValidationState package_state;
1030 if (!CheckPackage(txns, package_state)) {
1031 return PackageMempoolAcceptResult(package_state, {});
1032 }
1033
1034 std::vector<Workspace> workspaces{};
1035 workspaces.reserve(txns.size());
1036 std::transform(
1037 txns.cbegin(), txns.cend(), std::back_inserter(workspaces),
1038 [this](const auto &tx) {
1039 return Workspace(
1040 tx, GetNextBlockScriptFlags(m_active_chainstate.m_chain.Tip(),
1041 m_active_chainstate.m_chainman));
1042 });
1043 std::map<TxId, MempoolAcceptResult> results;
1044
1045 LOCK(m_pool.cs);
1046
1047 // Do all PreChecks first and fail fast to avoid running expensive script
1048 // checks when unnecessary.
1049 std::vector<TxId> valid_txids;
1050 for (Workspace &ws : workspaces) {
1051 if (!PreChecks(args, ws)) {
1053 "transaction failed");
1054 // Exit early to avoid doing pointless work. Update the failed tx
1055 // result; the rest are unfinished.
1056 results.emplace(ws.m_ptx->GetId(),
1057 MempoolAcceptResult::Failure(ws.m_state));
1058 return PackageMempoolAcceptResult(package_state,
1059 std::move(results));
1060 }
1061 // Make the coins created by this transaction available for subsequent
1062 // transactions in the package to spend.
1063 m_viewmempool.PackageAddTransaction(ws.m_ptx);
1064 valid_txids.push_back(ws.m_ptx->GetId());
1065 }
1066
1067 // Transactions must meet two minimum feerates: the mempool minimum fee and
1068 // min relay fee. For transactions consisting of exactly one child and its
1069 // parents, it suffices to use the package feerate
1070 // (total modified fees / total size or vsize) to check this requirement.
1071 // Note that this is an aggregate feerate; this function has not checked
1072 // that there are transactions too low feerate to pay for themselves, or
1073 // that the child transactions are higher feerate than their parents. Using
1074 // aggregate feerate may allow "parents pay for child" behavior and permit
1075 // a child that is below mempool minimum feerate. To avoid these behaviors,
1076 // callers of AcceptMultipleTransactions need to restrict txns topology
1077 // (e.g. to ancestor sets) and check the feerates of individuals and
1078 // subsets.
1079 const auto m_total_size = std::accumulate(
1080 workspaces.cbegin(), workspaces.cend(), int64_t{0},
1081 [](int64_t sum, auto &ws) { return sum + ws.m_ptx->GetTotalSize(); });
1082 const auto m_total_vsize =
1083 std::accumulate(workspaces.cbegin(), workspaces.cend(), int64_t{0},
1084 [](int64_t sum, auto &ws) { return sum + ws.m_vsize; });
1085 const auto m_total_modified_fees = std::accumulate(
1086 workspaces.cbegin(), workspaces.cend(), Amount::zero(),
1087 [](Amount sum, auto &ws) { return sum + ws.m_modified_fees; });
1088 const CFeeRate package_feerate(m_total_modified_fees, m_total_vsize);
1089 std::vector<TxId> all_package_txids;
1090 all_package_txids.reserve(workspaces.size());
1091 std::transform(workspaces.cbegin(), workspaces.cend(),
1092 std::back_inserter(all_package_txids),
1093 [](const auto &ws) { return ws.m_ptx->GetId(); });
1094 TxValidationState placeholder_state;
1095 if (args.m_package_feerates &&
1096 !CheckFeeRate(m_total_size, m_total_vsize, m_total_modified_fees,
1097 placeholder_state)) {
1099 "transaction failed");
1101 package_state, {{workspaces.back().m_ptx->GetId(),
1103 placeholder_state,
1104 CFeeRate(m_total_modified_fees, m_total_vsize),
1105 all_package_txids)}});
1106 }
1107
1108 for (Workspace &ws : workspaces) {
1109 ws.m_package_feerate = package_feerate;
1110 const TxId &ws_txid = ws.m_ptx->GetId();
1111 if (args.m_test_accept &&
1112 std::find(valid_txids.begin(), valid_txids.end(), ws_txid) !=
1113 valid_txids.end()) {
1114 const auto effective_feerate =
1115 args.m_package_feerates
1116 ? ws.m_package_feerate
1117 : CFeeRate{ws.m_modified_fees,
1118 static_cast<uint32_t>(ws.m_vsize)};
1119 const auto effective_feerate_txids =
1120 args.m_package_feerates ? all_package_txids
1121 : std::vector<TxId>{ws.m_ptx->GetId()};
1122 // When test_accept=true, transactions that pass PreChecks
1123 // are valid because there are no further mempool checks (passing
1124 // PreChecks implies passing ConsensusScriptChecks).
1125 results.emplace(ws_txid,
1127 ws.m_vsize, ws.m_base_fees, effective_feerate,
1128 effective_feerate_txids));
1129 }
1130 }
1131
1132 if (args.m_test_accept) {
1133 return PackageMempoolAcceptResult(package_state, std::move(results));
1134 }
1135
1136 if (!SubmitPackage(args, workspaces, package_state, results)) {
1137 // PackageValidationState filled in by SubmitPackage().
1138 return PackageMempoolAcceptResult(package_state, std::move(results));
1139 }
1140
1141 return PackageMempoolAcceptResult(package_state, std::move(results));
1142}
1143
1145MemPoolAccept::AcceptSubPackage(const std::vector<CTransactionRef> &subpackage,
1146 ATMPArgs &args) {
1148 AssertLockHeld(m_pool.cs);
1149
1150 auto result = [&]() EXCLUSIVE_LOCKS_REQUIRED(::cs_main, m_pool.cs) {
1151 if (subpackage.size() > 1) {
1152 return AcceptMultipleTransactions(subpackage, args);
1153 }
1154 const auto &tx = subpackage.front();
1155 ATMPArgs single_args = ATMPArgs::SingleInPackageAccept(args);
1156 const auto single_res = AcceptSingleTransaction(tx, single_args);
1157 PackageValidationState package_state_wrapped;
1158 if (single_res.m_result_type !=
1160 package_state_wrapped.Invalid(PackageValidationResult::PCKG_TX,
1161 "transaction failed");
1162 }
1163 return PackageMempoolAcceptResult(package_state_wrapped,
1164 {{tx->GetId(), single_res}});
1165 }();
1166
1167 // Clean up m_view and m_viewmempool so that other subpackage evaluations
1168 // don't have access to coins they shouldn't. Keep some coins in order to
1169 // minimize re-fetching coins from the UTXO set.
1170 //
1171 // There are 3 kinds of coins in m_view:
1172 // (1) Temporary coins from the transactions in subpackage, constructed by
1173 // m_viewmempool.
1174 // (2) Mempool coins from transactions in the mempool, constructed by
1175 // m_viewmempool.
1176 // (3) Confirmed coins fetched from our current UTXO set.
1177 //
1178 // (1) Temporary coins need to be removed, regardless of whether the
1179 // transaction was submitted. If the transaction was submitted to the
1180 // mempool, m_viewmempool will be able to fetch them from there. If it
1181 // wasn't submitted to mempool, it is incorrect to keep them - future calls
1182 // may try to spend those coins that don't actually exist.
1183 // (2) Mempool coins also need to be removed. If the mempool contents have
1184 // changed as a result of submitting or replacing transactions, coins
1185 // previously fetched from mempool may now be spent or nonexistent. Those
1186 // coins need to be deleted from m_view.
1187 // (3) Confirmed coins don't need to be removed. The chainstate has not
1188 // changed (we are holding cs_main and no blocks have been processed) so the
1189 // confirmed tx cannot disappear like a mempool tx can. The coin may now be
1190 // spent after we submitted a tx to mempool, but we have already checked
1191 // that the package does not have 2 transactions spending the same coin.
1192 // Keeping them in m_view is an optimization to not re-fetch confirmed coins
1193 // if we later look up inputs for this transaction again.
1194 for (const auto &outpoint : m_viewmempool.GetNonBaseCoins()) {
1195 // In addition to resetting m_viewmempool, we also need to manually
1196 // delete these coins from m_view because it caches copies of the coins
1197 // it fetched from m_viewmempool previously.
1198 m_view.Uncache(outpoint);
1199 }
1200 // This deletes the temporary and mempool coins.
1201 m_viewmempool.Reset();
1202 return result;
1203}
1204
1205PackageMempoolAcceptResult MemPoolAccept::AcceptPackage(const Package &package,
1206 ATMPArgs &args) {
1208 // Used if returning a PackageMempoolAcceptResult directly from this
1209 // function.
1210 PackageValidationState package_state_quit_early;
1211
1212 // Check that the package is well-formed. If it isn't, we won't try to
1213 // validate any of the transactions and thus won't return any
1214 // MempoolAcceptResults, just a package-wide error.
1215
1216 // Context-free package checks.
1217 if (!CheckPackage(package, package_state_quit_early)) {
1218 return PackageMempoolAcceptResult(package_state_quit_early, {});
1219 }
1220
1221 // All transactions in the package must be a parent of the last transaction.
1222 // This is just an opportunity for us to fail fast on a context-free check
1223 // without taking the mempool lock.
1224 if (!IsChildWithParents(package)) {
1225 package_state_quit_early.Invalid(PackageValidationResult::PCKG_POLICY,
1226 "package-not-child-with-parents");
1227 return PackageMempoolAcceptResult(package_state_quit_early, {});
1228 }
1229
1230 // IsChildWithParents() guarantees the package is > 1 transactions.
1231 assert(package.size() > 1);
1232 // The package must be 1 child with all of its unconfirmed parents. The
1233 // package is expected to be sorted, so the last transaction is the child.
1234 const auto &child = package.back();
1235 std::unordered_set<TxId, SaltedTxIdHasher> unconfirmed_parent_txids;
1236 std::transform(
1237 package.cbegin(), package.cend() - 1,
1238 std::inserter(unconfirmed_parent_txids, unconfirmed_parent_txids.end()),
1239 [](const auto &tx) { return tx->GetId(); });
1240
1241 // All child inputs must refer to a preceding package transaction or a
1242 // confirmed UTXO. The only way to verify this is to look up the child's
1243 // inputs in our current coins view (not including mempool), and enforce
1244 // that all parents not present in the package be available at chain tip.
1245 // Since this check can bring new coins into the coins cache, keep track of
1246 // these coins and uncache them if we don't end up submitting this package
1247 // to the mempool.
1248 const CCoinsViewCache &coins_tip_cache = m_active_chainstate.CoinsTip();
1249 for (const auto &input : child->vin) {
1250 if (!coins_tip_cache.HaveCoinInCache(input.prevout)) {
1251 args.m_coins_to_uncache.push_back(input.prevout);
1252 }
1253 }
1254 // Using the MemPoolAccept m_view cache allows us to look up these same
1255 // coins faster later. This should be connecting directly to CoinsTip, not
1256 // to m_viewmempool, because we specifically require inputs to be confirmed
1257 // if they aren't in the package.
1258 m_view.SetBackend(m_active_chainstate.CoinsTip());
1259 const auto package_or_confirmed = [this, &unconfirmed_parent_txids](
1260 const auto &input) {
1261 return unconfirmed_parent_txids.count(input.prevout.GetTxId()) > 0 ||
1262 m_view.HaveCoin(input.prevout);
1263 };
1264 if (!std::all_of(child->vin.cbegin(), child->vin.cend(),
1265 package_or_confirmed)) {
1266 package_state_quit_early.Invalid(
1268 "package-not-child-with-unconfirmed-parents");
1269 return PackageMempoolAcceptResult(package_state_quit_early, {});
1270 }
1271 // Protect against bugs where we pull more inputs from disk that miss being
1272 // added to coins_to_uncache. The backend will be connected again when
1273 // needed in PreChecks.
1274 m_view.SetBackend(m_dummy);
1275
1276 LOCK(m_pool.cs);
1277 // Stores results from which we will create the returned
1278 // PackageMempoolAcceptResult. A result may be changed if a mempool
1279 // transaction is evicted later due to LimitMempoolSize().
1280 std::map<TxId, MempoolAcceptResult> results_final;
1281 // Results from individual validation which will be returned if no other
1282 // result is available for this transaction. "Nonfinal" because if a
1283 // transaction fails by itself but succeeds later (i.e. when evaluated with
1284 // a fee-bumping child), the result in this map may be discarded.
1285 std::map<TxId, MempoolAcceptResult> individual_results_nonfinal;
1286 bool quit_early{false};
1287 std::vector<CTransactionRef> txns_package_eval;
1288 for (const auto &tx : package) {
1289 const auto &txid = tx->GetId();
1290 // An already confirmed tx is treated as one not in mempool, because all
1291 // we know is that the inputs aren't available.
1292 if (m_pool.exists(txid)) {
1293 // Exact transaction already exists in the mempool.
1294 // Node operators are free to set their mempool policies however
1295 // they please, nodes may receive transactions in different orders,
1296 // and malicious counterparties may try to take advantage of policy
1297 // differences to pin or delay propagation of transactions. As such,
1298 // it's possible for some package transaction(s) to already be in
1299 // the mempool, and we don't want to reject the entire package in
1300 // that case (as that could be a censorship vector). De-duplicate
1301 // the transactions that are already in the mempool, and only call
1302 // AcceptMultipleTransactions() with the new transactions. This
1303 // ensures we don't double-count transaction counts and sizes when
1304 // checking ancestor/descendant limits, or double-count transaction
1305 // fees for fee-related policy.
1306 auto iter = m_pool.GetIter(txid);
1307 assert(iter != std::nullopt);
1308 results_final.emplace(txid, MempoolAcceptResult::MempoolTx(
1309 (*iter.value())->GetTxSize(),
1310 (*iter.value())->GetFee()));
1311 } else {
1312 // Transaction does not already exist in the mempool.
1313 // Try submitting the transaction on its own.
1314 const auto single_package_res = AcceptSubPackage({tx}, args);
1315 const auto &single_res = single_package_res.m_tx_results.at(txid);
1316 if (single_res.m_result_type ==
1318 // The transaction succeeded on its own and is now in the
1319 // mempool. Don't include it in package validation, because its
1320 // fees should only be "used" once.
1321 assert(m_pool.exists(txid));
1322 results_final.emplace(txid, single_res);
1323 } else if (single_res.m_state.GetResult() !=
1325 single_res.m_state.GetResult() !=
1327 // Package validation policy only differs from individual policy
1328 // in its evaluation of feerate. For example, if a transaction
1329 // fails here due to violation of a consensus rule, the result
1330 // will not change when it is submitted as part of a package. To
1331 // minimize the amount of repeated work, unless the transaction
1332 // fails due to feerate or missing inputs (its parent is a
1333 // previous transaction in the package that failed due to
1334 // feerate), don't run package validation. Note that this
1335 // decision might not make sense if different types of packages
1336 // are allowed in the future. Continue individually validating
1337 // the rest of the transactions, because some of them may still
1338 // be valid.
1339 quit_early = true;
1340 package_state_quit_early.Invalid(
1341 PackageValidationResult::PCKG_TX, "transaction failed");
1342 individual_results_nonfinal.emplace(txid, single_res);
1343 } else {
1344 individual_results_nonfinal.emplace(txid, single_res);
1345 txns_package_eval.push_back(tx);
1346 }
1347 }
1348 }
1349
1350 auto multi_submission_result =
1351 quit_early || txns_package_eval.empty()
1352 ? PackageMempoolAcceptResult(package_state_quit_early, {})
1353 : AcceptSubPackage(txns_package_eval, args);
1354 PackageValidationState &package_state_final =
1355 multi_submission_result.m_state;
1356
1357 // Make sure we haven't exceeded max mempool size.
1358 // Package transactions that were submitted to mempool or already in mempool
1359 // may be evicted.
1360 m_pool.LimitSize(m_active_chainstate.CoinsTip());
1361
1362 for (const auto &tx : package) {
1363 const auto &txid = tx->GetId();
1364 if (multi_submission_result.m_tx_results.count(txid) > 0) {
1365 // We shouldn't have re-submitted if the tx result was already in
1366 // results_final.
1367 Assume(results_final.count(txid) == 0);
1368 // If it was submitted, check to see if the tx is still in the
1369 // mempool. It could have been evicted due to LimitMempoolSize()
1370 // above.
1371 const auto &txresult =
1372 multi_submission_result.m_tx_results.at(txid);
1373 if (txresult.m_result_type ==
1375 !m_pool.exists(txid)) {
1376 package_state_final.Invalid(PackageValidationResult::PCKG_TX,
1377 "transaction failed");
1378 TxValidationState mempool_full_state;
1379 mempool_full_state.Invalid(
1381 results_final.emplace(
1382 txid, MempoolAcceptResult::Failure(mempool_full_state));
1383 } else {
1384 results_final.emplace(txid, txresult);
1385 }
1386 } else if (const auto final_it{results_final.find(txid)};
1387 final_it != results_final.end()) {
1388 // Already-in-mempool transaction. Check to see if it's still there,
1389 // as it could have been evicted when LimitMempoolSize() was called.
1390 Assume(final_it->second.m_result_type !=
1392 Assume(individual_results_nonfinal.count(txid) == 0);
1393 if (!m_pool.exists(tx->GetId())) {
1394 package_state_final.Invalid(PackageValidationResult::PCKG_TX,
1395 "transaction failed");
1396 TxValidationState mempool_full_state;
1397 mempool_full_state.Invalid(
1399 // Replace the previous result.
1400 results_final.erase(txid);
1401 results_final.emplace(
1402 txid, MempoolAcceptResult::Failure(mempool_full_state));
1403 }
1404 } else if (const auto non_final_it{
1405 individual_results_nonfinal.find(txid)};
1406 non_final_it != individual_results_nonfinal.end()) {
1407 Assume(non_final_it->second.m_result_type ==
1409 // Interesting result from previous processing.
1410 results_final.emplace(txid, non_final_it->second);
1411 }
1412 }
1413 Assume(results_final.size() == package.size());
1414 return PackageMempoolAcceptResult(package_state_final,
1415 std::move(results_final));
1416}
1417} // namespace
1418
1420 const CTransactionRef &tx,
1421 int64_t accept_time, bool bypass_limits,
1422 bool test_accept,
1423 unsigned int heightOverride) {
1425 assert(active_chainstate.GetMempool() != nullptr);
1426 CTxMemPool &pool{*active_chainstate.GetMempool()};
1427
1428 std::vector<COutPoint> coins_to_uncache;
1429 auto args = MemPoolAccept::ATMPArgs::SingleAccept(
1430 active_chainstate.m_chainman.GetConfig(), accept_time, bypass_limits,
1431 coins_to_uncache, test_accept, heightOverride);
1432 const MempoolAcceptResult result = MemPoolAccept(pool, active_chainstate)
1433 .AcceptSingleTransaction(tx, args);
1435 // Remove coins that were not present in the coins cache before calling
1436 // ATMPW; this is to prevent memory DoS in case we receive a large
1437 // number of invalid transactions that attempt to overrun the in-memory
1438 // coins cache
1439 // (`CCoinsViewCache::cacheCoins`).
1440
1441 for (const COutPoint &outpoint : coins_to_uncache) {
1442 active_chainstate.CoinsTip().Uncache(outpoint);
1443 }
1444 }
1445
1446 // After we've (potentially) uncached entries, ensure our coins cache is
1447 // still within its size limits
1448 BlockValidationState stateDummy;
1449 active_chainstate.FlushStateToDisk(stateDummy, FlushStateMode::PERIODIC);
1450 return result;
1451}
1452
1454 CTxMemPool &pool,
1455 const Package &package,
1456 bool test_accept) {
1458 assert(!package.empty());
1459 assert(std::all_of(package.cbegin(), package.cend(),
1460 [](const auto &tx) { return tx != nullptr; }));
1461
1462 const Config &config = active_chainstate.m_chainman.GetConfig();
1463
1464 std::vector<COutPoint> coins_to_uncache;
1465 const auto result = [&]() EXCLUSIVE_LOCKS_REQUIRED(cs_main) {
1467 if (test_accept) {
1468 auto args = MemPoolAccept::ATMPArgs::PackageTestAccept(
1469 config, GetTime(), coins_to_uncache);
1470 return MemPoolAccept(pool, active_chainstate)
1471 .AcceptMultipleTransactions(package, args);
1472 } else {
1473 auto args = MemPoolAccept::ATMPArgs::PackageChildWithParents(
1474 config, GetTime(), coins_to_uncache);
1475 return MemPoolAccept(pool, active_chainstate)
1476 .AcceptPackage(package, args);
1477 }
1478 }();
1479
1480 // Uncache coins pertaining to transactions that were not submitted to the
1481 // mempool.
1482 if (test_accept || result.m_state.IsInvalid()) {
1483 for (const COutPoint &hashTx : coins_to_uncache) {
1484 active_chainstate.CoinsTip().Uncache(hashTx);
1485 }
1486 }
1487 // Ensure the coins cache is still within limits.
1488 BlockValidationState state_dummy;
1489 active_chainstate.FlushStateToDisk(state_dummy, FlushStateMode::PERIODIC);
1490 return result;
1491}
1492
1493Amount GetBlockSubsidy(int nHeight, const Consensus::Params &consensusParams) {
1494 int halvings = nHeight / consensusParams.nSubsidyHalvingInterval;
1495 // Force block reward to zero when right shift is undefined.
1496 if (halvings >= 64) {
1497 return Amount::zero();
1498 }
1499
1500 Amount nSubsidy = 50 * COIN;
1501 // Subsidy is cut in half every 210,000 blocks which will occur
1502 // approximately every 4 years.
1503 return ((nSubsidy / SATOSHI) >> halvings) * SATOSHI;
1504}
1505
1507 : m_dbview{std::move(db_params), std::move(options)},
1508 m_catcherview(&m_dbview) {}
1509
1510void CoinsViews::InitCache() {
1512 m_cacheview = std::make_unique<CCoinsViewCache>(&m_catcherview);
1513}
1514
1516 ChainstateManager &chainman,
1517 std::optional<BlockHash> from_snapshot_blockhash)
1518 : m_mempool(mempool), m_blockman(blockman), m_chainman(chainman),
1519 m_from_snapshot_blockhash(from_snapshot_blockhash) {}
1520
1521const CBlockIndex *Chainstate::SnapshotBase() {
1523 return nullptr;
1524 }
1525 if (!m_cached_snapshot_base) {
1526 m_cached_snapshot_base = Assert(
1528 }
1529 return m_cached_snapshot_base;
1530}
1531
1532void Chainstate::InitCoinsDB(size_t cache_size_bytes, bool in_memory,
1533 bool should_wipe, std::string leveldb_name) {
1535 leveldb_name += node::SNAPSHOT_CHAINSTATE_SUFFIX;
1536 }
1537
1538 m_coins_views = std::make_unique<CoinsViews>(
1539 DBParams{.path = m_chainman.m_options.datadir / leveldb_name,
1540 .cache_bytes = cache_size_bytes,
1541 .memory_only = in_memory,
1542 .wipe_data = should_wipe,
1543 .obfuscate = true,
1544 .options = m_chainman.m_options.coins_db},
1546}
1547
1548void Chainstate::InitCoinsCache(size_t cache_size_bytes) {
1550 assert(m_coins_views != nullptr);
1551 m_coinstip_cache_size_bytes = cache_size_bytes;
1552 m_coins_views->InitCache();
1553}
1554
1555// Note that though this is marked const, we may end up modifying
1556// `m_cached_finished_ibd`, which is a performance-related implementation
1557// detail. This function must be marked `const` so that `CValidationInterface`
1558// clients (which are given a `const Chainstate*`) can call it.
1559//
1561 // Optimization: pre-test latch before taking the lock.
1562 if (m_cached_finished_ibd.load(std::memory_order_relaxed)) {
1563 return false;
1564 }
1565
1566 LOCK(cs_main);
1567 if (m_cached_finished_ibd.load(std::memory_order_relaxed)) {
1568 return false;
1569 }
1570 if (m_blockman.LoadingBlocks()) {
1571 return true;
1572 }
1573 CChain &chain{ActiveChain()};
1574 if (chain.Tip() == nullptr) {
1575 return true;
1576 }
1577 if (chain.Tip()->nChainWork < MinimumChainWork()) {
1578 return true;
1579 }
1580 if (chain.Tip()->Time() < Now<NodeSeconds>() - m_options.max_tip_age) {
1581 return true;
1582 }
1583 LogPrintf("Leaving InitialBlockDownload (latching to false)\n");
1584 m_cached_finished_ibd.store(true, std::memory_order_relaxed);
1585 return false;
1586}
1587
1590
1591 // Before we get past initial download, we cannot reliably alert about forks
1592 // (we assume we don't get stuck on a fork before finishing our initial
1593 // sync)
1595 return;
1596 }
1597
1598 // If our best fork is no longer within 72 blocks (+/- 12 hours if no one
1599 // mines it) of our head, or if it is back on the active chain, drop it
1602 m_best_fork_tip = nullptr;
1603 }
1604
1605 if (m_best_fork_tip ||
1606 (m_chainman.m_best_invalid &&
1607 m_chainman.m_best_invalid->nChainWork >
1608 m_chain.Tip()->nChainWork + (GetBlockProof(*m_chain.Tip()) * 6))) {
1610 std::string warning =
1611 std::string("'Warning: Large-work fork detected, forking after "
1612 "block ") +
1613 m_best_fork_base->phashBlock->ToString() + std::string("'");
1615 }
1616
1618 LogPrintf("%s: Warning: Large fork found\n forking the "
1619 "chain at height %d (%s)\n lasting to height %d "
1620 "(%s).\nChain state database corruption likely.\n",
1621 __func__, m_best_fork_base->nHeight,
1626 } else {
1627 LogPrintf("%s: Warning: Found invalid chain at least ~6 blocks "
1628 "longer than our best chain.\nChain state database "
1629 "corruption likely.\n",
1630 __func__);
1632 }
1633 } else {
1636 }
1637}
1638
1640 CBlockIndex *pindexNewForkTip) {
1642
1643 // If we are on a fork that is sufficiently large, set a warning flag.
1644 const CBlockIndex *pfork = m_chain.FindFork(pindexNewForkTip);
1645
1646 // We define a condition where we should warn the user about as a fork of at
1647 // least 7 blocks with a tip within 72 blocks (+/- 12 hours if no one mines
1648 // it) of ours. We use 7 blocks rather arbitrarily as it represents just
1649 // under 10% of sustained network hash rate operating on the fork, or a
1650 // chain that is entirely longer than ours and invalid (note that this
1651 // should be detected by both). We define it this way because it allows us
1652 // to only store the highest fork tip (+ base) which meets the 7-block
1653 // condition and from this always have the most-likely-to-cause-warning fork
1654 if (pfork &&
1655 (!m_best_fork_tip ||
1656 pindexNewForkTip->nHeight > m_best_fork_tip->nHeight) &&
1657 pindexNewForkTip->nChainWork - pfork->nChainWork >
1658 (GetBlockProof(*pfork) * 7) &&
1659 m_chain.Height() - pindexNewForkTip->nHeight < 72) {
1660 m_best_fork_tip = pindexNewForkTip;
1661 m_best_fork_base = pfork;
1662 }
1663
1665}
1666
1667// Called both upon regular invalid block discovery *and* InvalidateBlock
1670 if (!m_chainman.m_best_invalid ||
1671 pindexNew->nChainWork > m_chainman.m_best_invalid->nChainWork) {
1672 m_chainman.m_best_invalid = pindexNew;
1673 }
1674 if (m_chainman.m_best_header != nullptr &&
1675 m_chainman.m_best_header->GetAncestor(pindexNew->nHeight) ==
1676 pindexNew) {
1677 m_chainman.m_best_header = m_chain.Tip();
1678 }
1679
1680 // If the invalid chain found is supposed to be finalized, we need to move
1681 // back the finalization point.
1682 if (IsBlockAvalancheFinalized(pindexNew)) {
1684 m_avalancheFinalizedBlockIndex = pindexNew->pprev;
1685 }
1686
1687 LogPrintf("%s: invalid block=%s height=%d log2_work=%f date=%s\n",
1688 __func__, pindexNew->GetBlockHash().ToString(),
1689 pindexNew->nHeight,
1690 log(pindexNew->nChainWork.getdouble()) / log(2.0),
1691 FormatISO8601DateTime(pindexNew->GetBlockTime()));
1692 CBlockIndex *tip = m_chain.Tip();
1693 assert(tip);
1694 LogPrintf("%s: current best=%s height=%d log2_work=%f date=%s\n",
1695 __func__, tip->GetBlockHash().ToString(), m_chain.Height(),
1696 log(tip->nChainWork.getdouble()) / log(2.0),
1698}
1699
1700// Same as InvalidChainFound, above, except not called directly from
1701// InvalidateBlock, which does its own setBlockIndexCandidates management.
1703 const BlockValidationState &state) {
1706 pindex->nStatus = pindex->nStatus.withFailed();
1707 m_chainman.m_failed_blocks.insert(pindex);
1708 m_blockman.m_dirty_blockindex.insert(pindex);
1709 InvalidChainFound(pindex);
1710 }
1711}
1712
1713void SpendCoins(CCoinsViewCache &view, const CTransaction &tx, CTxUndo &txundo,
1714 int nHeight) {
1715 // Mark inputs spent.
1716 if (tx.IsCoinBase()) {
1717 return;
1718 }
1719
1720 txundo.vprevout.reserve(tx.vin.size());
1721 for (const CTxIn &txin : tx.vin) {
1722 txundo.vprevout.emplace_back();
1723 bool is_spent = view.SpendCoin(txin.prevout, &txundo.vprevout.back());
1724 assert(is_spent);
1725 }
1726}
1727
1728void UpdateCoins(CCoinsViewCache &view, const CTransaction &tx, CTxUndo &txundo,
1729 int nHeight) {
1730 SpendCoins(view, tx, txundo, nHeight);
1731 AddCoins(view, tx, nHeight);
1732}
1733
1735 const CScript &scriptSig = ptxTo->vin[nIn].scriptSig;
1736 if (!VerifyScript(scriptSig, m_tx_out.scriptPubKey, nFlags,
1739 metrics, &error)) {
1740 return false;
1741 }
1742 if ((pTxLimitSigChecks &&
1746 // we can't assign a meaningful script error (since the script
1747 // succeeded), but remove the ScriptError::OK which could be
1748 // misinterpreted.
1750 return false;
1751 }
1752 return true;
1753}
1754
1755bool CheckInputScripts(const CTransaction &tx, TxValidationState &state,
1756 const CCoinsViewCache &inputs, const uint32_t flags,
1757 bool sigCacheStore, bool scriptCacheStore,
1758 const PrecomputedTransactionData &txdata,
1759 int &nSigChecksOut, TxSigCheckLimiter &txLimitSigChecks,
1760 CheckInputsLimiter *pBlockLimitSigChecks,
1761 std::vector<CScriptCheck> *pvChecks) {
1763 assert(!tx.IsCoinBase());
1764
1765 if (pvChecks) {
1766 pvChecks->reserve(tx.vin.size());
1767 }
1768
1769 // First check if script executions have been cached with the same flags.
1770 // Note that this assumes that the inputs provided are correct (ie that the
1771 // transaction hash which is in tx's prevouts properly commits to the
1772 // scriptPubKey in the inputs view of that transaction).
1773 ScriptCacheKey hashCacheEntry(tx, flags);
1774 if (IsKeyInScriptCache(hashCacheEntry, !scriptCacheStore, nSigChecksOut)) {
1775 if (!txLimitSigChecks.consume_and_check(nSigChecksOut) ||
1776 (pBlockLimitSigChecks &&
1777 !pBlockLimitSigChecks->consume_and_check(nSigChecksOut))) {
1779 "too-many-sigchecks");
1780 }
1781 return true;
1782 }
1783
1784 int nSigChecksTotal = 0;
1785
1786 for (size_t i = 0; i < tx.vin.size(); i++) {
1787 const COutPoint &prevout = tx.vin[i].prevout;
1788 const Coin &coin = inputs.AccessCoin(prevout);
1789 assert(!coin.IsSpent());
1790
1791 // We very carefully only pass in things to CScriptCheck which are
1792 // clearly committed to by tx's hash. This provides a sanity
1793 // check that our caching is not introducing consensus failures through
1794 // additional data in, eg, the coins being spent being checked as a part
1795 // of CScriptCheck.
1796
1797 // Verify signature
1798 CScriptCheck check(coin.GetTxOut(), tx, i, flags, sigCacheStore, txdata,
1799 &txLimitSigChecks, pBlockLimitSigChecks);
1800
1801 // If pvChecks is not null, defer the check execution to the caller.
1802 if (pvChecks) {
1803 pvChecks->push_back(std::move(check));
1804 continue;
1805 }
1806
1807 if (!check()) {
1808 ScriptError scriptError = check.GetScriptError();
1809 // Compute flags without the optional standardness flags.
1810 // This differs from MANDATORY_SCRIPT_VERIFY_FLAGS as it contains
1811 // additional upgrade flags (see AcceptToMemoryPoolWorker variable
1812 // extraFlags).
1813 uint32_t mandatoryFlags =
1814 flags & ~STANDARD_NOT_MANDATORY_VERIFY_FLAGS;
1815 if (flags != mandatoryFlags) {
1816 // Check whether the failure was caused by a non-mandatory
1817 // script verification check. If so, ensure we return
1818 // NOT_STANDARD instead of CONSENSUS to avoid downstream users
1819 // splitting the network between upgraded and non-upgraded nodes
1820 // by banning CONSENSUS-failing data providers.
1821 CScriptCheck check2(coin.GetTxOut(), tx, i, mandatoryFlags,
1822 sigCacheStore, txdata);
1823 if (check2()) {
1824 return state.Invalid(
1826 strprintf("non-mandatory-script-verify-flag (%s)",
1827 ScriptErrorString(scriptError)));
1828 }
1829 // update the error message to reflect the mandatory violation.
1830 scriptError = check2.GetScriptError();
1831 }
1832
1833 // MANDATORY flag failures correspond to
1834 // TxValidationResult::TX_CONSENSUS. Because CONSENSUS failures are
1835 // the most serious case of validation failures, we may need to
1836 // consider using RECENT_CONSENSUS_CHANGE for any script failure
1837 // that could be due to non-upgraded nodes which we may want to
1838 // support, to avoid splitting the network (but this depends on the
1839 // details of how net_processing handles such errors).
1840 return state.Invalid(
1842 strprintf("mandatory-script-verify-flag-failed (%s)",
1843 ScriptErrorString(scriptError)));
1844 }
1845
1846 nSigChecksTotal += check.GetScriptExecutionMetrics().nSigChecks;
1847 }
1848
1849 nSigChecksOut = nSigChecksTotal;
1850
1851 if (scriptCacheStore && !pvChecks) {
1852 // We executed all of the provided scripts, and were told to cache the
1853 // result. Do so now.
1854 AddKeyInScriptCache(hashCacheEntry, nSigChecksTotal);
1855 }
1856
1857 return true;
1858}
1859
1860bool AbortNode(BlockValidationState &state, const std::string &strMessage,
1861 const bilingual_str &userMessage) {
1862 AbortNode(strMessage, userMessage);
1863 return state.Error(strMessage);
1864}
1865
1868 const COutPoint &out) {
1869 bool fClean = true;
1870
1871 if (view.HaveCoin(out)) {
1872 // Overwriting transaction output.
1873 fClean = false;
1874 }
1875
1876 if (undo.GetHeight() == 0) {
1877 // Missing undo metadata (height and coinbase). Older versions included
1878 // this information only in undo records for the last spend of a
1879 // transactions' outputs. This implies that it must be present for some
1880 // other output of the same tx.
1881 const Coin &alternate = AccessByTxid(view, out.GetTxId());
1882 if (alternate.IsSpent()) {
1883 // Adding output for transaction without known metadata
1885 }
1886
1887 // This is somewhat ugly, but hopefully utility is limited. This is only
1888 // useful when working from legacy on disck data. In any case, putting
1889 // the correct information in there doesn't hurt.
1890 const_cast<Coin &>(undo) = Coin(undo.GetTxOut(), alternate.GetHeight(),
1891 alternate.IsCoinBase());
1892 }
1893
1894 // If the coin already exists as an unspent coin in the cache, then the
1895 // possible_overwrite parameter to AddCoin must be set to true. We have
1896 // already checked whether an unspent coin exists above using HaveCoin, so
1897 // we don't need to guess. When fClean is false, an unspent coin already
1898 // existed and it is an overwrite.
1899 view.AddCoin(out, std::move(undo), !fClean);
1900
1902}
1903
1908DisconnectResult Chainstate::DisconnectBlock(const CBlock &block,
1909 const CBlockIndex *pindex,
1910 CCoinsViewCache &view) {
1912 CBlockUndo blockUndo;
1913 if (!m_blockman.UndoReadFromDisk(blockUndo, *pindex)) {
1914 error("DisconnectBlock(): failure reading undo data");
1916 }
1917
1918 return ApplyBlockUndo(std::move(blockUndo), block, pindex, view);
1919}
1920
1922 const CBlockIndex *pindex,
1923 CCoinsViewCache &view) {
1924 bool fClean = true;
1925
1926 if (blockUndo.vtxundo.size() + 1 != block.vtx.size()) {
1927 error("DisconnectBlock(): block and undo data inconsistent");
1929 }
1930
1931 // First, restore inputs.
1932 for (size_t i = 1; i < block.vtx.size(); i++) {
1933 const CTransaction &tx = *(block.vtx[i]);
1934 CTxUndo &txundo = blockUndo.vtxundo[i - 1];
1935 if (txundo.vprevout.size() != tx.vin.size()) {
1936 error("DisconnectBlock(): transaction and undo data inconsistent");
1938 }
1939
1940 for (size_t j = 0; j < tx.vin.size(); j++) {
1941 const COutPoint &out = tx.vin[j].prevout;
1942 DisconnectResult res =
1943 UndoCoinSpend(std::move(txundo.vprevout[j]), view, out);
1944 if (res == DisconnectResult::FAILED) {
1946 }
1947 fClean = fClean && res != DisconnectResult::UNCLEAN;
1948 }
1949 // At this point, all of txundo.vprevout should have been moved out.
1950 }
1951
1952 // Second, revert created outputs.
1953 for (const auto &ptx : block.vtx) {
1954 const CTransaction &tx = *ptx;
1955 const TxId &txid = tx.GetId();
1956 const bool is_coinbase = tx.IsCoinBase();
1957
1958 // Check that all outputs are available and match the outputs in the
1959 // block itself exactly.
1960 for (size_t o = 0; o < tx.vout.size(); o++) {
1961 if (tx.vout[o].scriptPubKey.IsUnspendable()) {
1962 continue;
1963 }
1964
1965 COutPoint out(txid, o);
1966 Coin coin;
1967 bool is_spent = view.SpendCoin(out, &coin);
1968 if (!is_spent || tx.vout[o] != coin.GetTxOut() ||
1969 uint32_t(pindex->nHeight) != coin.GetHeight() ||
1970 is_coinbase != coin.IsCoinBase()) {
1971 // transaction output mismatch
1972 fClean = false;
1973 }
1974 }
1975 }
1976
1977 // Move best block pointer to previous block.
1978 view.SetBestBlock(block.hashPrevBlock);
1979
1981}
1982
1984
1985void StartScriptCheckWorkerThreads(int threads_num) {
1986 scriptcheckqueue.StartWorkerThreads(threads_num);
1987}
1988
1990 scriptcheckqueue.StopWorkerThreads();
1991}
1992
1993// Returns the script flags which should be checked for the block after
1994// the given block.
1995static uint32_t GetNextBlockScriptFlags(const CBlockIndex *pindex,
1996 const ChainstateManager &chainman) {
1997 const Consensus::Params &consensusparams = chainman.GetConsensus();
1998
1999 uint32_t flags = SCRIPT_VERIFY_NONE;
2000
2001 // Enforce P2SH (BIP16)
2002 if (DeploymentActiveAfter(pindex, chainman, Consensus::DEPLOYMENT_P2SH)) {
2004 }
2005
2006 // Enforce the DERSIG (BIP66) rule.
2007 if (DeploymentActiveAfter(pindex, chainman, Consensus::DEPLOYMENT_DERSIG)) {
2009 }
2010
2011 // Start enforcing CHECKLOCKTIMEVERIFY (BIP65) rule.
2012 if (DeploymentActiveAfter(pindex, chainman, Consensus::DEPLOYMENT_CLTV)) {
2014 }
2015
2016 // Start enforcing CSV (BIP68, BIP112 and BIP113) rule.
2017 if (DeploymentActiveAfter(pindex, chainman, Consensus::DEPLOYMENT_CSV)) {
2019 }
2020
2021 // If the UAHF is enabled, we start accepting replay protected txns
2022 if (IsUAHFenabled(consensusparams, pindex)) {
2025 }
2026
2027 // If the DAA HF is enabled, we start rejecting transaction that use a high
2028 // s in their signature. We also make sure that signature that are supposed
2029 // to fail (for instance in multisig or other forms of smart contracts) are
2030 // null.
2031 if (IsDAAEnabled(consensusparams, pindex)) {
2034 }
2035
2036 // When the magnetic anomaly fork is enabled, we start accepting
2037 // transactions using the OP_CHECKDATASIG opcode and it's verify
2038 // alternative. We also start enforcing push only signatures and
2039 // clean stack.
2040 if (IsMagneticAnomalyEnabled(consensusparams, pindex)) {
2043 }
2044
2045 if (IsGravitonEnabled(consensusparams, pindex)) {
2048 }
2049
2050 if (IsPhononEnabled(consensusparams, pindex)) {
2052 }
2053
2054 // We make sure this node will have replay protection during the next hard
2055 // fork.
2056 if (IsReplayProtectionEnabled(consensusparams, pindex)) {
2058 }
2059
2060 return flags;
2061}
2062
2063static int64_t nTimeCheck = 0;
2064static int64_t nTimeForks = 0;
2065static int64_t nTimeVerify = 0;
2066static int64_t nTimeConnect = 0;
2067static int64_t nTimeIndex = 0;
2068static int64_t nTimeTotal = 0;
2069static int64_t nBlocksTotal = 0;
2070
2077bool Chainstate::ConnectBlock(const CBlock &block, BlockValidationState &state,
2078 CBlockIndex *pindex, CCoinsViewCache &view,
2079 BlockValidationOptions options, Amount *blockFees,
2080 bool fJustCheck) {
2082 assert(pindex);
2083
2084 const BlockHash block_hash{block.GetHash()};
2085 assert(*pindex->phashBlock == block_hash);
2086
2087 int64_t nTimeStart = GetTimeMicros();
2088
2089 const CChainParams &params{m_chainman.GetParams()};
2090 const Consensus::Params &consensusParams = params.GetConsensus();
2091
2092 // Check it again in case a previous version let a bad block in
2093 // NOTE: We don't currently (re-)invoke ContextualCheckBlock() or
2094 // ContextualCheckBlockHeader() here. This means that if we add a new
2095 // consensus rule that is enforced in one of those two functions, then we
2096 // may have let in a block that violates the rule prior to updating the
2097 // software, and we would NOT be enforcing the rule here. Fully solving
2098 // upgrade from one software version to the next after a consensus rule
2099 // change is potentially tricky and issue-specific.
2100 // Also, currently the rule against blocks more than 2 hours in the future
2101 // is enforced in ContextualCheckBlockHeader(); we wouldn't want to
2102 // re-enforce that rule here (at least until we make it impossible for
2103 // m_adjusted_time_callback() to go backward).
2104 if (!CheckBlock(block, state, consensusParams,
2105 options.withCheckPoW(!fJustCheck)
2106 .withCheckMerkleRoot(!fJustCheck))) {
2108 // We don't write down blocks to disk if they may have been
2109 // corrupted, so this should be impossible unless we're having
2110 // hardware problems.
2111 return AbortNode(state, "Corrupt block found indicating potential "
2112 "hardware failure; shutting down");
2113 }
2114 return error("%s: Consensus::CheckBlock: %s", __func__,
2115 state.ToString());
2116 }
2117
2118 // Verify that the view's current state corresponds to the previous block
2119 BlockHash hashPrevBlock =
2120 pindex->pprev == nullptr ? BlockHash() : pindex->pprev->GetBlockHash();
2121 assert(hashPrevBlock == view.GetBestBlock());
2122
2123 nBlocksTotal++;
2124
2125 // Special case for the genesis block, skipping connection of its
2126 // transactions (its coinbase is unspendable)
2127 if (block_hash == consensusParams.hashGenesisBlock) {
2128 if (!fJustCheck) {
2129 view.SetBestBlock(pindex->GetBlockHash());
2130 }
2131
2132 return true;
2133 }
2134
2135 bool fScriptChecks = true;
2137 // We've been configured with the hash of a block which has been
2138 // externally verified to have a valid history. A suitable default value
2139 // is included with the software and updated from time to time. Because
2140 // validity relative to a piece of software is an objective fact these
2141 // defaults can be easily reviewed. This setting doesn't force the
2142 // selection of any particular chain but makes validating some faster by
2143 // effectively caching the result of part of the verification.
2144 BlockMap::const_iterator it{
2145 m_blockman.m_block_index.find(m_chainman.AssumedValidBlock())};
2146 if (it != m_blockman.m_block_index.end()) {
2147 if (it->second.GetAncestor(pindex->nHeight) == pindex &&
2148 m_chainman.m_best_header->GetAncestor(pindex->nHeight) ==
2149 pindex &&
2150 m_chainman.m_best_header->nChainWork >=
2152 // This block is a member of the assumed verified chain and an
2153 // ancestor of the best header.
2154 // Script verification is skipped when connecting blocks under
2155 // the assumevalid block. Assuming the assumevalid block is
2156 // valid this is safe because block merkle hashes are still
2157 // computed and checked, Of course, if an assumed valid block is
2158 // invalid due to false scriptSigs this optimization would allow
2159 // an invalid chain to be accepted.
2160 // The equivalent time check discourages hash power from
2161 // extorting the network via DOS attack into accepting an
2162 // invalid block through telling users they must manually set
2163 // assumevalid. Requiring a software change or burying the
2164 // invalid block, regardless of the setting, makes it hard to
2165 // hide the implication of the demand. This also avoids having
2166 // release candidates that are hardly doing any signature
2167 // verification at all in testing without having to artificially
2168 // set the default assumed verified block further back. The test
2169 // against the minimum chain work prevents the skipping when
2170 // denied access to any chain at least as good as the expected
2171 // chain.
2172 fScriptChecks = (GetBlockProofEquivalentTime(
2173 *m_chainman.m_best_header, *pindex,
2174 *m_chainman.m_best_header,
2175 consensusParams) <= 60 * 60 * 24 * 7 * 2);
2176 }
2177 }
2178 }
2179
2180 int64_t nTime1 = GetTimeMicros();
2181 nTimeCheck += nTime1 - nTimeStart;
2182 LogPrint(BCLog::BENCH, " - Sanity checks: %.2fms [%.2fs (%.2fms/blk)]\n",
2183 MILLI * (nTime1 - nTimeStart), nTimeCheck * MICRO,
2185
2186 // Do not allow blocks that contain transactions which 'overwrite' older
2187 // transactions, unless those are already completely spent. If such
2188 // overwrites are allowed, coinbases and transactions depending upon those
2189 // can be duplicated to remove the ability to spend the first instance --
2190 // even after being sent to another address.
2191 // See BIP30, CVE-2012-1909, and http://r6.ca/blog/20120206T005236Z.html
2192 // for more information. This rule was originally applied to all blocks
2193 // with a timestamp after March 15, 2012, 0:00 UTC. Now that the whole
2194 // chain is irreversibly beyond that time it is applied to all blocks
2195 // except the two in the chain that violate it. This prevents exploiting
2196 // the issue against nodes during their initial block download.
2197 bool fEnforceBIP30 = !((pindex->nHeight == 91842 &&
2198 pindex->GetBlockHash() ==
2199 uint256S("0x00000000000a4d0a398161ffc163c503763"
2200 "b1f4360639393e0e4c8e300e0caec")) ||
2201 (pindex->nHeight == 91880 &&
2202 pindex->GetBlockHash() ==
2203 uint256S("0x00000000000743f190a18c5577a3c2d2a1f"
2204 "610ae9601ac046a38084ccb7cd721")));
2205
2206 // Once BIP34 activated it was not possible to create new duplicate
2207 // coinbases and thus other than starting with the 2 existing duplicate
2208 // coinbase pairs, not possible to create overwriting txs. But by the time
2209 // BIP34 activated, in each of the existing pairs the duplicate coinbase had
2210 // overwritten the first before the first had been spent. Since those
2211 // coinbases are sufficiently buried it's no longer possible to create
2212 // further duplicate transactions descending from the known pairs either. If
2213 // we're on the known chain at height greater than where BIP34 activated, we
2214 // can save the db accesses needed for the BIP30 check.
2215
2216 // BIP34 requires that a block at height X (block X) has its coinbase
2217 // scriptSig start with a CScriptNum of X (indicated height X). The above
2218 // logic of no longer requiring BIP30 once BIP34 activates is flawed in the
2219 // case that there is a block X before the BIP34 height of 227,931 which has
2220 // an indicated height Y where Y is greater than X. The coinbase for block
2221 // X would also be a valid coinbase for block Y, which could be a BIP30
2222 // violation. An exhaustive search of all mainnet coinbases before the
2223 // BIP34 height which have an indicated height greater than the block height
2224 // reveals many occurrences. The 3 lowest indicated heights found are
2225 // 209,921, 490,897, and 1,983,702 and thus coinbases for blocks at these 3
2226 // heights would be the first opportunity for BIP30 to be violated.
2227
2228 // The search reveals a great many blocks which have an indicated height
2229 // greater than 1,983,702, so we simply remove the optimization to skip
2230 // BIP30 checking for blocks at height 1,983,702 or higher. Before we reach
2231 // that block in another 25 years or so, we should take advantage of a
2232 // future consensus change to do a new and improved version of BIP34 that
2233 // will actually prevent ever creating any duplicate coinbases in the
2234 // future.
2235 static constexpr int BIP34_IMPLIES_BIP30_LIMIT = 1983702;
2236
2237 // There is no potential to create a duplicate coinbase at block 209,921
2238 // because this is still before the BIP34 height and so explicit BIP30
2239 // checking is still active.
2240
2241 // The final case is block 176,684 which has an indicated height of
2242 // 490,897. Unfortunately, this issue was not discovered until about 2 weeks
2243 // before block 490,897 so there was not much opportunity to address this
2244 // case other than to carefully analyze it and determine it would not be a
2245 // problem. Block 490,897 was, in fact, mined with a different coinbase than
2246 // block 176,684, but it is important to note that even if it hadn't been or
2247 // is remined on an alternate fork with a duplicate coinbase, we would still
2248 // not run into a BIP30 violation. This is because the coinbase for 176,684
2249 // is spent in block 185,956 in transaction
2250 // d4f7fbbf92f4a3014a230b2dc70b8058d02eb36ac06b4a0736d9d60eaa9e8781. This
2251 // spending transaction can't be duplicated because it also spends coinbase
2252 // 0328dd85c331237f18e781d692c92de57649529bd5edf1d01036daea32ffde29. This
2253 // coinbase has an indicated height of over 4.2 billion, and wouldn't be
2254 // duplicatable until that height, and it's currently impossible to create a
2255 // chain that long. Nevertheless we may wish to consider a future soft fork
2256 // which retroactively prevents block 490,897 from creating a duplicate
2257 // coinbase. The two historical BIP30 violations often provide a confusing
2258 // edge case when manipulating the UTXO and it would be simpler not to have
2259 // another edge case to deal with.
2260
2261 // testnet3 has no blocks before the BIP34 height with indicated heights
2262 // post BIP34 before approximately height 486,000,000 and presumably will
2263 // be reset before it reaches block 1,983,702 and starts doing unnecessary
2264 // BIP30 checking again.
2265 assert(pindex->pprev);
2266 CBlockIndex *pindexBIP34height =
2267 pindex->pprev->GetAncestor(consensusParams.BIP34Height);
2268 // Only continue to enforce if we're below BIP34 activation height or the
2269 // block hash at that height doesn't correspond.
2270 fEnforceBIP30 =
2271 fEnforceBIP30 &&
2272 (!pindexBIP34height ||
2273 !(pindexBIP34height->GetBlockHash() == consensusParams.BIP34Hash));
2274
2275 // TODO: Remove BIP30 checking from block height 1,983,702 on, once we have
2276 // a consensus change that ensures coinbases at those heights can not
2277 // duplicate earlier coinbases.
2278 if (fEnforceBIP30 || pindex->nHeight >= BIP34_IMPLIES_BIP30_LIMIT) {
2279 for (const auto &tx : block.vtx) {
2280 for (size_t o = 0; o < tx->vout.size(); o++) {
2281 if (view.HaveCoin(COutPoint(tx->GetId(), o))) {
2282 LogPrintf("ERROR: ConnectBlock(): tried to overwrite "
2283 "transaction\n");
2285 "bad-txns-BIP30");
2286 }
2287 }
2288 }
2289 }
2290
2291 // Enforce BIP68 (sequence locks).
2292 int nLockTimeFlags = 0;
2293 if (DeploymentActiveAt(*pindex, consensusParams,
2295 nLockTimeFlags |= LOCKTIME_VERIFY_SEQUENCE;
2296 }
2297
2298 const uint32_t flags = GetNextBlockScriptFlags(pindex->pprev, m_chainman);
2299
2300 int64_t nTime2 = GetTimeMicros();
2301 nTimeForks += nTime2 - nTime1;
2302 LogPrint(BCLog::BENCH, " - Fork checks: %.2fms [%.2fs (%.2fms/blk)]\n",
2303 MILLI * (nTime2 - nTime1), nTimeForks * MICRO,
2305
2306 std::vector<int> prevheights;
2307 Amount nFees = Amount::zero();
2308 int nInputs = 0;
2309
2310 // Limit the total executed signature operations in the block, a consensus
2311 // rule. Tracking during the CPU-consuming part (validation of uncached
2312 // inputs) is per-input atomic and validation in each thread stops very
2313 // quickly after the limit is exceeded, so an adversary cannot cause us to
2314 // exceed the limit by much at all.
2315 CheckInputsLimiter nSigChecksBlockLimiter(
2317
2318 std::vector<TxSigCheckLimiter> nSigChecksTxLimiters;
2319 nSigChecksTxLimiters.resize(block.vtx.size() - 1);
2320
2321 CBlockUndo blockundo;
2322 blockundo.vtxundo.resize(block.vtx.size() - 1);
2323
2324 CCheckQueueControl<CScriptCheck> control(fScriptChecks ? &scriptcheckqueue
2325 : nullptr);
2326
2327 // Add all outputs
2328 try {
2329 for (const auto &ptx : block.vtx) {
2330 AddCoins(view, *ptx, pindex->nHeight);
2331 }
2332 } catch (const std::logic_error &e) {
2333 // This error will be thrown from AddCoin if we try to connect a block
2334 // containing duplicate transactions. Such a thing should normally be
2335 // caught early nowadays (due to ContextualCheckBlock's CTOR
2336 // enforcement) however some edge cases can escape that:
2337 // - ContextualCheckBlock does not get re-run after saving the block to
2338 // disk, and older versions may have saved a weird block.
2339 // - its checks are not applied to pre-CTOR chains, which we might visit
2340 // with checkpointing off.
2341 LogPrintf("ERROR: ConnectBlock(): tried to overwrite transaction\n");
2343 "tx-duplicate");
2344 }
2345
2346 size_t txIndex = 0;
2347 // nSigChecksRet may be accurate (found in cache) or 0 (checks were
2348 // deferred into vChecks).
2349 int nSigChecksRet;
2350 for (const auto &ptx : block.vtx) {
2351 const CTransaction &tx = *ptx;
2352 const bool isCoinBase = tx.IsCoinBase();
2353 nInputs += tx.vin.size();
2354
2355 {
2356 Amount txfee = Amount::zero();
2357 TxValidationState tx_state;
2358 if (!isCoinBase &&
2359 !Consensus::CheckTxInputs(tx, tx_state, view, pindex->nHeight,
2360 txfee)) {
2361 // Any transaction validation failure in ConnectBlock is a block
2362 // consensus failure.
2364 tx_state.GetRejectReason(),
2365 tx_state.GetDebugMessage());
2366
2367 return error("%s: Consensus::CheckTxInputs: %s, %s", __func__,
2368 tx.GetId().ToString(), state.ToString());
2369 }
2370 nFees += txfee;
2371 }
2372
2373 if (!MoneyRange(nFees)) {
2374 LogPrintf("ERROR: %s: accumulated fee in the block out of range.\n",
2375 __func__);
2377 "bad-txns-accumulated-fee-outofrange");
2378 }
2379
2380 // The following checks do not apply to the coinbase.
2381 if (isCoinBase) {
2382 continue;
2383 }
2384
2385 // Check that transaction is BIP68 final BIP68 lock checks (as
2386 // opposed to nLockTime checks) must be in ConnectBlock because they
2387 // require the UTXO set.
2388 prevheights.resize(tx.vin.size());
2389 for (size_t j = 0; j < tx.vin.size(); j++) {
2390 prevheights[j] = view.AccessCoin(tx.vin[j].prevout).GetHeight();
2391 }
2392
2393 if (!SequenceLocks(tx, nLockTimeFlags, prevheights, *pindex)) {
2394 LogPrintf("ERROR: %s: contains a non-BIP68-final transaction\n",
2395 __func__);
2397 "bad-txns-nonfinal");
2398 }
2399
2400 // Don't cache results if we're actually connecting blocks (still
2401 // consult the cache, though).
2402 bool fCacheResults = fJustCheck;
2403
2404 const bool fEnforceSigCheck = flags & SCRIPT_ENFORCE_SIGCHECKS;
2405 if (!fEnforceSigCheck) {
2406 // Historically, there has been transactions with a very high
2407 // sigcheck count, so we need to disable this check for such
2408 // transactions.
2409 nSigChecksTxLimiters[txIndex] = TxSigCheckLimiter::getDisabled();
2410 }
2411
2412 std::vector<CScriptCheck> vChecks;
2413 TxValidationState tx_state;
2414 if (fScriptChecks &&
2415 !CheckInputScripts(tx, tx_state, view, flags, fCacheResults,
2416 fCacheResults, PrecomputedTransactionData(tx),
2417 nSigChecksRet, nSigChecksTxLimiters[txIndex],
2418 &nSigChecksBlockLimiter, &vChecks)) {
2419 // Any transaction validation failure in ConnectBlock is a block
2420 // consensus failure
2422 tx_state.GetRejectReason(),
2423 tx_state.GetDebugMessage());
2424 return error(
2425 "ConnectBlock(): CheckInputScripts on %s failed with %s",
2426 tx.GetId().ToString(), state.ToString());
2427 }
2428
2429 control.Add(std::move(vChecks));
2430
2431 // Note: this must execute in the same iteration as CheckTxInputs (not
2432 // in a separate loop) in order to detect double spends. However,
2433 // this does not prevent double-spending by duplicated transaction
2434 // inputs in the same transaction (cf. CVE-2018-17144) -- that check is
2435 // done in CheckBlock (CheckRegularTransaction).
2436 SpendCoins(view, tx, blockundo.vtxundo.at(txIndex), pindex->nHeight);
2437 txIndex++;
2438 }
2439
2440 int64_t nTime3 = GetTimeMicros();
2441 nTimeConnect += nTime3 - nTime2;
2443 " - Connect %u transactions: %.2fms (%.3fms/tx, %.3fms/txin) "
2444 "[%.2fs (%.2fms/blk)]\n",
2445 (unsigned)block.vtx.size(), MILLI * (nTime3 - nTime2),
2446 MILLI * (nTime3 - nTime2) / block.vtx.size(),
2447 nInputs <= 1 ? 0 : MILLI * (nTime3 - nTime2) / (nInputs - 1),
2449
2450 const Amount blockReward =
2451 nFees + GetBlockSubsidy(pindex->nHeight, consensusParams);
2452 if (block.vtx[0]->GetValueOut() > blockReward) {
2453 LogPrintf("ERROR: ConnectBlock(): coinbase pays too much (actual=%d vs "
2454 "limit=%d)\n",
2455 block.vtx[0]->GetValueOut(), blockReward);
2457 "bad-cb-amount");
2458 }
2459
2460 if (blockFees) {
2461 *blockFees = nFees;
2462 }
2463
2464 if (!control.Wait()) {
2466 "blk-bad-inputs", "parallel script check failed");
2467 }
2468
2469 int64_t nTime4 = GetTimeMicros();
2470 nTimeVerify += nTime4 - nTime2;
2471 LogPrint(
2473 " - Verify %u txins: %.2fms (%.3fms/txin) [%.2fs (%.2fms/blk)]\n",
2474 nInputs - 1, MILLI * (nTime4 - nTime2),
2475 nInputs <= 1 ? 0 : MILLI * (nTime4 - nTime2) / (nInputs - 1),
2477
2478 if (fJustCheck) {
2479 return true;
2480 }
2481
2482 if (!m_blockman.WriteUndoDataForBlock(blockundo, state, *pindex)) {
2483 return false;
2484 }
2485
2486 if (!pindex->IsValid(BlockValidity::SCRIPTS)) {
2488 m_blockman.m_dirty_blockindex.insert(pindex);
2489 }
2490
2491 // add this block to the view's block chain
2492 view.SetBestBlock(pindex->GetBlockHash());
2493
2494 int64_t nTime5 = GetTimeMicros();
2495 nTimeIndex += nTime5 - nTime4;
2496 LogPrint(BCLog::BENCH, " - Index writing: %.2fms [%.2fs (%.2fms/blk)]\n",
2497 MILLI * (nTime5 - nTime4), nTimeIndex * MICRO,
2499
2500 TRACE6(validation, block_connected, block_hash.data(), pindex->nHeight,
2501 block.vtx.size(), nInputs, nSigChecksRet,
2502 // in microseconds (µs)
2503 nTime5 - nTimeStart);
2504
2505 return true;
2506}
2507
2508CoinsCacheSizeState Chainstate::GetCoinsCacheSizeState() {
2510 return this->GetCoinsCacheSizeState(m_coinstip_cache_size_bytes,
2512 : 0);
2513}
2514
2516Chainstate::GetCoinsCacheSizeState(size_t max_coins_cache_size_bytes,
2517 size_t max_mempool_size_bytes) {
2519 int64_t nMempoolUsage = m_mempool ? m_mempool->DynamicMemoryUsage() : 0;
2520 int64_t cacheSize = CoinsTip().DynamicMemoryUsage();
2521 int64_t nTotalSpace =
2522 max_coins_cache_size_bytes +
2523 std::max<int64_t>(int64_t(max_mempool_size_bytes) - nMempoolUsage, 0);
2524
2526 static constexpr int64_t MAX_BLOCK_COINSDB_USAGE_BYTES =
2527 10 * 1024 * 1024; // 10MB
2528 int64_t large_threshold = std::max(
2529 (9 * nTotalSpace) / 10, nTotalSpace - MAX_BLOCK_COINSDB_USAGE_BYTES);
2530
2531 if (cacheSize > nTotalSpace) {
2532 LogPrintf("Cache size (%s) exceeds total space (%s)\n", cacheSize,
2533 nTotalSpace);
2535 } else if (cacheSize > large_threshold) {
2537 }
2539}
2540
2542 FlushStateMode mode, int nManualPruneHeight) {
2543 LOCK(cs_main);
2544 assert(this->CanFlushToDisk());
2545 std::set<int> setFilesToPrune;
2546 bool full_flush_completed = false;
2547
2548 const size_t coins_count = CoinsTip().GetCacheSize();
2549 const size_t coins_mem_usage = CoinsTip().DynamicMemoryUsage();
2550
2551 try {
2552 {
2553 bool fFlushForPrune = false;
2554 bool fDoFullFlush = false;
2555
2556 CoinsCacheSizeState cache_state = GetCoinsCacheSizeState();
2558 if (m_blockman.IsPruneMode() &&
2559 (m_blockman.m_check_for_pruning || nManualPruneHeight > 0) &&
2560 !fReindex) {
2561 // Make sure we don't prune any of the prune locks bestblocks.
2562 // Pruning is height-based.
2563 int last_prune{m_chain.Height()};
2564 // prune lock that actually was the limiting factor, only used
2565 // for logging
2566 std::optional<std::string> limiting_lock;
2567
2568 for (const auto &prune_lock : m_blockman.m_prune_locks) {
2569 if (prune_lock.second.height_first ==
2570 std::numeric_limits<int>::max()) {
2571 continue;
2572 }
2573 // Remove the buffer and one additional block here to get
2574 // actual height that is outside of the buffer
2575 const int lock_height{prune_lock.second.height_first -
2576 PRUNE_LOCK_BUFFER - 1};
2577 last_prune = std::max(1, std::min(last_prune, lock_height));
2578 if (last_prune == lock_height) {
2579 limiting_lock = prune_lock.first;
2580 }
2581 }
2582
2583 if (limiting_lock) {
2584 LogPrint(BCLog::PRUNE, "%s limited pruning to height %d\n",
2585 limiting_lock.value(), last_prune);
2586 }
2587
2588 if (nManualPruneHeight > 0) {
2590 "find files to prune (manual)", BCLog::BENCH);
2592 setFilesToPrune,
2593 std::min(last_prune, nManualPruneHeight),
2594 m_chain.Height());
2595 } else {
2596 LOG_TIME_MILLIS_WITH_CATEGORY("find files to prune",
2597 BCLog::BENCH);
2599 setFilesToPrune,
2601 m_chain.Height(), last_prune,
2604 }
2605 if (!setFilesToPrune.empty()) {
2606 fFlushForPrune = true;
2608 m_blockman.m_block_tree_db->WriteFlag(
2609 "prunedblockfiles", true);
2611 }
2612 }
2613 }
2614 const auto nNow = GetTime<std::chrono::microseconds>();
2615 // Avoid writing/flushing immediately after startup.
2616 if (m_last_write.count() == 0) {
2617 m_last_write = nNow;
2618 }
2619 if (m_last_flush.count() == 0) {
2620 m_last_flush = nNow;
2621 }
2622 // The cache is large and we're within 10% and 10 MiB of the limit,
2623 // but we have time now (not in the middle of a block processing).
2624 bool fCacheLarge = mode == FlushStateMode::PERIODIC &&
2625 cache_state >= CoinsCacheSizeState::LARGE;
2626 // The cache is over the limit, we have to write now.
2627 bool fCacheCritical = mode == FlushStateMode::IF_NEEDED &&
2628 cache_state >= CoinsCacheSizeState::CRITICAL;
2629 // It's been a while since we wrote the block index to disk. Do this
2630 // frequently, so we don't need to redownload after a crash.
2631 bool fPeriodicWrite = mode == FlushStateMode::PERIODIC &&
2633 // It's been very long since we flushed the cache. Do this
2634 // infrequently, to optimize cache usage.
2635 bool fPeriodicFlush = mode == FlushStateMode::PERIODIC &&
2637 // Combine all conditions that result in a full cache flush.
2638 fDoFullFlush = (mode == FlushStateMode::ALWAYS) || fCacheLarge ||
2639 fCacheCritical || fPeriodicFlush || fFlushForPrune;
2640 // Write blocks and block index to disk.
2641 if (fDoFullFlush || fPeriodicWrite) {
2642 // Ensure we can write block index
2644 return AbortNode(state, "Disk space is too low!",
2645 _("Disk space is too low!"));
2646 }
2647
2648 {
2650 "write block and undo data to disk", BCLog::BENCH);
2651
2652 // First make sure all block and undo data is flushed to
2653 // disk.
2654 // TODO: Handle return error, or add detailed comment why
2655 // it is safe to not return an error upon failure.
2656 if (!m_blockman.FlushBlockFile()) {
2658 "%s: Failed to flush block file.\n",
2659 __func__);
2660 }
2661 }
2662 // Then update all block file information (which may refer to
2663 // block and undo files).
2664 {
2665 LOG_TIME_MILLIS_WITH_CATEGORY("write block index to disk",
2666 BCLog::BENCH);
2667
2668 if (!m_blockman.WriteBlockIndexDB()) {
2669 return AbortNode(
2670 state, "Failed to write to block index database");
2671 }
2672 }
2673
2674 // Finally remove any pruned files
2675 if (fFlushForPrune) {
2676 LOG_TIME_MILLIS_WITH_CATEGORY("unlink pruned files",
2677 BCLog::BENCH);
2678
2679 m_blockman.UnlinkPrunedFiles(setFilesToPrune);
2680 }
2681 m_last_write = nNow;
2682 }
2683 // Flush best chain related state. This can only be done if the
2684 // blocks / block index write was also done.
2685 if (fDoFullFlush && !CoinsTip().GetBestBlock().IsNull()) {
2687 strprintf("write coins cache to disk (%d coins, %.2fkB)",
2688 coins_count, coins_mem_usage / 1000),
2689 BCLog::BENCH);
2690
2691 // Typical Coin structures on disk are around 48 bytes in size.
2692 // Pushing a new one to the database can cause it to be written
2693 // twice (once in the log, and once in the tables). This is
2694 // already an overestimation, as most will delete an existing
2695 // entry or overwrite one. Still, use a conservative safety
2696 // factor of 2.
2698 48 * 2 * 2 * CoinsTip().GetCacheSize())) {
2699 return AbortNode(state, "Disk space is too low!",
2700 _("Disk space is too low!"));
2701 }
2702
2703 // Flush the chainstate (which may refer to block index
2704 // entries).
2705 if (!CoinsTip().Flush()) {
2706 return AbortNode(state, "Failed to write to coin database");
2707 }
2708 m_last_flush = nNow;
2709 full_flush_completed = true;
2710 }
2711
2712 TRACE5(utxocache, flush,
2713 // in microseconds (µs)
2714 GetTimeMicros() - nNow.count(), uint32_t(mode), coins_count,
2715 uint64_t(coins_mem_usage), fFlushForPrune);
2716 }
2717
2718 if (full_flush_completed) {
2719 // Update best block in wallet (so we can detect restored wallets).
2720 GetMainSignals().ChainStateFlushed(this->GetRole(),
2722 }
2723 } catch (const std::runtime_error &e) {
2724 return AbortNode(state, std::string("System error while flushing: ") +
2725 e.what());
2726 }
2727 return true;
2728}
2729
2732 if (!this->FlushStateToDisk(state, FlushStateMode::ALWAYS)) {
2733 LogPrintf("%s: failed to flush state (%s)\n", __func__,
2734 state.ToString());
2735 }
2736}
2737
2741 if (!this->FlushStateToDisk(state, FlushStateMode::NONE)) {
2742 LogPrintf("%s: failed to flush state (%s)\n", __func__,
2743 state.ToString());
2744 }
2745}
2746
2747static void UpdateTipLog(const CCoinsViewCache &coins_tip,
2748 const CBlockIndex *tip, const CChainParams &params,
2749 const std::string &func_name,
2750 const std::string &prefix)
2753 LogPrintf("%s%s: new best=%s height=%d version=0x%08x log2_work=%f tx=%ld "
2754 "date='%s' progress=%f cache=%.1fMiB(%utxo)\n",
2755 prefix, func_name, tip->GetBlockHash().ToString(), tip->nHeight,
2756 tip->nVersion, log(tip->nChainWork.getdouble()) / log(2.0),
2757 tip->GetChainTxCount(),
2759 GuessVerificationProgress(params.TxData(), tip),
2760 coins_tip.DynamicMemoryUsage() * (1.0 / (1 << 20)),
2761 coins_tip.GetCacheSize());
2762}
2763
2764void Chainstate::UpdateTip(const CBlockIndex *pindexNew) {
2766 const auto &coins_tip = CoinsTip();
2767
2768 const CChainParams &params{m_chainman.GetParams()};
2769
2770 // The remainder of the function isn't relevant if we are not acting on
2771 // the active chainstate, so return if need be.
2772 if (this != &m_chainman.ActiveChainstate()) {
2773 // Only log every so often so that we don't bury log messages at the
2774 // tip.
2775 constexpr int BACKGROUND_LOG_INTERVAL = 2000;
2776 if (pindexNew->nHeight % BACKGROUND_LOG_INTERVAL == 0) {
2777 UpdateTipLog(coins_tip, pindexNew, params, __func__,
2778 "[background validation] ");
2779 }
2780 return;
2781 }
2782
2783 // New best block
2784 if (m_mempool) {
2786 }
2787
2788 {
2790 g_best_block = pindexNew;
2791 g_best_block_cv.notify_all();
2792 }
2793
2794 UpdateTipLog(coins_tip, pindexNew, params, __func__, "");
2795}
2796
2809 DisconnectedBlockTransactions *disconnectpool) {
2811 if (m_mempool) {
2813 }
2814
2815 CBlockIndex *pindexDelete = m_chain.Tip();
2816
2817 assert(pindexDelete);
2818 assert(pindexDelete->pprev);
2819
2820 // Read block from disk.
2821 std::shared_ptr<CBlock> pblock = std::make_shared<CBlock>();
2822 CBlock &block = *pblock;
2823 if (!m_blockman.ReadBlockFromDisk(block, *pindexDelete)) {
2824 return error("DisconnectTip(): Failed to read block");
2825 }
2826
2827 // Apply the block atomically to the chain state.
2828 int64_t nStart = GetTimeMicros();
2829 {
2830 CCoinsViewCache view(&CoinsTip());
2831 assert(view.GetBestBlock() == pindexDelete->GetBlockHash());
2832 if (DisconnectBlock(block, pindexDelete, view) !=
2834 return error("DisconnectTip(): DisconnectBlock %s failed",
2835 pindexDelete->GetBlockHash().ToString());
2836 }
2837
2838 bool flushed = view.Flush();
2839 assert(flushed);
2840 }
2841
2842 LogPrint(BCLog::BENCH, "- Disconnect block: %.2fms\n",
2843 (GetTimeMicros() - nStart) * MILLI);
2844
2845 {
2846 // Prune locks that began at or after the tip should be moved backward
2847 // so they get a chance to reorg
2848 const int max_height_first{pindexDelete->nHeight - 1};
2849 for (auto &prune_lock : m_blockman.m_prune_locks) {
2850 if (prune_lock.second.height_first <= max_height_first) {
2851 continue;
2852 }
2853
2854 prune_lock.second.height_first = max_height_first;
2855 LogPrint(BCLog::PRUNE, "%s prune lock moved back to %d\n",
2856 prune_lock.first, max_height_first);
2857 }
2858 }
2859
2860 // Write the chain state to disk, if necessary.
2862 return false;
2863 }
2864
2865 if (m_mempool) {
2866 // If this block is deactivating a fork, we move all mempool
2867 // transactions in front of disconnectpool for reprocessing in a future
2868 // updateMempoolForReorg call
2869 if (pindexDelete->pprev != nullptr &&
2870 GetNextBlockScriptFlags(pindexDelete, m_chainman) !=
2871 GetNextBlockScriptFlags(pindexDelete->pprev, m_chainman)) {
2873 "Disconnecting mempool due to rewind of upgrade block\n");
2874 if (disconnectpool) {
2875 disconnectpool->importMempool(*m_mempool);
2876 }
2877 m_mempool->clear();
2878 }
2879
2880 if (disconnectpool) {
2881 disconnectpool->addForBlock(block.vtx, *m_mempool);
2882 }
2883 }
2884
2885 m_chain.SetTip(*pindexDelete->pprev);
2886
2887 UpdateTip(pindexDelete->pprev);
2888 // Let wallets know transactions went from 1-confirmed to
2889 // 0-confirmed or conflicted:
2890 GetMainSignals().BlockDisconnected(pblock, pindexDelete);
2891 return true;
2892}
2893
2894static int64_t nTimeReadFromDisk = 0;
2895static int64_t nTimeConnectTotal = 0;
2896static int64_t nTimeFlush = 0;
2897static int64_t nTimeChainState = 0;
2898static int64_t nTimePostConnect = 0;
2899
2905 BlockPolicyValidationState &blockPolicyState,
2906 CBlockIndex *pindexNew,
2907 const std::shared_ptr<const CBlock> &pblock,
2908 DisconnectedBlockTransactions &disconnectpool,
2909 const avalanche::Processor *const avalanche) {
2911 if (m_mempool) {
2913 }
2914
2915 const Consensus::Params &consensusParams = m_chainman.GetConsensus();
2916
2917 assert(pindexNew->pprev == m_chain.Tip());
2918 // Read block from disk.
2919 int64_t nTime1 = GetTimeMicros();
2920 std::shared_ptr<const CBlock> pthisBlock;
2921 if (!pblock) {
2922 std::shared_ptr<CBlock> pblockNew = std::make_shared<CBlock>();
2923 if (!m_blockman.ReadBlockFromDisk(*pblockNew, *pindexNew)) {
2924 return AbortNode(state, "Failed to read block");
2925 }
2926 pthisBlock = pblockNew;
2927 } else {
2928 pthisBlock = pblock;
2929 }
2930
2931 const CBlock &blockConnecting = *pthisBlock;
2932
2933 // Apply the block atomically to the chain state.
2934 int64_t nTime2 = GetTimeMicros();
2935 nTimeReadFromDisk += nTime2 - nTime1;
2936 int64_t nTime3;
2937 LogPrint(BCLog::BENCH, " - Load block from disk: %.2fms [%.2fs]\n",
2938 (nTime2 - nTime1) * MILLI, nTimeReadFromDisk * MICRO);
2939 {
2940 Amount blockFees{Amount::zero()};
2941 CCoinsViewCache view(&CoinsTip());
2942 bool rv = ConnectBlock(blockConnecting, state, pindexNew, view,
2944 &blockFees);
2945 GetMainSignals().BlockChecked(blockConnecting, state);
2946 if (!rv) {
2947 if (state.IsInvalid()) {
2948 InvalidBlockFound(pindexNew, state);
2949 }
2950
2951 return error("%s: ConnectBlock %s failed, %s", __func__,
2952 pindexNew->GetBlockHash().ToString(),
2953 state.ToString());
2954 }
2955
2967 const BlockHash blockhash = pindexNew->GetBlockHash();
2971
2972 const Amount blockReward =
2973 blockFees +
2974 GetBlockSubsidy(pindexNew->nHeight, consensusParams);
2975
2976 std::vector<std::unique_ptr<ParkingPolicy>> parkingPolicies;
2977 parkingPolicies.emplace_back(std::make_unique<MinerFundPolicy>(
2978 consensusParams, *pindexNew, blockConnecting, blockReward));
2979
2980 if (avalanche) {
2981 // Only enable the RTT policy if the node already finalized a
2982 // block. This is because it's very possible that new blocks
2983 // will be parked after a node restart (but after IBD) if the
2984 // node is behind by a few blocks. We want to make sure that the
2985 // node will be able to switch back to the right tip in this
2986 // case.
2987 if (avalanche->hasFinalizedTip()) {
2988 // Special case for testnet, don't reject blocks mined with
2989 // the min difficulty
2990 if (!consensusParams.fPowAllowMinDifficultyBlocks ||
2991 (blockConnecting.GetBlockTime() <=
2992 pindexNew->pprev->GetBlockTime() +
2993 2 * consensusParams.nPowTargetSpacing)) {
2994 parkingPolicies.emplace_back(
2995 std::make_unique<RTTPolicy>(consensusParams,
2996 *pindexNew));
2997 }
2998 }
2999
3000 parkingPolicies.emplace_back(
3001 std::make_unique<StakingRewardsPolicy>(
3002 *avalanche, consensusParams, *pindexNew,
3003 blockConnecting, blockReward));
3004
3005 if (m_mempool) {
3006 parkingPolicies.emplace_back(
3007 std::make_unique<PreConsensusPolicy>(
3008 *pindexNew, blockConnecting, m_mempool));
3009 }
3010 }
3011
3012 // If any block policy is violated, bail on the first one found
3013 if (std::find_if_not(parkingPolicies.begin(), parkingPolicies.end(),
3014 [&](const auto &policy) {
3015 bool ret = (*policy)(blockPolicyState);
3016 if (!ret) {
3017 LogPrintf(
3018 "Park block because it "
3019 "violated a block policy: %s\n",
3020 blockPolicyState.ToString());
3021 }
3022 return ret;
3023 }) != parkingPolicies.end()) {
3024 pindexNew->nStatus = pindexNew->nStatus.withParked();
3025 m_blockman.m_dirty_blockindex.insert(pindexNew);
3026 return false;
3027 }
3028 }
3029
3030 nTime3 = GetTimeMicros();
3031 nTimeConnectTotal += nTime3 - nTime2;
3032 assert(nBlocksTotal > 0);
3034 " - Connect total: %.2fms [%.2fs (%.2fms/blk)]\n",
3035 (nTime3 - nTime2) * MILLI, nTimeConnectTotal * MICRO,
3037 bool flushed = view.Flush();
3038 assert(flushed);
3039 }
3040
3041 int64_t nTime4 = GetTimeMicros();
3042 nTimeFlush += nTime4 - nTime3;
3043 LogPrint(BCLog::BENCH, " - Flush: %.2fms [%.2fs (%.2fms/blk)]\n",
3044 (nTime4 - nTime3) * MILLI, nTimeFlush * MICRO,
3046
3047 // Write the chain state to disk, if necessary.
3048 if (!FlushStateToDisk(state, FlushStateMode::IF_NEEDED)) {
3049 return false;
3050 }
3051
3052 int64_t nTime5 = GetTimeMicros();
3053 nTimeChainState += nTime5 - nTime4;
3055 " - Writing chainstate: %.2fms [%.2fs (%.2fms/blk)]\n",
3056 (nTime5 - nTime4) * MILLI, nTimeChainState * MICRO,
3058
3059 // Remove conflicting transactions from the mempool;
3060 if (m_mempool) {
3061 disconnectpool.removeForBlock(blockConnecting.vtx, *m_mempool);
3062
3063 // If this block is activating a fork, we move all mempool transactions
3064 // in front of disconnectpool for reprocessing in a future
3065 // updateMempoolForReorg call
3066 if (pindexNew->pprev != nullptr &&
3067 GetNextBlockScriptFlags(pindexNew, m_chainman) !=
3068 GetNextBlockScriptFlags(pindexNew->pprev, m_chainman)) {
3069 LogPrint(
3071 "Disconnecting mempool due to acceptance of upgrade block\n");
3072 disconnectpool.importMempool(*m_mempool);
3073 }
3074 }
3075
3076 // Update m_chain & related variables.
3077 m_chain.SetTip(*pindexNew);
3078 UpdateTip(pindexNew);
3079
3080 int64_t nTime6 = GetTimeMicros();
3081 nTimePostConnect += nTime6 - nTime5;
3082 nTimeTotal += nTime6 - nTime1;
3084 " - Connect postprocess: %.2fms [%.2fs (%.2fms/blk)]\n",
3085 (nTime6 - nTime5) * MILLI, nTimePostConnect * MICRO,
3087 LogPrint(BCLog::BENCH, "- Connect block: %.2fms [%.2fs (%.2fms/blk)]\n",
3088 (nTime6 - nTime1) * MILLI, nTimeTotal * MICRO,
3090
3091 // If we are the background validation chainstate, check to see if we are
3092 // done validating the snapshot (i.e. our tip has reached the snapshot's
3093 // base block).
3094 if (this != &m_chainman.ActiveChainstate()) {
3095 // This call may set `m_disabled`, which is referenced immediately
3096 // afterwards in ActivateBestChain, so that we stop connecting blocks
3097 // past the snapshot base.
3098 m_chainman.MaybeCompleteSnapshotValidation();
3099 }
3100
3101 GetMainSignals().BlockConnected(this->GetRole(), pthisBlock, pindexNew);
3102 return true;
3103}
3104
3110 std::vector<const CBlockIndex *> &blocksToReconcile, bool fAutoUnpark) {
3112 do {
3113 CBlockIndex *pindexNew = nullptr;
3114
3115 // Find the best candidate header.
3116 {
3117 std::set<CBlockIndex *, CBlockIndexWorkComparator>::reverse_iterator
3118 it = setBlockIndexCandidates.rbegin();
3119 if (it == setBlockIndexCandidates.rend()) {
3120 return nullptr;
3121 }
3122 pindexNew = *it;
3123 }
3124
3125 // If this block will cause an avalanche finalized block to be reorged,
3126 // then we park it.
3127 {
3129 if (m_avalancheFinalizedBlockIndex &&
3130 !AreOnTheSameFork(pindexNew, m_avalancheFinalizedBlockIndex)) {
3131 LogPrintf("Park block %s because it forks prior to the "
3132 "avalanche finalized chaintip.\n",
3133 pindexNew->GetBlockHash().ToString());
3134 pindexNew->nStatus = pindexNew->nStatus.withParked();
3135 m_blockman.m_dirty_blockindex.insert(pindexNew);
3136 }
3137 }
3138
3139 const CBlockIndex *pindexFork = m_chain.FindFork(pindexNew);
3140
3141 // Check whether all blocks on the path between the currently active
3142 // chain and the candidate are valid. Just going until the active chain
3143 // is an optimization, as we know all blocks in it are valid already.
3144 CBlockIndex *pindexTest = pindexNew;
3145 bool hasValidAncestor = true;
3146 while (hasValidAncestor && pindexTest && pindexTest != pindexFork) {
3147 assert(pindexTest->HaveNumChainTxs() || pindexTest->nHeight == 0);
3148
3149 // If this is a parked chain, but it has enough PoW, clear the park
3150 // state.
3151 bool fParkedChain = pindexTest->nStatus.isOnParkedChain();
3152 if (fAutoUnpark && fParkedChain) {
3153 const CBlockIndex *pindexTip = m_chain.Tip();
3154
3155 // During initialization, pindexTip and/or pindexFork may be
3156 // null. In this case, we just ignore the fact that the chain is
3157 // parked.
3158 if (!pindexTip || !pindexFork) {
3159 UnparkBlock(pindexTest);
3160 continue;
3161 }
3162
3163 // A parked chain can be unparked if it has twice as much PoW
3164 // accumulated as the main chain has since the fork block.
3165 CBlockIndex const *pindexExtraPow = pindexTip;
3166 arith_uint256 requiredWork = pindexTip->nChainWork;
3167 switch (pindexTip->nHeight - pindexFork->nHeight) {
3168 // Limit the penality for depth 1, 2 and 3 to half a block
3169 // worth of work to ensure we don't fork accidentally.
3170 case 3:
3171 case 2:
3172 pindexExtraPow = pindexExtraPow->pprev;
3173 // FALLTHROUGH
3174 case 1: {
3175 const arith_uint256 deltaWork =
3176 pindexExtraPow->nChainWork - pindexFork->nChainWork;
3177 requiredWork += (deltaWork >> 1);
3178 break;
3179 }
3180 default:
3181 requiredWork +=
3182 pindexExtraPow->nChainWork - pindexFork->nChainWork;
3183 break;
3184 }
3185
3186 if (pindexNew->nChainWork > requiredWork) {
3187 // We have enough, clear the parked state.
3188 LogPrintf("Unpark chain up to block %s as it has "
3189 "accumulated enough PoW.\n",
3190 pindexNew->GetBlockHash().ToString());
3191 fParkedChain = false;
3192 UnparkBlock(pindexTest);
3193 }
3194 }
3195
3196 // Pruned nodes may have entries in setBlockIndexCandidates for
3197 // which block files have been deleted. Remove those as candidates
3198 // for the most work chain if we come across them; we can't switch
3199 // to a chain unless we have all the non-active-chain parent blocks.
3200 bool fInvalidChain = pindexTest->nStatus.isInvalid();
3201 bool fMissingData = !pindexTest->nStatus.hasData();
3202 if (!(fInvalidChain || fParkedChain || fMissingData)) {
3203 // The current block is acceptable, move to the parent, up to
3204 // the fork point.
3205 pindexTest = pindexTest->pprev;
3206 continue;
3207 }
3208
3209 // Candidate chain is not usable (either invalid or parked or
3210 // missing data)
3211 hasValidAncestor = false;
3212 setBlockIndexCandidates.erase(pindexTest);
3213
3214 if (fInvalidChain && (m_chainman.m_best_invalid == nullptr ||
3215 pindexNew->nChainWork >
3216 m_chainman.m_best_invalid->nChainWork)) {
3217 m_chainman.m_best_invalid = pindexNew;
3218 }
3219
3220 if (fParkedChain && (m_chainman.m_best_parked == nullptr ||
3221 pindexNew->nChainWork >
3222 m_chainman.m_best_parked->nChainWork)) {
3223 m_chainman.m_best_parked = pindexNew;
3224 }
3225
3226 LogPrintf("Considered switching to better tip %s but that chain "
3227 "contains a%s%s%s block.\n",
3228 pindexNew->GetBlockHash().ToString(),
3229 fInvalidChain ? "n invalid" : "",
3230 fParkedChain ? " parked" : "",
3231 fMissingData ? " missing-data" : "");
3232
3233 CBlockIndex *pindexFailed = pindexNew;
3234 // Remove the entire chain from the set.
3235 while (pindexTest != pindexFailed) {
3236 if (fInvalidChain || fParkedChain) {
3237 pindexFailed->nStatus =
3238 pindexFailed->nStatus.withFailedParent(fInvalidChain)
3239 .withParkedParent(fParkedChain);
3240 } else if (fMissingData) {
3241 // If we're missing data, then add back to
3242 // m_blocks_unlinked, so that if the block arrives in the
3243 // future we can try adding to setBlockIndexCandidates
3244 // again.
3246 std::make_pair(pindexFailed->pprev, pindexFailed));
3247 }
3248 setBlockIndexCandidates.erase(pindexFailed);
3249 pindexFailed = pindexFailed->pprev;
3250 }
3251
3252 if (fInvalidChain || fParkedChain) {
3253 // We discovered a new chain tip that is either parked or
3254 // invalid, we may want to warn.
3256 }
3257 }
3258
3259 blocksToReconcile.push_back(pindexNew);
3260
3261 // We found a candidate that has valid ancestors. This is our guy.
3262 if (hasValidAncestor) {
3263 return pindexNew;
3264 }
3265 } while (true);
3266}
3267
3273 // Note that we can't delete the current block itself, as we may need to
3274 // return to it later in case a reorganization to a better block fails.
3275 auto it = setBlockIndexCandidates.begin();
3276 while (it != setBlockIndexCandidates.end() &&
3277 setBlockIndexCandidates.value_comp()(*it, m_chain.Tip())) {
3278 setBlockIndexCandidates.erase(it++);
3279 }
3280
3281 // Either the current tip or a successor of it we're working towards is left
3282 // in setBlockIndexCandidates.
3284}
3285
3294 BlockValidationState &state, CBlockIndex *pindexMostWork,
3295 const std::shared_ptr<const CBlock> &pblock, bool &fInvalidFound,
3296 const avalanche::Processor *const avalanche) {
3298 if (m_mempool) {
3300 }
3301
3302 const CBlockIndex *pindexOldTip = m_chain.Tip();
3303 const CBlockIndex *pindexFork = m_chain.FindFork(pindexMostWork);
3304
3305 // Disconnect active blocks which are no longer in the best chain.
3306 bool fBlocksDisconnected = false;
3307 DisconnectedBlockTransactions disconnectpool;
3308 while (m_chain.Tip() && m_chain.Tip() != pindexFork) {
3309 if (!fBlocksDisconnected) {
3310 // Import and clear mempool; we must do this to preserve
3311 // topological ordering in the mempool index. This is ok since
3312 // inserts into the mempool are very fast now in our new
3313 // implementation.
3314 disconnectpool.importMempool(*m_mempool);
3315 }
3316
3317 if (!DisconnectTip(state, &disconnectpool)) {
3318 // This is likely a fatal error, but keep the mempool consistent,
3319 // just in case. Only remove from the mempool in this case.
3320 if (m_mempool) {
3321 disconnectpool.updateMempoolForReorg(*this, false, *m_mempool);
3322 }
3323
3324 // If we're unable to disconnect a block during normal operation,
3325 // then that is a failure of our local system -- we should abort
3326 // rather than stay on a less work chain.
3327 AbortNode(state,
3328 "Failed to disconnect block; see debug.log for details");
3329 return false;
3330 }
3331
3332 fBlocksDisconnected = true;
3333 }
3334
3335 // Build list of new blocks to connect.
3336 std::vector<CBlockIndex *> vpindexToConnect;
3337 bool fContinue = true;
3338 int nHeight = pindexFork ? pindexFork->nHeight : -1;
3339 while (fContinue && nHeight != pindexMostWork->nHeight) {
3340 // Don't iterate the entire list of potential improvements toward the
3341 // best tip, as we likely only need a few blocks along the way.
3342 int nTargetHeight = std::min(nHeight + 32, pindexMostWork->nHeight);
3343 vpindexToConnect.clear();
3344 vpindexToConnect.reserve(nTargetHeight - nHeight);
3345 CBlockIndex *pindexIter = pindexMostWork->GetAncestor(nTargetHeight);
3346 while (pindexIter && pindexIter->nHeight != nHeight) {
3347 vpindexToConnect.push_back(pindexIter);
3348 pindexIter = pindexIter->pprev;
3349 }
3350
3351 nHeight = nTargetHeight;
3352
3353 // Connect new blocks.
3354 for (CBlockIndex *pindexConnect : reverse_iterate(vpindexToConnect)) {
3355 BlockPolicyValidationState blockPolicyState;
3356 if (!ConnectTip(state, blockPolicyState, pindexConnect,
3357 pindexConnect == pindexMostWork
3358 ? pblock
3359 : std::shared_ptr<const CBlock>(),
3360 disconnectpool, avalanche)) {
3361 if (state.IsInvalid()) {
3362 // The block violates a consensus rule.
3363 if (state.GetResult() !=
3365 InvalidChainFound(vpindexToConnect.back());
3366 }
3367 state = BlockValidationState();
3368 fInvalidFound = true;
3369 fContinue = false;
3370 break;
3371 }
3372
3373 if (blockPolicyState.IsInvalid()) {
3374 // The block violates a policy rule.
3375 fContinue = false;
3376 break;
3377 }
3378
3379 // A system error occurred (disk space, database error, ...).
3380 // Make the mempool consistent with the current tip, just in
3381 // case any observers try to use it before shutdown.
3382 if (m_mempool) {
3383 disconnectpool.updateMempoolForReorg(*this, false,
3384 *m_mempool);
3385 }
3386 return false;
3387 } else {
3389 if (!pindexOldTip ||
3390 m_chain.Tip()->nChainWork > pindexOldTip->nChainWork) {
3391 // We're in a better position than we were. Return
3392 // temporarily to release the lock.
3393 fContinue = false;
3394 break;
3395 }
3396 }
3397 }
3398 }
3399
3400 if (m_mempool) {
3401 if (fBlocksDisconnected || !disconnectpool.isEmpty()) {
3402 // If any blocks were disconnected, we need to update the mempool
3403 // even if disconnectpool is empty. The disconnectpool may also be
3404 // non-empty if the mempool was imported due to new validation rules
3405 // being in effect.
3407 "Updating mempool due to reorganization or "
3408 "rules upgrade/downgrade\n");
3409 disconnectpool.updateMempoolForReorg(*this, true, *m_mempool);
3410 }
3411
3412 m_mempool->check(this->CoinsTip(), this->m_chain.Height() + 1);
3413 }
3414
3415 // Callbacks/notifications for a new best chain.
3416 if (fInvalidFound) {
3418 } else {
3420 }
3421
3422 return true;
3423}
3424
3426 if (!init) {
3428 }
3429 if (::fReindex) {
3431 }
3433}
3434
3437 bool fNotify = false;
3438 bool fInitialBlockDownload = false;
3439 static CBlockIndex *pindexHeaderOld = nullptr;
3440 CBlockIndex *pindexHeader = nullptr;
3441 {
3442 LOCK(cs_main);
3443 pindexHeader = chainman.m_best_header;
3444
3445 if (pindexHeader != pindexHeaderOld) {
3446 fNotify = true;
3447 fInitialBlockDownload = chainman.IsInitialBlockDownload();
3448 pindexHeaderOld = pindexHeader;
3449 }
3450 }
3451
3452 // Send block tip changed notifications without cs_main
3453 if (fNotify) {
3454 chainman.GetNotifications().headerTip(
3455 GetSynchronizationState(fInitialBlockDownload),
3456 pindexHeader->nHeight, pindexHeader->nTime, false);
3457 }
3458 return fNotify;
3459}
3460
3463
3464 if (GetMainSignals().CallbacksPending() > 10) {
3466 }
3467}
3468
3470 std::shared_ptr<const CBlock> pblock,
3473
3474 // Note that while we're often called here from ProcessNewBlock, this is
3475 // far from a guarantee. Things in the P2P/RPC will often end up calling
3476 // us in the middle of ProcessNewBlock - do not assume pblock is set
3477 // sanely for performance or correctness!
3479
3480 // ABC maintains a fair degree of expensive-to-calculate internal state
3481 // because this function periodically releases cs_main so that it does not
3482 // lock up other threads for too long during large connects - and to allow
3483 // for e.g. the callback queue to drain we use m_chainstate_mutex to enforce
3484 // mutual exclusion so that only one caller may execute this function at a
3485 // time
3487
3488 // Belt-and-suspenders check that we aren't attempting to advance the
3489 // background chainstate past the snapshot base block.
3490 if (WITH_LOCK(::cs_main, return m_disabled)) {
3491 LogPrintf("m_disabled is set - this chainstate should not be in "
3492 "operation. Please report this as a bug. %s\n",
3493 PACKAGE_BUGREPORT);
3494 return false;
3495 }
3496
3497 CBlockIndex *pindexMostWork = nullptr;
3498 CBlockIndex *pindexNewTip = nullptr;
3499 int nStopAtHeight = gArgs.GetIntArg("-stopatheight", DEFAULT_STOPATHEIGHT);
3500 bool exited_ibd{false};
3501 do {
3502 // Block until the validation queue drains. This should largely
3503 // never happen in normal operation, however may happen during
3504 // reindex, causing memory blowup if we run too far ahead.
3505 // Note that if a validationinterface callback ends up calling
3506 // ActivateBestChain this may lead to a deadlock! We should
3507 // probably have a DEBUG_LOCKORDER test for this in the future.
3509
3510 std::vector<const CBlockIndex *> blocksToReconcile;
3511 bool blocks_connected = false;
3512
3513 const bool fAutoUnpark =
3514 gArgs.GetBoolArg("-automaticunparking", !avalanche);
3515
3516 {
3517 LOCK(cs_main);
3518 // Lock transaction pool for at least as long as it takes for
3519 // updateMempoolForReorg to be executed if needed
3520 LOCK(MempoolMutex());
3521 const bool was_in_ibd = m_chainman.IsInitialBlockDownload();
3522 CBlockIndex *starting_tip = m_chain.Tip();
3523 do {
3524 // We absolutely may not unlock cs_main until we've made forward
3525 // progress (with the exception of shutdown due to hardware
3526 // issues, low disk space, etc).
3527
3528 if (pindexMostWork == nullptr) {
3529 pindexMostWork =
3530 FindMostWorkChain(blocksToReconcile, fAutoUnpark);
3531 }
3532
3533 // Whether we have anything to do at all.
3534 if (pindexMostWork == nullptr ||
3535 pindexMostWork == m_chain.Tip()) {
3536 break;
3537 }
3538
3539 bool fInvalidFound = false;
3540 std::shared_ptr<const CBlock> nullBlockPtr;
3542 state, pindexMostWork,
3543 pblock && pblock->GetHash() ==
3544 pindexMostWork->GetBlockHash()
3545 ? pblock
3546 : nullBlockPtr,
3547 fInvalidFound, avalanche)) {
3548 // A system error occurred
3549 return false;
3550 }
3551 blocks_connected = true;
3552
3553 if (fInvalidFound ||
3554 (pindexMostWork && pindexMostWork->nStatus.isParked())) {
3555 // Wipe cache, we may need another branch now.
3556 pindexMostWork = nullptr;
3557 }
3558
3559 pindexNewTip = m_chain.Tip();
3560
3561 // This will have been toggled in
3562 // ActivateBestChainStep -> ConnectTip ->
3563 // MaybeCompleteSnapshotValidation, if at all, so we should
3564 // catch it here.
3565 //
3566 // Break this do-while to ensure we don't advance past the base
3567 // snapshot.
3568 if (m_disabled) {
3569 break;
3570 }
3571 } while (!m_chain.Tip() ||
3572 (starting_tip && CBlockIndexWorkComparator()(
3573 m_chain.Tip(), starting_tip)));
3574
3575 // Check the index once we're done with the above loop, since
3576 // we're going to release cs_main soon. If the index is in a bad
3577 // state now, then it's better to know immediately rather than
3578 // randomly have it cause a problem in a race.
3580
3581 if (blocks_connected) {
3582 const CBlockIndex *pindexFork = m_chain.FindFork(starting_tip);
3583 bool still_in_ibd = m_chainman.IsInitialBlockDownload();
3584
3585 if (was_in_ibd && !still_in_ibd) {
3586 // Active chainstate has exited IBD
3587 exited_ibd = true;
3588 }
3589
3590 // Notify external listeners about the new tip.
3591 // Enqueue while holding cs_main to ensure that UpdatedBlockTip
3592 // is called in the order in which blocks are connected
3593 if (this == &m_chainman.ActiveChainstate() &&
3594 pindexFork != pindexNewTip) {
3595 // Notify ValidationInterface subscribers
3596 GetMainSignals().UpdatedBlockTip(pindexNewTip, pindexFork,
3597 still_in_ibd);
3598
3599 // Always notify the UI if a new block tip was connected
3601 GetSynchronizationState(still_in_ibd), *pindexNewTip);
3602 }
3603 }
3604 }
3605 // When we reach this point, we switched to a new tip (stored in
3606 // pindexNewTip).
3607 if (avalanche) {
3608 const CBlockIndex *pfinalized =
3610 return m_avalancheFinalizedBlockIndex);
3611 for (const CBlockIndex *pindex : blocksToReconcile) {
3612 avalanche->addToReconcile(pindex);
3613
3614 // Compute staking rewards for all blocks with more chainwork to
3615 // just after the finalized block. We could stop at the fork
3616 // point, but this is more robust.
3617 if (blocks_connected) {
3618 const CBlockIndex *pindexTest = pindex;
3619 while (pindexTest && pindexTest != pfinalized) {
3620 if (pindexTest->nHeight < pindex->nHeight - 3) {
3621 // Only compute up to some max depth
3622 break;
3623 }
3624 avalanche->computeStakingReward(pindexTest);
3625 pindexTest = pindexTest->pprev;
3626 }
3627 }
3628 }
3629 }
3630
3631 if (!blocks_connected) {
3632 return true;
3633 }
3634
3635 if (nStopAtHeight && pindexNewTip &&
3636 pindexNewTip->nHeight >= nStopAtHeight) {
3637 StartShutdown();
3638 }
3639
3640 if (exited_ibd) {
3641 // If a background chainstate is in use, we may need to rebalance
3642 // our allocation of caches once a chainstate exits initial block
3643 // download.
3644 LOCK(::cs_main);
3645 m_chainman.MaybeRebalanceCaches();
3646 }
3647
3648 if (WITH_LOCK(::cs_main, return m_disabled)) {
3649 // Background chainstate has reached the snapshot base block, so
3650 // exit.
3651 break;
3652 }
3653
3654 // We check shutdown only after giving ActivateBestChainStep a chance to
3655 // run once so that we never shutdown before connecting the genesis
3656 // block during LoadChainTip(). Previously this caused an assert()
3657 // failure during shutdown in such cases as the UTXO DB flushing checks
3658 // that the best block hash is non-null.
3659 if (ShutdownRequested()) {
3660 break;
3661 }
3662 } while (pindexNewTip != pindexMostWork);
3663
3664 // Write changes periodically to disk, after relay.
3666 return false;
3667 }
3668
3669 return true;
3670}
3671
3676 {
3677 LOCK(cs_main);
3678 if (pindex->nChainWork < m_chain.Tip()->nChainWork) {
3679 // Nothing to do, this block is not at the tip.
3680 return true;
3681 }
3682
3684 // The chain has been extended since the last call, reset the
3685 // counter.
3687 }
3688
3690 setBlockIndexCandidates.erase(pindex);
3693 std::numeric_limits<int32_t>::min()) {
3694 // We can't keep reducing the counter if somebody really wants to
3695 // call preciousblock 2**31-1 times on the same set of tips...
3697 }
3698
3699 // In case this was parked, unpark it.
3700 UnparkBlock(pindex);
3701
3702 // Make sure it is added to the candidate list if appropriate.
3703 if (pindex->IsValid(BlockValidity::TRANSACTIONS) &&
3704 pindex->HaveNumChainTxs()) {
3705 setBlockIndexCandidates.insert(pindex);
3707 }
3708 }
3709
3710 return ActivateBestChain(state, /*pblock=*/nullptr, avalanche);
3711}
3712
3713namespace {
3714// Leverage RAII to run a functor at scope end
3715template <typename Func> struct Defer {
3716 Func func;
3717 Defer(Func &&f) : func(std::move(f)) {}
3718 ~Defer() { func(); }
3719};
3720} // namespace
3721
3723 bool invalidate) {
3724 // Genesis block can't be invalidated or parked
3725 assert(pindex);
3726 if (pindex->nHeight == 0) {
3727 return false;
3728 }
3729
3730 CBlockIndex *to_mark_failed_or_parked = pindex;
3731 bool pindex_was_in_chain = false;
3732 int disconnected = 0;
3733
3734 // We do not allow ActivateBestChain() to run while UnwindBlock() is
3735 // running, as that could cause the tip to change while we disconnect
3736 // blocks. (Note for backport of Core PR16849: we acquire
3737 // LOCK(m_chainstate_mutex) in the Park, Invalidate and FinalizeBlock
3738 // functions due to differences in our code)
3740
3741 // We'll be acquiring and releasing cs_main below, to allow the validation
3742 // callbacks to run. However, we should keep the block index in a
3743 // consistent state as we disconnect blocks -- in particular we need to
3744 // add equal-work blocks to setBlockIndexCandidates as we disconnect.
3745 // To avoid walking the block index repeatedly in search of candidates,
3746 // build a map once so that we can look up candidate blocks by chain
3747 // work as we go.
3748 std::multimap<const arith_uint256, CBlockIndex *> candidate_blocks_by_work;
3749
3750 {
3751 LOCK(cs_main);
3752 for (auto &entry : m_blockman.m_block_index) {
3753 CBlockIndex *candidate = &entry.second;
3754 // We don't need to put anything in our active chain into the
3755 // multimap, because those candidates will be found and considered
3756 // as we disconnect.
3757 // Instead, consider only non-active-chain blocks that have at
3758 // least as much work as where we expect the new tip to end up.
3759 if (!m_chain.Contains(candidate) &&
3760 !CBlockIndexWorkComparator()(candidate, pindex->pprev) &&
3762 candidate->HaveNumChainTxs()) {
3763 candidate_blocks_by_work.insert(
3764 std::make_pair(candidate->nChainWork, candidate));
3765 }
3766 }
3767 }
3768
3769 {
3770 LOCK(cs_main);
3771 // Lock for as long as disconnectpool is in scope to make sure
3772 // UpdateMempoolForReorg is called after DisconnectTip without unlocking
3773 // in between
3774 LOCK(MempoolMutex());
3775
3776 constexpr int maxDisconnectPoolBlocks = 10;
3777 bool ret = false;
3778 DisconnectedBlockTransactions disconnectpool;
3779 // After 10 blocks this becomes nullptr, so that DisconnectTip will
3780 // stop giving us unwound block txs if we are doing a deep unwind.
3781 DisconnectedBlockTransactions *optDisconnectPool = &disconnectpool;
3782
3783 // Disable thread safety analysis because we can't require m_mempool->cs
3784 // as m_mempool can be null. We keep the runtime analysis though.
3785 Defer deferred([&]() NO_THREAD_SAFETY_ANALYSIS {
3787 if (m_mempool && !disconnectpool.isEmpty()) {
3789 // DisconnectTip will add transactions to disconnectpool.
3790 // When all unwinding is done and we are on a new tip, we must
3791 // add all transactions back to the mempool against the new tip.
3792 disconnectpool.updateMempoolForReorg(*this,
3793 /* fAddToMempool = */ ret,
3794 *m_mempool);
3795 }
3796 });
3797
3798 // Disconnect (descendants of) pindex, and mark them invalid.
3799 while (true) {
3800 if (ShutdownRequested()) {
3801 break;
3802 }
3803
3804 // Make sure the queue of validation callbacks doesn't grow
3805 // unboundedly.
3806 // FIXME this commented code is a regression and could cause OOM if
3807 // a very old block is invalidated via the invalidateblock RPC.
3808 // This can be uncommented if the main signals are moved away from
3809 // cs_main or this code is refactored so that cs_main can be
3810 // released at this point.
3811 //
3812 // LimitValidationInterfaceQueue();
3813
3814 if (!m_chain.Contains(pindex)) {
3815 break;
3816 }
3817
3818 if (m_mempool && disconnected == 0) {
3819 // On first iteration, we grab all the mempool txs to preserve
3820 // topological ordering. This has the side-effect of temporarily
3821 // clearing the mempool, but we will re-add later in
3822 // updateMempoolForReorg() (above). This technique guarantees
3823 // mempool consistency as well as ensures that our topological
3824 // entry_id index is always correct.
3825 disconnectpool.importMempool(*m_mempool);
3826 }
3827
3828 pindex_was_in_chain = true;
3829 CBlockIndex *invalid_walk_tip = m_chain.Tip();
3830
3831 // ActivateBestChain considers blocks already in m_chain
3832 // unconditionally valid already, so force disconnect away from it.
3833
3834 ret = DisconnectTip(state, optDisconnectPool);
3835 ++disconnected;
3836
3837 if (optDisconnectPool && disconnected > maxDisconnectPoolBlocks) {
3838 // Stop using the disconnect pool after 10 blocks. After 10
3839 // blocks we no longer add block tx's to the disconnectpool.
3840 // However, when this scope ends we will reconcile what's
3841 // in the pool with the new tip (in the deferred d'tor above).
3842 optDisconnectPool = nullptr;
3843 }
3844
3845 if (!ret) {
3846 return false;
3847 }
3848
3849 assert(invalid_walk_tip->pprev == m_chain.Tip());
3850
3851 // We immediately mark the disconnected blocks as invalid.
3852 // This prevents a case where pruned nodes may fail to
3853 // invalidateblock and be left unable to start as they have no tip
3854 // candidates (as there are no blocks that meet the "have data and
3855 // are not invalid per nStatus" criteria for inclusion in
3856 // setBlockIndexCandidates).
3857
3858 invalid_walk_tip->nStatus =
3859 invalidate ? invalid_walk_tip->nStatus.withFailed()
3860 : invalid_walk_tip->nStatus.withParked();
3861
3862 m_blockman.m_dirty_blockindex.insert(invalid_walk_tip);
3863 setBlockIndexCandidates.insert(invalid_walk_tip->pprev);
3864
3865 if (invalid_walk_tip == to_mark_failed_or_parked->pprev &&
3866 (invalidate ? to_mark_failed_or_parked->nStatus.hasFailed()
3867 : to_mark_failed_or_parked->nStatus.isParked())) {
3868 // We only want to mark the last disconnected block as
3869 // Failed (or Parked); its children need to be FailedParent (or
3870 // ParkedParent) instead.
3871 to_mark_failed_or_parked->nStatus =
3872 (invalidate
3873 ? to_mark_failed_or_parked->nStatus.withFailed(false)
3874 .withFailedParent()
3875 : to_mark_failed_or_parked->nStatus.withParked(false)
3876 .withParkedParent());
3877
3878 m_blockman.m_dirty_blockindex.insert(to_mark_failed_or_parked);
3879 }
3880
3881 // Add any equal or more work headers to setBlockIndexCandidates
3882 auto candidate_it = candidate_blocks_by_work.lower_bound(
3883 invalid_walk_tip->pprev->nChainWork);
3884 while (candidate_it != candidate_blocks_by_work.end()) {
3885 if (!CBlockIndexWorkComparator()(candidate_it->second,
3886 invalid_walk_tip->pprev)) {
3887 setBlockIndexCandidates.insert(candidate_it->second);
3888 candidate_it = candidate_blocks_by_work.erase(candidate_it);
3889 } else {
3890 ++candidate_it;
3891 }
3892 }
3893
3894 // Track the last disconnected block, so we can correct its
3895 // FailedParent (or ParkedParent) status in future iterations, or,
3896 // if it's the last one, call InvalidChainFound on it.
3897 to_mark_failed_or_parked = invalid_walk_tip;
3898 }
3899 }
3900
3902
3903 {
3904 LOCK(cs_main);
3905 if (m_chain.Contains(to_mark_failed_or_parked)) {
3906 // If the to-be-marked invalid block is in the active chain,
3907 // something is interfering and we can't proceed.
3908 return false;
3909 }
3910
3911 // Mark pindex (or the last disconnected block) as invalid (or parked),
3912 // even when it never was in the main chain.
3913 to_mark_failed_or_parked->nStatus =
3914 invalidate ? to_mark_failed_or_parked->nStatus.withFailed()
3915 : to_mark_failed_or_parked->nStatus.withParked();
3916 m_blockman.m_dirty_blockindex.insert(to_mark_failed_or_parked);
3917 if (invalidate) {
3918 m_chainman.m_failed_blocks.insert(to_mark_failed_or_parked);
3919 }
3920
3921 // If any new blocks somehow arrived while we were disconnecting
3922 // (above), then the pre-calculation of what should go into
3923 // setBlockIndexCandidates may have missed entries. This would
3924 // technically be an inconsistency in the block index, but if we clean
3925 // it up here, this should be an essentially unobservable error.
3926 // Loop back over all block index entries and add any missing entries
3927 // to setBlockIndexCandidates.
3928 for (auto &[_, block_index] : m_blockman.m_block_index) {
3929 if (block_index.IsValid(BlockValidity::TRANSACTIONS) &&
3930 block_index.HaveNumChainTxs() &&
3931 !setBlockIndexCandidates.value_comp()(&block_index,
3932 m_chain.Tip())) {
3933 setBlockIndexCandidates.insert(&block_index);
3934 }
3935 }
3936
3937 if (invalidate) {
3938 InvalidChainFound(to_mark_failed_or_parked);
3939 }
3940 }
3941
3942 // Only notify about a new block tip if the active chain was modified.
3943 if (pindex_was_in_chain) {
3946 *to_mark_failed_or_parked->pprev);
3947 }
3948 return true;
3949}
3950
3952 CBlockIndex *pindex) {
3955 // See 'Note for backport of Core PR16849' in Chainstate::UnwindBlock
3957
3958 return UnwindBlock(state, pindex, true);
3959}
3960
3964 // See 'Note for backport of Core PR16849' in Chainstate::UnwindBlock
3966
3967 return UnwindBlock(state, pindex, false);
3968}
3969
3970template <typename F>
3972 CBlockIndex *pindex, F f) {
3973 BlockStatus newStatus = f(pindex->nStatus);
3974 if (pindex->nStatus != newStatus &&
3975 (!pindexBase ||
3976 pindex->GetAncestor(pindexBase->nHeight) == pindexBase)) {
3977 pindex->nStatus = newStatus;
3978 m_blockman.m_dirty_blockindex.insert(pindex);
3979 if (newStatus.isValid()) {
3980 m_chainman.m_failed_blocks.erase(pindex);
3981 }
3982
3983 if (pindex->IsValid(BlockValidity::TRANSACTIONS) &&
3984 pindex->HaveNumChainTxs() &&
3985 setBlockIndexCandidates.value_comp()(m_chain.Tip(), pindex)) {
3986 setBlockIndexCandidates.insert(pindex);
3987 }
3988 return true;
3989 }
3990 return false;
3991}
3992
3993template <typename F, typename C, typename AC>
3995 F f, C fChild, AC fAncestorWasChanged) {
3997
3998 // Update the current block and ancestors; while we're doing this, identify
3999 // which was the deepest ancestor we changed.
4000 CBlockIndex *pindexDeepestChanged = pindex;
4001 for (auto pindexAncestor = pindex; pindexAncestor != nullptr;
4002 pindexAncestor = pindexAncestor->pprev) {
4003 if (UpdateFlagsForBlock(nullptr, pindexAncestor, f)) {
4004 pindexDeepestChanged = pindexAncestor;
4005 }
4006 }
4007
4008 if (pindexReset &&
4009 pindexReset->GetAncestor(pindexDeepestChanged->nHeight) ==
4010 pindexDeepestChanged) {
4011 // reset pindexReset if it had a modified ancestor.
4012 pindexReset = nullptr;
4013 }
4014
4015 // Update all blocks under modified blocks.
4016 for (auto &[_, block_index] : m_blockman.m_block_index) {
4017 UpdateFlagsForBlock(pindex, &block_index, fChild);
4018 UpdateFlagsForBlock(pindexDeepestChanged, &block_index,
4019 fAncestorWasChanged);
4020 }
4021}
4022
4025
4027 pindex, m_chainman.m_best_invalid,
4028 [](const BlockStatus status) {
4029 return status.withClearedFailureFlags();
4030 },
4031 [](const BlockStatus status) {
4032 return status.withClearedFailureFlags();
4033 },
4034 [](const BlockStatus status) {
4035 return status.withFailedParent(false);
4036 });
4037}
4038
4041 // The block only is a candidate for the most-work-chain if it has the same
4042 // or more work than our current tip.
4043 if (m_chain.Tip() != nullptr &&
4044 setBlockIndexCandidates.value_comp()(pindex, m_chain.Tip())) {
4045 return;
4046 }
4047
4048 bool is_active_chainstate = this == &m_chainman.ActiveChainstate();
4049 if (is_active_chainstate) {
4050 // The active chainstate should always add entries that have more
4051 // work than the tip.
4052 setBlockIndexCandidates.insert(pindex);
4053 } else if (!m_disabled) {
4054 // For the background chainstate, we only consider connecting blocks
4055 // towards the snapshot base (which can't be nullptr or else we'll
4056 // never make progress).
4057 const CBlockIndex *snapshot_base{
4058 Assert(m_chainman.GetSnapshotBaseBlock())};
4059 if (snapshot_base->GetAncestor(pindex->nHeight) == pindex) {
4060 setBlockIndexCandidates.insert(pindex);
4061 }
4062 }
4063}
4064
4065void Chainstate::UnparkBlockImpl(CBlockIndex *pindex, bool fClearChildren) {
4067
4069 pindex, m_chainman.m_best_parked,
4070 [](const BlockStatus status) {
4071 return status.withClearedParkedFlags();
4072 },
4073 [fClearChildren](const BlockStatus status) {
4074 return fClearChildren ? status.withClearedParkedFlags()
4075 : status.withParkedParent(false);
4076 },
4077 [](const BlockStatus status) {
4078 return status.withParkedParent(false);
4079 });
4080}
4081
4083 return UnparkBlockImpl(pindex, true);
4084}
4085
4087 return UnparkBlockImpl(pindex, false);
4088}
4089
4092 if (!pindex) {
4093 return false;
4094 }
4095
4096 if (!m_chain.Contains(pindex)) {
4098 "The block to mark finalized by avalanche is not on the "
4099 "active chain: %s\n",
4100 pindex->GetBlockHash().ToString());
4101 return false;
4102 }
4103
4104 avalanche.cleanupStakingRewards(pindex->nHeight);
4105
4106 if (IsBlockAvalancheFinalized(pindex)) {
4107 return true;
4108 }
4109
4110 {
4112 m_avalancheFinalizedBlockIndex = pindex;
4113 }
4114
4115 WITH_LOCK(cs_main, GetMainSignals().BlockFinalized(pindex));
4116
4117 return true;
4118}
4119
4122 m_avalancheFinalizedBlockIndex = nullptr;
4123}
4124
4127 return pindex && m_avalancheFinalizedBlockIndex &&
4128 m_avalancheFinalizedBlockIndex->GetAncestor(pindex->nHeight) ==
4129 pindex;
4130}
4131
4137 CBlockIndex *pindexNew,
4138 const FlatFilePos &pos) {
4139 pindexNew->nTx = block.vtx.size();
4140 pindexNew->MaybeResetChainStats(pindexNew == GetSnapshotBaseBlock());
4141 pindexNew->nSize = ::GetSerializeSize(block, PROTOCOL_VERSION);
4142 pindexNew->nFile = pos.nFile;
4143 pindexNew->nDataPos = pos.nPos;
4144 pindexNew->nUndoPos = 0;
4145 pindexNew->nStatus = pindexNew->nStatus.withData();
4147 m_blockman.m_dirty_blockindex.insert(pindexNew);
4148
4149 if (pindexNew->UpdateChainStats()) {
4150 // If pindexNew is the genesis block or all parents are
4151 // BLOCK_VALID_TRANSACTIONS.
4152 std::deque<CBlockIndex *> queue;
4153 queue.push_back(pindexNew);
4154
4155 // Recursively process any descendant blocks that now may be eligible to
4156 // be connected.
4157 while (!queue.empty()) {
4158 CBlockIndex *pindex = queue.front();
4159 queue.pop_front();
4160 pindex->UpdateChainStats();
4161 if (pindex->nSequenceId == 0) {
4162 // We assign a sequence is when transaction are received to
4163 // prevent a miner from being able to broadcast a block but not
4164 // its content. However, a sequence id may have been set
4165 // manually, for instance via PreciousBlock, in which case, we
4166 // don't need to assign one.
4167 pindex->nSequenceId = nBlockSequenceId++;
4168 }
4169 for (Chainstate *c : GetAll()) {
4170 c->TryAddBlockIndexCandidate(pindex);
4171 }
4172
4173 std::pair<std::multimap<CBlockIndex *, CBlockIndex *>::iterator,
4174 std::multimap<CBlockIndex *, CBlockIndex *>::iterator>
4175 range = m_blockman.m_blocks_unlinked.equal_range(pindex);
4176 while (range.first != range.second) {
4177 std::multimap<CBlockIndex *, CBlockIndex *>::iterator it =
4178 range.first;
4179 queue.push_back(it->second);
4180 range.first++;
4181 m_blockman.m_blocks_unlinked.erase(it);
4182 }
4183 }
4184 } else if (pindexNew->pprev &&
4185 pindexNew->pprev->IsValid(BlockValidity::TREE)) {
4187 std::make_pair(pindexNew->pprev, pindexNew));
4188 }
4189}
4190
4199static bool CheckBlockHeader(const CBlockHeader &block,
4200 BlockValidationState &state,
4201 const Consensus::Params &params,
4202 BlockValidationOptions validationOptions) {
4203 // Check proof of work matches claimed amount
4204 if (validationOptions.shouldValidatePoW() &&
4205 !CheckProofOfWork(block.GetHash(), block.nBits, params)) {
4207 "high-hash", "proof of work failed");
4208 }
4209
4210 return true;
4211}
4212
4213bool CheckBlock(const CBlock &block, BlockValidationState &state,
4214 const Consensus::Params &params,
4215 BlockValidationOptions validationOptions) {
4216 // These are checks that are independent of context.
4217 if (block.fChecked) {
4218 return true;
4219 }
4220
4221 // Check that the header is valid (particularly PoW). This is mostly
4222 // redundant with the call in AcceptBlockHeader.
4223 if (!CheckBlockHeader(block, state, params, validationOptions)) {
4224 return false;
4225 }
4226
4227 // Check the merkle root.
4228 if (validationOptions.shouldValidateMerkleRoot()) {
4229 bool mutated;
4230 uint256 hashMerkleRoot2 = BlockMerkleRoot(block, &mutated);
4231 if (block.hashMerkleRoot != hashMerkleRoot2) {
4233 "bad-txnmrklroot", "hashMerkleRoot mismatch");
4234 }
4235
4236 // Check for merkle tree malleability (CVE-2012-2459): repeating
4237 // sequences of transactions in a block without affecting the merkle
4238 // root of a block, while still invalidating it.
4239 if (mutated) {
4241 "bad-txns-duplicate", "duplicate transaction");
4242 }
4243 }
4244
4245 // All potential-corruption validation must be done before we do any
4246 // transaction validation, as otherwise we may mark the header as invalid
4247 // because we receive the wrong transactions for it.
4248
4249 // First transaction must be coinbase.
4250 if (block.vtx.empty()) {
4252 "bad-cb-missing", "first tx is not coinbase");
4253 }
4254
4255 // Size limits.
4256 auto nMaxBlockSize = validationOptions.getExcessiveBlockSize();
4257
4258 // Bail early if there is no way this block is of reasonable size.
4259 if ((block.vtx.size() * MIN_TRANSACTION_SIZE) > nMaxBlockSize) {
4261 "bad-blk-length", "size limits failed");
4262 }
4263
4264 auto currentBlockSize = ::GetSerializeSize(block, PROTOCOL_VERSION);
4265 if (currentBlockSize > nMaxBlockSize) {
4267 "bad-blk-length", "size limits failed");
4268 }
4269
4270 // And a valid coinbase.
4271 TxValidationState tx_state;
4272 if (!CheckCoinbase(*block.vtx[0], tx_state)) {
4274 tx_state.GetRejectReason(),
4275 strprintf("Coinbase check failed (txid %s) %s",
4276 block.vtx[0]->GetId().ToString(),
4277 tx_state.GetDebugMessage()));
4278 }
4279
4280 // Check transactions for regularity, skipping the first. Note that this
4281 // is the first time we check that all after the first are !IsCoinBase.
4282 for (size_t i = 1; i < block.vtx.size(); i++) {
4283 auto *tx = block.vtx[i].get();
4284 if (!CheckRegularTransaction(*tx, tx_state)) {
4285 return state.Invalid(
4287 tx_state.GetRejectReason(),
4288 strprintf("Transaction check failed (txid %s) %s",
4289 tx->GetId().ToString(), tx_state.GetDebugMessage()));
4290 }
4291 }
4292
4293 if (validationOptions.shouldValidatePoW() &&
4294 validationOptions.shouldValidateMerkleRoot()) {
4295 block.fChecked = true;
4296 }
4297
4298 return true;
4299}
4300
4301bool HasValidProofOfWork(const std::vector<CBlockHeader> &headers,
4302 const Consensus::Params &consensusParams) {
4303 return std::all_of(headers.cbegin(), headers.cend(),
4304 [&](const auto &header) {
4305 return CheckProofOfWork(
4306 header.GetHash(), header.nBits, consensusParams);
4307 });
4308}
4309
4310arith_uint256 CalculateHeadersWork(const std::vector<CBlockHeader> &headers) {
4311 arith_uint256 total_work{0};
4312 for (const CBlockHeader &header : headers) {
4313 CBlockIndex dummy(header);
4314 total_work += GetBlockProof(dummy);
4315 }
4316 return total_work;
4317}
4318
4330 const CBlockHeader &block, BlockValidationState &state,
4331 BlockManager &blockman, ChainstateManager &chainman,
4332 const CBlockIndex *pindexPrev, NodeClock::time_point now,
4333 const std::optional<CCheckpointData> &test_checkpoints = std::nullopt)
4336 assert(pindexPrev != nullptr);
4337 const int nHeight = pindexPrev->nHeight + 1;
4338
4339 const CChainParams &params = chainman.GetParams();
4340
4341 // Check proof of work
4342 if (block.nBits != GetNextWorkRequired(pindexPrev, &block, params)) {
4343 LogPrintf("bad bits after height: %d\n", pindexPrev->nHeight);
4345 "bad-diffbits", "incorrect proof of work");
4346 }
4347
4348 // Check against checkpoints
4349 if (chainman.m_options.checkpoints_enabled) {
4350 const CCheckpointData &checkpoints =
4351 test_checkpoints ? test_checkpoints.value() : params.Checkpoints();
4352
4353 // Check that the block chain matches the known block chain up to a
4354 // checkpoint.
4355 if (!Checkpoints::CheckBlock(checkpoints, nHeight, block.GetHash())) {
4357 "ERROR: %s: rejected by checkpoint lock-in at %d\n",
4358 __func__, nHeight);
4360 "checkpoint mismatch");
4361 }
4362
4363 // Don't accept any forks from the main chain prior to last checkpoint.
4364 // GetLastCheckpoint finds the last checkpoint in MapCheckpoints that's
4365 // in our BlockIndex().
4366
4367 const CBlockIndex *pcheckpoint =
4368 blockman.GetLastCheckpoint(checkpoints);
4369 if (pcheckpoint && nHeight < pcheckpoint->nHeight) {
4371 "ERROR: %s: forked chain older than last checkpoint "
4372 "(height %d)\n",
4373 __func__, nHeight);
4375 "bad-fork-prior-to-checkpoint");
4376 }
4377 }
4378
4379 // Check timestamp against prev
4380 if (block.GetBlockTime() <= pindexPrev->GetMedianTimePast()) {
4382 "time-too-old", "block's timestamp is too early");
4383 }
4384
4385 // Check timestamp
4386 if (block.Time() > now + std::chrono::seconds{MAX_FUTURE_BLOCK_TIME}) {
4388 "time-too-new",
4389 "block timestamp too far in the future");
4390 }
4391
4392 // Reject blocks with outdated version
4393 if ((block.nVersion < 2 &&
4394 DeploymentActiveAfter(pindexPrev, chainman,
4396 (block.nVersion < 3 &&
4397 DeploymentActiveAfter(pindexPrev, chainman,
4399 (block.nVersion < 4 &&
4400 DeploymentActiveAfter(pindexPrev, chainman,
4402 return state.Invalid(
4404 strprintf("bad-version(0x%08x)", block.nVersion),
4405 strprintf("rejected nVersion=0x%08x block", block.nVersion));
4406 }
4407
4408 return true;
4409}
4410
4412 const CBlockIndex &active_chain_tip, const Consensus::Params &params,
4413 const CTransaction &tx, TxValidationState &state) {
4415
4416 // ContextualCheckTransactionForCurrentBlock() uses
4417 // active_chain_tip.Height()+1 to evaluate nLockTime because when
4418 // IsFinalTx() is called within AcceptBlock(), the height of the
4419 // block *being* evaluated is what is used. Thus if we want to know if a
4420 // transaction can be part of the *next* block, we need to call
4421 // ContextualCheckTransaction() with one more than
4422 // active_chain_tip.Height().
4423 const int nBlockHeight = active_chain_tip.nHeight + 1;
4424
4425 // BIP113 will require that time-locked transactions have nLockTime set to
4426 // less than the median time of the previous block they're contained in.
4427 // When the next block is created its previous block will be the current
4428 // chain tip, so we use that to calculate the median time passed to
4429 // ContextualCheckTransaction().
4430 // This time can also be used for consensus upgrades.
4431 const int64_t nMedianTimePast{active_chain_tip.GetMedianTimePast()};
4432
4433 return ContextualCheckTransaction(params, tx, state, nBlockHeight,
4434 nMedianTimePast);
4435}
4436
4444static bool ContextualCheckBlock(const CBlock &block,
4445 BlockValidationState &state,
4446 const ChainstateManager &chainman,
4447 const CBlockIndex *pindexPrev) {
4448 const int nHeight = pindexPrev == nullptr ? 0 : pindexPrev->nHeight + 1;
4449
4450 // Enforce BIP113 (Median Time Past).
4451 bool enforce_locktime_median_time_past{false};
4452 if (DeploymentActiveAfter(pindexPrev, chainman,
4454 assert(pindexPrev != nullptr);
4455 enforce_locktime_median_time_past = true;
4456 }
4457
4458 const int64_t nMedianTimePast =
4459 pindexPrev == nullptr ? 0 : pindexPrev->GetMedianTimePast();
4460
4461 const int64_t nLockTimeCutoff{enforce_locktime_median_time_past
4462 ? nMedianTimePast
4463 : block.GetBlockTime()};
4464
4465 const Consensus::Params params = chainman.GetConsensus();
4466 const bool fIsMagneticAnomalyEnabled =
4467 IsMagneticAnomalyEnabled(params, pindexPrev);
4468
4469 // Check transactions:
4470 // - canonical ordering
4471 // - ensure they are finalized
4472 // - check they have the minimum size
4473 const CTransaction *prevTx = nullptr;
4474 for (const auto &ptx : block.vtx) {
4475 const CTransaction &tx = *ptx;
4476 if (fIsMagneticAnomalyEnabled) {
4477 if (prevTx && (tx.GetId() <= prevTx->GetId())) {
4478 if (tx.GetId() == prevTx->GetId()) {
4480 "tx-duplicate",
4481 strprintf("Duplicated transaction %s",
4482 tx.GetId().ToString()));
4483 }
4484
4485 return state.Invalid(
4487 strprintf("Transaction order is invalid (%s < %s)",
4488 tx.GetId().ToString(),
4489 prevTx->GetId().ToString()));
4490 }
4491
4492 if (prevTx || !tx.IsCoinBase()) {
4493 prevTx = &tx;
4494 }
4495 }
4496
4497 TxValidationState tx_state;
4498 if (!ContextualCheckTransaction(params, tx, tx_state, nHeight,
4499 nLockTimeCutoff)) {
4501 tx_state.GetRejectReason(),
4502 tx_state.GetDebugMessage());
4503 }
4504 }
4505
4506 // Enforce rule that the coinbase starts with serialized block height
4507 if (DeploymentActiveAfter(pindexPrev, chainman,
4509 CScript expect = CScript() << nHeight;
4510 if (block.vtx[0]->vin[0].scriptSig.size() < expect.size() ||
4511 !std::equal(expect.begin(), expect.end(),
4512 block.vtx[0]->vin[0].scriptSig.begin())) {
4514 "bad-cb-height",
4515 "block height mismatch in coinbase");
4516 }
4517 }
4518
4519 return true;
4520}
4521
4528 const CBlockHeader &block, BlockValidationState &state,
4529 CBlockIndex **ppindex, bool min_pow_checked,
4530 const std::optional<CCheckpointData> &test_checkpoints) {
4532 const Config &config = this->GetConfig();
4533 const CChainParams &chainparams = config.GetChainParams();
4534
4535 // Check for duplicate
4536 BlockHash hash = block.GetHash();
4537 BlockMap::iterator miSelf{m_blockman.m_block_index.find(hash)};
4538 if (hash != chainparams.GetConsensus().hashGenesisBlock) {
4539 if (miSelf != m_blockman.m_block_index.end()) {
4540 // Block header is already known.
4541 CBlockIndex *pindex = &(miSelf->second);
4542 if (ppindex) {
4543 *ppindex = pindex;
4544 }
4545
4546 if (pindex->nStatus.isInvalid()) {
4547 LogPrint(BCLog::VALIDATION, "%s: block %s is marked invalid\n",
4548 __func__, hash.ToString());
4549 return state.Invalid(
4551 }
4552
4553 return true;
4554 }
4555
4556 if (!CheckBlockHeader(block, state, chainparams.GetConsensus(),
4557 BlockValidationOptions(config))) {
4559 "%s: Consensus::CheckBlockHeader: %s, %s\n", __func__,
4560 hash.ToString(), state.ToString());
4561 return false;
4562 }
4563
4564 // Get prev block index
4565 BlockMap::iterator mi{
4566 m_blockman.m_block_index.find(block.hashPrevBlock)};
4567 if (mi == m_blockman.m_block_index.end()) {
4569 "header %s has prev block not found: %s\n",
4570 hash.ToString(), block.hashPrevBlock.ToString());
4572 "prev-blk-not-found");
4573 }
4574
4575 CBlockIndex *pindexPrev = &((*mi).second);
4576 assert(pindexPrev);
4577 if (pindexPrev->nStatus.isInvalid()) {
4579 "header %s has prev block invalid: %s\n", hash.ToString(),
4580 block.hashPrevBlock.ToString());
4582 "bad-prevblk");
4583 }
4584
4586 block, state, m_blockman, *this, pindexPrev,
4587 m_options.adjusted_time_callback(), test_checkpoints)) {
4589 "%s: Consensus::ContextualCheckBlockHeader: %s, %s\n",
4590 __func__, hash.ToString(), state.ToString());
4591 return false;
4592 }
4593
4594 /* Determine if this block descends from any block which has been found
4595 * invalid (m_failed_blocks), then mark pindexPrev and any blocks
4596 * between them as failed. For example:
4597 *
4598 * D3
4599 * /
4600 * B2 - C2
4601 * / \
4602 * A D2 - E2 - F2
4603 * \
4604 * B1 - C1 - D1 - E1
4605 *
4606 * In the case that we attempted to reorg from E1 to F2, only to find
4607 * C2 to be invalid, we would mark D2, E2, and F2 as BLOCK_FAILED_CHILD
4608 * but NOT D3 (it was not in any of our candidate sets at the time).
4609 *
4610 * In any case D3 will also be marked as BLOCK_FAILED_CHILD at restart
4611 * in LoadBlockIndex.
4612 */
4613 if (!pindexPrev->IsValid(BlockValidity::SCRIPTS)) {
4614 // The above does not mean "invalid": it checks if the previous
4615 // block hasn't been validated up to BlockValidity::SCRIPTS. This is
4616 // a performance optimization, in the common case of adding a new
4617 // block to the tip, we don't need to iterate over the failed blocks
4618 // list.
4619 for (const CBlockIndex *failedit : m_failed_blocks) {
4620 if (pindexPrev->GetAncestor(failedit->nHeight) == failedit) {
4621 assert(failedit->nStatus.hasFailed());
4622 CBlockIndex *invalid_walk = pindexPrev;
4623 while (invalid_walk != failedit) {
4624 invalid_walk->nStatus =
4625 invalid_walk->nStatus.withFailedParent();
4626 m_blockman.m_dirty_blockindex.insert(invalid_walk);
4627 invalid_walk = invalid_walk->pprev;
4628 }
4630 "header %s has prev block invalid: %s\n",
4631 hash.ToString(), block.hashPrevBlock.ToString());
4632 return state.Invalid(
4634 "bad-prevblk");
4635 }
4636 }
4637 }
4638 }
4639 if (!min_pow_checked) {
4641 "%s: not adding new block header %s, missing anti-dos "
4642 "proof-of-work validation\n",
4643 __func__, hash.ToString());
4645 "too-little-chainwork");
4646 }
4647 CBlockIndex *pindex{m_blockman.AddToBlockIndex(block, m_best_header)};
4648
4649 if (ppindex) {
4650 *ppindex = pindex;
4651 }
4652
4653 // Since this is the earliest point at which we have determined that a
4654 // header is both new and valid, log here.
4655 //
4656 // These messages are valuable for detecting potential selfish mining
4657 // behavior; if multiple displacing headers are seen near simultaneously
4658 // across many nodes in the network, this might be an indication of selfish
4659 // mining. Having this log by default when not in IBD ensures broad
4660 // availability of this data in case investigation is merited.
4661 const auto msg = strprintf("Saw new header hash=%s height=%d",
4662 hash.ToString(), pindex->nHeight);
4663
4664 if (IsInitialBlockDownload()) {
4666 } else {
4667 LogPrintf("%s\n", msg);
4668 }
4669
4670 return true;
4671}
4672
4673// Exposed wrapper for AcceptBlockHeader
4675 const std::vector<CBlockHeader> &headers, bool min_pow_checked,
4676 BlockValidationState &state, const CBlockIndex **ppindex,
4677 const std::optional<CCheckpointData> &test_checkpoints) {
4679 {
4680 LOCK(cs_main);
4681 for (const CBlockHeader &header : headers) {
4682 // Use a temp pindex instead of ppindex to avoid a const_cast
4683 CBlockIndex *pindex = nullptr;
4684 bool accepted = AcceptBlockHeader(
4685 header, state, &pindex, min_pow_checked, test_checkpoints);
4687
4688 if (!accepted) {
4689 return false;
4690 }
4691
4692 if (ppindex) {
4693 *ppindex = pindex;
4694 }
4695 }
4696 }
4697
4698 if (NotifyHeaderTip(*this)) {
4699 if (IsInitialBlockDownload() && ppindex && *ppindex) {
4700 const CBlockIndex &last_accepted{**ppindex};
4701 const int64_t blocks_left{
4702 (GetTime() - last_accepted.GetBlockTime()) /
4704 const double progress{100.0 * last_accepted.nHeight /
4705 (last_accepted.nHeight + blocks_left)};
4706 LogPrintf("Synchronizing blockheaders, height: %d (~%.2f%%)\n",
4707 last_accepted.nHeight, progress);
4708 }
4709 }
4710 return true;
4711}
4712
4714 int64_t height,
4715 int64_t timestamp) {
4717 {
4718 LOCK(cs_main);
4719 // Don't report headers presync progress if we already have a
4720 // post-minchainwork header chain.
4721 // This means we lose reporting for potentially legimate, but unlikely,
4722 // deep reorgs, but prevent attackers that spam low-work headers from
4723 // filling our logs.
4724 if (m_best_header->nChainWork >=
4725 UintToArith256(GetConsensus().nMinimumChainWork)) {
4726 return;
4727 }
4728 // Rate limit headers presync updates to 4 per second, as these are not
4729 // subject to DoS protection.
4730 auto now = Now<SteadyMilliseconds>();
4731 if (now < m_last_presync_update + 250ms) {
4732 return;
4733 }
4734 m_last_presync_update = now;
4735 }
4736 bool initial_download = IsInitialBlockDownload();
4738 height, timestamp, /*presync=*/true);
4739 if (initial_download) {
4740 const int64_t blocks_left{(GetTime() - timestamp) /
4742 const double progress{100.0 * height / (height + blocks_left)};
4743 LogPrintf("Pre-synchronizing blockheaders, height: %d (~%.2f%%)\n",
4744 height, progress);
4745 }
4746}
4747
4748bool ChainstateManager::AcceptBlock(const std::shared_ptr<const CBlock> &pblock,
4749 BlockValidationState &state,
4750 bool fRequested, const FlatFilePos *dbp,
4751 bool *fNewBlock, bool min_pow_checked) {
4753
4754 const CBlock &block = *pblock;
4755 if (fNewBlock) {
4756 *fNewBlock = false;
4757 }
4758
4759 CBlockIndex *pindex = nullptr;
4760
4761 bool accepted_header{
4762 AcceptBlockHeader(block, state, &pindex, min_pow_checked)};
4764
4765 if (!accepted_header) {
4766 return false;
4767 }
4768
4769 // Check all requested blocks that we do not already have for validity and
4770 // save them to disk. Skip processing of unrequested blocks as an anti-DoS
4771 // measure, unless the blocks have more work than the active chain tip, and
4772 // aren't too far ahead of it, so are likely to be attached soon.
4773 bool fAlreadyHave = pindex->nStatus.hasData();
4774
4775 // TODO: deal better with return value and error conditions for duplicate
4776 // and unrequested blocks.
4777 if (fAlreadyHave) {
4778 return true;
4779 }
4780
4781 // Compare block header timestamps and received times of the block and the
4782 // chaintip. If they have the same chain height, use these diffs as a
4783 // tie-breaker, attempting to pick the more honestly-mined block.
4784 int64_t newBlockTimeDiff = std::llabs(pindex->GetReceivedTimeDiff());
4785 int64_t chainTipTimeDiff =
4786 ActiveTip() ? std::llabs(ActiveTip()->GetReceivedTimeDiff()) : 0;
4787
4788 bool isSameHeight =
4789 ActiveTip() && (pindex->nChainWork == ActiveTip()->nChainWork);
4790 if (isSameHeight) {
4791 LogPrintf("Chain tip timestamp-to-received-time difference: hash=%s, "
4792 "diff=%d\n",
4793 ActiveTip()->GetBlockHash().ToString(), chainTipTimeDiff);
4794 LogPrintf("New block timestamp-to-received-time difference: hash=%s, "
4795 "diff=%d\n",
4796 pindex->GetBlockHash().ToString(), newBlockTimeDiff);
4797 }
4798
4799 bool fHasMoreOrSameWork =
4800 (ActiveTip() ? pindex->nChainWork >= ActiveTip()->nChainWork : true);
4801
4802 // Blocks that are too out-of-order needlessly limit the effectiveness of
4803 // pruning, because pruning will not delete block files that contain any
4804 // blocks which are too close in height to the tip. Apply this test
4805 // regardless of whether pruning is enabled; it should generally be safe to
4806 // not process unrequested blocks.
4807 bool fTooFarAhead{pindex->nHeight >
4809
4810 // TODO: Decouple this function from the block download logic by removing
4811 // fRequested
4812 // This requires some new chain data structure to efficiently look up if a
4813 // block is in a chain leading to a candidate for best tip, despite not
4814 // being such a candidate itself.
4815 // Note that this would break the getblockfrompeer RPC
4816
4817 // If we didn't ask for it:
4818 if (!fRequested) {
4819 // This is a previously-processed block that was pruned.
4820 if (pindex->nTx != 0) {
4821 return true;
4822 }
4823
4824 // Don't process less-work chains.
4825 if (!fHasMoreOrSameWork) {
4826 return true;
4827 }
4828
4829 // Block height is too high.
4830 if (fTooFarAhead) {
4831 return true;
4832 }
4833
4834 // Protect against DoS attacks from low-work chains.
4835 // If our tip is behind, a peer could try to send us
4836 // low-work blocks on a fake chain that we would never
4837 // request; don't process these.
4838 if (pindex->nChainWork < MinimumChainWork()) {
4839 return true;
4840 }
4841 }
4842
4843 if (!CheckBlock(block, state,
4846 !ContextualCheckBlock(block, state, *this, pindex->pprev)) {
4847 if (state.IsInvalid() &&
4849 pindex->nStatus = pindex->nStatus.withFailed();
4850 m_blockman.m_dirty_blockindex.insert(pindex);
4851 }
4852
4853 return error("%s: %s (block %s)", __func__, state.ToString(),
4854 block.GetHash().ToString());
4855 }
4856
4857 // If connecting the new block would require rewinding more than one block
4858 // from the active chain (i.e., a "deep reorg"), then mark the new block as
4859 // parked. If it has enough work then it will be automatically unparked
4860 // later, during FindMostWorkChain. We mark the block as parked at the very
4861 // last minute so we can make sure everything is ready to be reorged if
4862 // needed.
4863 if (gArgs.GetBoolArg("-parkdeepreorg", true)) {
4864 // Blocks that are below the snapshot height can't cause reorgs, as the
4865 // active tip is at least thousands of blocks higher. Don't park them,
4866 // they will most likely connect on the tip of the background chain.
4867 std::optional<int> snapshot_base_height = GetSnapshotBaseHeight();
4868 const bool is_background_block =
4869 snapshot_base_height && BackgroundSyncInProgress() &&
4870 pindex->nHeight <= snapshot_base_height;
4871 const CBlockIndex *pindexFork = ActiveChain().FindFork(pindex);
4872 if (!is_background_block && pindexFork &&
4873 pindexFork->nHeight + 1 < ActiveHeight()) {
4874 LogPrintf("Park block %s as it would cause a deep reorg.\n",
4875 pindex->GetBlockHash().ToString());
4876 pindex->nStatus = pindex->nStatus.withParked();
4877 m_blockman.m_dirty_blockindex.insert(pindex);
4878 }
4879 }
4880
4881 // Header is valid/has work and the merkle tree is good.
4882 // Relay now, but if it does not build on our best tip, let the
4883 // SendMessages loop relay it.
4884 if (!IsInitialBlockDownload() && ActiveTip() == pindex->pprev) {
4885 GetMainSignals().NewPoWValidBlock(pindex, pblock);
4886 }
4887
4888 // Write block to history file
4889 if (fNewBlock) {
4890 *fNewBlock = true;
4891 }
4892 try {
4893 FlatFilePos blockPos{
4894 m_blockman.SaveBlockToDisk(block, pindex->nHeight, dbp)};
4895 if (blockPos.IsNull()) {
4896 state.Error(strprintf(
4897 "%s: Failed to find position to write new block to disk",
4898 __func__));
4899 return false;
4900 }
4901 ReceivedBlockTransactions(block, pindex, blockPos);
4902 } catch (const std::runtime_error &e) {
4903 return AbortNode(state, std::string("System error: ") + e.what());
4904 }
4905
4906 // TODO: FlushStateToDisk() handles flushing of both block and chainstate
4907 // data, so we should move this to ChainstateManager so that we can be more
4908 // intelligent about how we flush.
4909 // For now, since FlushStateMode::NONE is used, all that can happen is that
4910 // the block files may be pruned, so we can just call this on one
4911 // chainstate (particularly if we haven't implemented pruning with
4912 // background validation yet).
4913 ActiveChainstate().FlushStateToDisk(state, FlushStateMode::NONE);
4914
4916
4917 return true;
4918}
4919
4921 const std::shared_ptr<const CBlock> &block, bool force_processing,
4922 bool min_pow_checked, bool *new_block,
4925
4926 {
4927 if (new_block) {
4928 *new_block = false;
4929 }
4930
4932
4933 // CheckBlock() does not support multi-threaded block validation
4934 // because CBlock::fChecked can cause data race.
4935 // Therefore, the following critical section must include the
4936 // CheckBlock() call as well.
4937 LOCK(cs_main);
4938
4939 // Skipping AcceptBlock() for CheckBlock() failures means that we will
4940 // never mark a block as invalid if CheckBlock() fails. This is
4941 // protective against consensus failure if there are any unknown form
4942 // s of block malleability that cause CheckBlock() to fail; see e.g.
4943 // CVE-2012-2459 and
4944 // https://lists.linuxfoundation.org/pipermail/bitcoin-dev/2019-February/016697.html.
4945 // Because CheckBlock() is not very expensive, the anti-DoS benefits of
4946 // caching failure (of a definitely-invalid block) are not substantial.
4947 bool ret = CheckBlock(*block, state, this->GetConsensus(),
4949 if (ret) {
4950 // Store to disk
4951 ret = AcceptBlock(block, state, force_processing, nullptr,
4952 new_block, min_pow_checked);
4953 }
4954
4955 if (!ret) {
4956 GetMainSignals().BlockChecked(*block, state);
4957 return error("%s: AcceptBlock FAILED (%s)", __func__,
4958 state.ToString());
4959 }
4960 }
4961
4962 NotifyHeaderTip(*this);
4963
4964 // Only used to report errors, not invalidity - ignore it
4966 if (!ActiveChainstate().ActivateBestChain(state, block, avalanche)) {
4967 return error("%s: ActivateBestChain failed (%s)", __func__,
4968 state.ToString());
4969 }
4970
4972 ? m_ibd_chainstate.get()
4973 : nullptr)};
4974 BlockValidationState bg_state;
4975 if (bg_chain && !bg_chain->ActivateBestChain(bg_state, block)) {
4976 return error("%s: [background] ActivateBestChain failed (%s)", __func__,
4977 bg_state.ToString());
4978 }
4979
4980 return true;
4981}
4982
4985 bool test_accept) {
4987 Chainstate &active_chainstate = ActiveChainstate();
4988 if (!active_chainstate.GetMempool()) {
4989 TxValidationState state;
4990 state.Invalid(TxValidationResult::TX_NO_MEMPOOL, "no-mempool");
4991 return MempoolAcceptResult::Failure(state);
4992 }
4993 auto result = AcceptToMemoryPool(active_chainstate, tx, GetTime(),
4994 /*bypass_limits=*/false, test_accept);
4995 active_chainstate.GetMempool()->check(
4996 active_chainstate.CoinsTip(), active_chainstate.m_chain.Height() + 1);
4997 return result;
4998}
4999
5001 BlockValidationState &state, const CChainParams &params,
5002 Chainstate &chainstate, const CBlock &block, CBlockIndex *pindexPrev,
5003 const std::function<NodeClock::time_point()> &adjusted_time_callback,
5004 BlockValidationOptions validationOptions) {
5006 assert(pindexPrev && pindexPrev == chainstate.m_chain.Tip());
5007 CCoinsViewCache viewNew(&chainstate.CoinsTip());
5008 BlockHash block_hash(block.GetHash());
5009 CBlockIndex indexDummy(block);
5010 indexDummy.pprev = pindexPrev;
5011 indexDummy.nHeight = pindexPrev->nHeight + 1;
5012 indexDummy.phashBlock = &block_hash;
5013
5014 // NOTE: CheckBlockHeader is called by CheckBlock
5015 if (!ContextualCheckBlockHeader(block, state, chainstate.m_blockman,
5016 chainstate.m_chainman, pindexPrev,
5017 adjusted_time_callback())) {
5018 return error("%s: Consensus::ContextualCheckBlockHeader: %s", __func__,
5019 state.ToString());
5020 }
5021
5022 if (!CheckBlock(block, state, params.GetConsensus(), validationOptions)) {
5023 return error("%s: Consensus::CheckBlock: %s", __func__,
5024 state.ToString());
5025 }
5026
5027 if (!ContextualCheckBlock(block, state, chainstate.m_chainman,
5028 pindexPrev)) {
5029 return error("%s: Consensus::ContextualCheckBlock: %s", __func__,
5030 state.ToString());
5031 }
5032
5033 if (!chainstate.ConnectBlock(block, state, &indexDummy, viewNew,
5034 validationOptions, nullptr, true)) {
5035 return false;
5036 }
5037
5038 assert(state.IsValid());
5039 return true;
5040}
5041
5042/* This function is called from the RPC code for pruneblockchain */
5043void PruneBlockFilesManual(Chainstate &active_chainstate,
5044 int nManualPruneHeight) {
5046 if (active_chainstate.FlushStateToDisk(state, FlushStateMode::NONE,
5047 nManualPruneHeight)) {
5048 LogPrintf("%s: failed to flush state (%s)\n", __func__,
5049 state.ToString());
5050 }
5051}
5052
5053void Chainstate::LoadMempool(const fs::path &load_path,
5054 FopenFn mockable_fopen_function) {
5055 if (!m_mempool) {
5056 return;
5057 }
5058 ::LoadMempool(*m_mempool, load_path, *this, mockable_fopen_function);
5060}
5061
5064 const CCoinsViewCache &coins_cache = CoinsTip();
5065 // Never called when the coins view is empty
5066 assert(!coins_cache.GetBestBlock().IsNull());
5067 const CBlockIndex *tip = m_chain.Tip();
5068
5069 if (tip && tip->GetBlockHash() == coins_cache.GetBestBlock()) {
5070 return true;
5071 }
5072
5073 // Load pointer to end of best chain
5074 CBlockIndex *pindex =
5076 if (!pindex) {
5077 return false;
5078 }
5079 m_chain.SetTip(*pindex);
5081
5082 tip = m_chain.Tip();
5083 LogPrintf(
5084 "Loaded best chain: hashBestChain=%s height=%d date=%s progress=%f\n",
5085 tip->GetBlockHash().ToString(), m_chain.Height(),
5088 return true;
5089}
5090
5092 : m_notifications{notifications} {
5093 m_notifications.progress(_("Verifying blocks…"), 0, false);
5094}
5095
5097 m_notifications.progress(bilingual_str{}, 100, false);
5098}
5099
5101 CCoinsView &coinsview, int nCheckLevel,
5102 int nCheckDepth) {
5104
5105 const Config &config = chainstate.m_chainman.GetConfig();
5106 const CChainParams &params = config.GetChainParams();
5107 const Consensus::Params &consensusParams = params.GetConsensus();
5108
5109 if (chainstate.m_chain.Tip() == nullptr ||
5110 chainstate.m_chain.Tip()->pprev == nullptr) {
5112 }
5113
5114 // Verify blocks in the best chain
5115 if (nCheckDepth <= 0 || nCheckDepth > chainstate.m_chain.Height()) {
5116 nCheckDepth = chainstate.m_chain.Height();
5117 }
5118
5119 nCheckLevel = std::max(0, std::min(4, nCheckLevel));
5120 LogPrintf("Verifying last %i blocks at level %i\n", nCheckDepth,
5121 nCheckLevel);
5122
5123 CCoinsViewCache coins(&coinsview);
5124 CBlockIndex *pindex;
5125 CBlockIndex *pindexFailure = nullptr;
5126 int nGoodTransactions = 0;
5128 int reportDone = 0;
5129 bool skipped_no_block_data{false};
5130 bool skipped_l3_checks{false};
5131 LogPrintf("Verification progress: 0%%\n");
5132
5133 const bool is_snapshot_cs{chainstate.m_from_snapshot_blockhash};
5134
5135 for (pindex = chainstate.m_chain.Tip(); pindex && pindex->pprev;
5136 pindex = pindex->pprev) {
5137 const int percentageDone = std::max(
5138 1, std::min(99, (int)(((double)(chainstate.m_chain.Height() -
5139 pindex->nHeight)) /
5140 (double)nCheckDepth *
5141 (nCheckLevel >= 4 ? 50 : 100))));
5142 if (reportDone < percentageDone / 10) {
5143 // report every 10% step
5144 LogPrintf("Verification progress: %d%%\n", percentageDone);
5145 reportDone = percentageDone / 10;
5146 }
5147
5148 m_notifications.progress(_("Verifying blocks…"), percentageDone, false);
5149 if (pindex->nHeight <= chainstate.m_chain.Height() - nCheckDepth) {
5150 break;
5151 }
5152
5153 if ((chainstate.m_blockman.IsPruneMode() || is_snapshot_cs) &&
5154 !pindex->nStatus.hasData()) {
5155 // If pruning or running under an assumeutxo snapshot, only go
5156 // back as far as we have data.
5157 LogPrintf("VerifyDB(): block verification stopping at height %d "
5158 "(no data). This could be due to pruning or use of an "
5159 "assumeutxo snapshot.\n",
5160 pindex->nHeight);
5161 skipped_no_block_data = true;
5162 break;
5163 }
5164
5165 CBlock block;
5166
5167 // check level 0: read from disk
5168 if (!chainstate.m_blockman.ReadBlockFromDisk(block, *pindex)) {
5169 LogPrintf(
5170 "Verification error: ReadBlockFromDisk failed at %d, hash=%s\n",
5171 pindex->nHeight, pindex->GetBlockHash().ToString());
5173 }
5174
5175 // check level 1: verify block validity
5176 if (nCheckLevel >= 1 && !CheckBlock(block, state, consensusParams,
5177 BlockValidationOptions(config))) {
5178 LogPrintf(
5179 "Verification error: found bad block at %d, hash=%s (%s)\n",
5180 pindex->nHeight, pindex->GetBlockHash().ToString(),
5181 state.ToString());
5183 }
5184
5185 // check level 2: verify undo validity
5186 if (nCheckLevel >= 2 && pindex) {
5187 CBlockUndo undo;
5188 if (!pindex->GetUndoPos().IsNull()) {
5189 if (!chainstate.m_blockman.UndoReadFromDisk(undo, *pindex)) {
5190 LogPrintf("Verification error: found bad undo data at %d, "
5191 "hash=%s\n",
5192 pindex->nHeight,
5193 pindex->GetBlockHash().ToString());
5195 }
5196 }
5197 }
5198 // check level 3: check for inconsistencies during memory-only
5199 // disconnect of tip blocks
5200 size_t curr_coins_usage = coins.DynamicMemoryUsage() +
5201 chainstate.CoinsTip().DynamicMemoryUsage();
5202
5203 if (nCheckLevel >= 3) {
5204 if (curr_coins_usage <= chainstate.m_coinstip_cache_size_bytes) {
5205 assert(coins.GetBestBlock() == pindex->GetBlockHash());
5206 DisconnectResult res =
5207 chainstate.DisconnectBlock(block, pindex, coins);
5208 if (res == DisconnectResult::FAILED) {
5209 LogPrintf("Verification error: irrecoverable inconsistency "
5210 "in block data at %d, hash=%s\n",
5211 pindex->nHeight,
5212 pindex->GetBlockHash().ToString());
5214 }
5215 if (res == DisconnectResult::UNCLEAN) {
5216 nGoodTransactions = 0;
5217 pindexFailure = pindex;
5218 } else {
5219 nGoodTransactions += block.vtx.size();
5220 }
5221 } else {
5222 skipped_l3_checks = true;
5223 }
5224 }
5225
5226 if (ShutdownRequested()) {
5228 }
5229 }
5230
5231 if (pindexFailure) {
5232 LogPrintf("Verification error: coin database inconsistencies found "
5233 "(last %i blocks, %i good transactions before that)\n",
5234 chainstate.m_chain.Height() - pindexFailure->nHeight + 1,
5235 nGoodTransactions);
5237 }
5238 if (skipped_l3_checks) {
5239 LogPrintf("Skipped verification of level >=3 (insufficient database "
5240 "cache size). Consider increasing -dbcache.\n");
5241 }
5242
5243 // store block count as we move pindex at check level >= 4
5244 int block_count = chainstate.m_chain.Height() - pindex->nHeight;
5245
5246 // check level 4: try reconnecting blocks
5247 if (nCheckLevel >= 4 && !skipped_l3_checks) {
5248 while (pindex != chainstate.m_chain.Tip()) {
5249 const int percentageDone = std::max(
5250 1, std::min(99, 100 - int(double(chainstate.m_chain.Height() -
5251 pindex->nHeight) /
5252 double(nCheckDepth) * 50)));
5253 if (reportDone < percentageDone / 10) {
5254 // report every 10% step
5255 LogPrintf("Verification progress: %d%%\n", percentageDone);
5256 reportDone = percentageDone / 10;
5257 }
5258 m_notifications.progress(_("Verifying blocks…"), percentageDone,
5259 false);
5260 pindex = chainstate.m_chain.Next(pindex);
5261 CBlock block;
5262 if (!chainstate.m_blockman.ReadBlockFromDisk(block, *pindex)) {
5263 LogPrintf("Verification error: ReadBlockFromDisk failed at %d, "
5264 "hash=%s\n",
5265 pindex->nHeight, pindex->GetBlockHash().ToString());
5267 }
5268 if (!chainstate.ConnectBlock(block, state, pindex, coins,
5269 BlockValidationOptions(config))) {
5270 LogPrintf("Verification error: found unconnectable block at "
5271 "%d, hash=%s (%s)\n",
5272 pindex->nHeight, pindex->GetBlockHash().ToString(),
5273 state.ToString());
5275 }
5276 if (ShutdownRequested()) {
5278 }
5279 }
5280 }
5281
5282 LogPrintf("Verification: No coin database inconsistencies in last %i "
5283 "blocks (%i transactions)\n",
5284 block_count, nGoodTransactions);
5285
5286 if (skipped_l3_checks) {
5288 }
5289 if (skipped_no_block_data) {
5291 }
5293}
5294
5300 CCoinsViewCache &view) {
5302 // TODO: merge with ConnectBlock
5303 CBlock block;
5304 if (!m_blockman.ReadBlockFromDisk(block, *pindex)) {
5305 return error("ReplayBlock(): ReadBlockFromDisk failed at %d, hash=%s",
5306 pindex->nHeight, pindex->GetBlockHash().ToString());
5307 }
5308
5309 for (const CTransactionRef &tx : block.vtx) {
5310 // Pass check = true as every addition may be an overwrite.
5311 AddCoins(view, *tx, pindex->nHeight, true);
5312 }
5313
5314 for (const CTransactionRef &tx : block.vtx) {
5315 if (tx->IsCoinBase()) {
5316 continue;
5317 }
5318
5319 for (const CTxIn &txin : tx->vin) {
5320 view.SpendCoin(txin.prevout);
5321 }
5322 }
5323
5324 return true;
5325}
5326
5328 LOCK(cs_main);
5329
5330 CCoinsView &db = this->CoinsDB();
5331 CCoinsViewCache cache(&db);
5332
5333 std::vector<BlockHash> hashHeads = db.GetHeadBlocks();
5334 if (hashHeads.empty()) {
5335 // We're already in a consistent state.
5336 return true;
5337 }
5338 if (hashHeads.size() != 2) {
5339 return error("ReplayBlocks(): unknown inconsistent state");
5340 }
5341
5342 m_chainman.GetNotifications().progress(_("Replaying blocks…"), 0, false);
5343 LogPrintf("Replaying blocks\n");
5344
5345 // Old tip during the interrupted flush.
5346 const CBlockIndex *pindexOld = nullptr;
5347 // New tip during the interrupted flush.
5348 const CBlockIndex *pindexNew;
5349 // Latest block common to both the old and the new tip.
5350 const CBlockIndex *pindexFork = nullptr;
5351
5352 if (m_blockman.m_block_index.count(hashHeads[0]) == 0) {
5353 return error(
5354 "ReplayBlocks(): reorganization to unknown block requested");
5355 }
5356
5357 pindexNew = &(m_blockman.m_block_index[hashHeads[0]]);
5358
5359 if (!hashHeads[1].IsNull()) {
5360 // The old tip is allowed to be 0, indicating it's the first flush.
5361 if (m_blockman.m_block_index.count(hashHeads[1]) == 0) {
5362 return error(
5363 "ReplayBlocks(): reorganization from unknown block requested");
5364 }
5365
5366 pindexOld = &(m_blockman.m_block_index[hashHeads[1]]);
5367 pindexFork = LastCommonAncestor(pindexOld, pindexNew);
5368 assert(pindexFork != nullptr);
5369 }
5370
5371 // Rollback along the old branch.
5372 while (pindexOld != pindexFork) {
5373 if (pindexOld->nHeight > 0) {
5374 // Never disconnect the genesis block.
5375 CBlock block;
5376 if (!m_blockman.ReadBlockFromDisk(block, *pindexOld)) {
5377 return error("RollbackBlock(): ReadBlockFromDisk() failed at "
5378 "%d, hash=%s",
5379 pindexOld->nHeight,
5380 pindexOld->GetBlockHash().ToString());
5381 }
5382
5383 LogPrintf("Rolling back %s (%i)\n",
5384 pindexOld->GetBlockHash().ToString(), pindexOld->nHeight);
5385 DisconnectResult res = DisconnectBlock(block, pindexOld, cache);
5386 if (res == DisconnectResult::FAILED) {
5387 return error(
5388 "RollbackBlock(): DisconnectBlock failed at %d, hash=%s",
5389 pindexOld->nHeight, pindexOld->GetBlockHash().ToString());
5390 }
5391
5392 // If DisconnectResult::UNCLEAN is returned, it means a non-existing
5393 // UTXO was deleted, or an existing UTXO was overwritten. It
5394 // corresponds to cases where the block-to-be-disconnect never had
5395 // all its operations applied to the UTXO set. However, as both
5396 // writing a UTXO and deleting a UTXO are idempotent operations, the
5397 // result is still a version of the UTXO set with the effects of
5398 // that block undone.
5399 }
5400 pindexOld = pindexOld->pprev;
5401 }
5402
5403 // Roll forward from the forking point to the new tip.
5404 int nForkHeight = pindexFork ? pindexFork->nHeight : 0;
5405 for (int nHeight = nForkHeight + 1; nHeight <= pindexNew->nHeight;
5406 ++nHeight) {
5407 const CBlockIndex &pindex{*Assert(pindexNew->GetAncestor(nHeight))};
5408 LogPrintf("Rolling forward %s (%i)\n", pindex.GetBlockHash().ToString(),
5409 nHeight);
5411 _("Replaying blocks…"),
5412 (int)((nHeight - nForkHeight) * 100.0 /
5413 (pindexNew->nHeight - nForkHeight)),
5414 false);
5415 if (!RollforwardBlock(&pindex, cache)) {
5416 return false;
5417 }
5418 }
5419
5420 cache.SetBestBlock(pindexNew->GetBlockHash());
5421 cache.Flush();
5423 return true;
5424}
5425
5426// May NOT be used after any connections are up as much of the peer-processing
5427// logic assumes a consistent block index state
5428void Chainstate::ClearBlockIndexCandidates() {
5430 m_best_fork_tip = nullptr;
5431 m_best_fork_base = nullptr;
5433}
5434
5435bool ChainstateManager::DumpRecentHeadersTime(const fs::path &filePath) const {
5437
5439 return false;
5440 }
5441
5442 // Dump enough headers for RTT computation, with a few extras in case a
5443 // reorg occurs.
5444 const uint64_t numHeaders{20};
5445
5446 try {
5447 const fs::path filePathTmp = filePath + ".new";
5448 FILE *filestr = fsbridge::fopen(filePathTmp, "wb");
5449 if (!filestr) {
5450 return false;
5451 }
5452
5453 CAutoFile file(filestr, SER_DISK, CLIENT_VERSION);
5454 file << HEADERS_TIME_VERSION;
5455 file << numHeaders;
5456
5457 const CBlockIndex *index = ActiveTip();
5458 bool missingIndex{false};
5459 for (uint64_t i = 0; i < numHeaders; i++) {
5460 if (!index) {
5461 LogPrintf("Missing block index, stopping the headers time "
5462 "dumping after %d blocks.\n",
5463 i);
5464 missingIndex = true;
5465 break;
5466 }
5467
5468 file << index->GetBlockHash();
5469 file << index->GetHeaderReceivedTime();
5470
5471 index = index->pprev;
5472 }
5473
5474 if (!FileCommit(file.Get())) {
5475 throw std::runtime_error(strprintf("Failed to commit to file %s",
5476 PathToString(filePathTmp)));
5477 }
5478 file.fclose();
5479
5480 if (missingIndex) {
5481 fs::remove(filePathTmp);
5482 return false;
5483 }
5484
5485 if (!RenameOver(filePathTmp, filePath)) {
5486 throw std::runtime_error(strprintf("Rename failed from %s to %s",
5487 PathToString(filePathTmp),
5488 PathToString(filePath)));
5489 }
5490 } catch (const std::exception &e) {
5491 LogPrintf("Failed to dump the headers time: %s.\n", e.what());
5492 return false;
5493 }
5494
5495 LogPrintf("Successfully dumped the last %d headers time to %s.\n",
5496 numHeaders, PathToString(filePath));
5497
5498 return true;
5499}
5500
5503
5505 return false;
5506 }
5507
5508 FILE *filestr = fsbridge::fopen(filePath, "rb");
5509 CAutoFile file(filestr, SER_DISK, CLIENT_VERSION);
5510 if (file.IsNull()) {
5511 LogPrintf("Failed to open header times from disk, skipping.\n");
5512 return false;
5513 }
5514
5515 try {
5516 uint64_t version;
5517 file >> version;
5518
5519 if (version != HEADERS_TIME_VERSION) {
5520 LogPrintf("Unsupported header times file version, skipping.\n");
5521 return false;
5522 }
5523
5524 uint64_t numBlocks;
5525 file >> numBlocks;
5526
5527 for (uint64_t i = 0; i < numBlocks; i++) {
5528 BlockHash blockHash;
5529 int64_t receiveTime;
5530
5531 file >> blockHash;
5532 file >> receiveTime;
5533
5534 CBlockIndex *index = m_blockman.LookupBlockIndex(blockHash);
5535 if (!index) {
5536 LogPrintf("Missing index for block %s, stopping the headers "
5537 "time loading after %d blocks.\n",
5538 blockHash.ToString(), i);
5539 return false;
5540 }
5541
5542 index->nTimeReceived = receiveTime;
5543 }
5544 } catch (const std::exception &e) {
5545 LogPrintf("Failed to read the headers time file data on disk: %s.\n",
5546 e.what());
5547 return false;
5548 }
5549
5550 return true;
5551}
5552
5555 // Load block index from databases
5556 bool needs_init = fReindex;
5557 if (!fReindex) {
5558 bool ret{m_blockman.LoadBlockIndexDB(SnapshotBlockhash())};
5559 if (!ret) {
5560 return false;
5561 }
5562
5563 m_blockman.ScanAndUnlinkAlreadyPrunedFiles();
5564
5565 std::vector<CBlockIndex *> vSortedByHeight{
5566 m_blockman.GetAllBlockIndices()};
5567 std::sort(vSortedByHeight.begin(), vSortedByHeight.end(),
5569
5570 for (CBlockIndex *pindex : vSortedByHeight) {
5571 if (ShutdownRequested()) {
5572 return false;
5573 }
5574 // If we have an assumeutxo-based chainstate, then the snapshot
5575 // block will be a candidate for the tip, but it may not be
5576 // VALID_TRANSACTIONS (eg if we haven't yet downloaded the block),
5577 // so we special-case the snapshot block as a potential candidate
5578 // here.
5579 if (pindex == GetSnapshotBaseBlock() ||
5581 (pindex->HaveNumChainTxs() || pindex->pprev == nullptr))) {
5582 for (Chainstate *chainstate : GetAll()) {
5583 chainstate->TryAddBlockIndexCandidate(pindex);
5584 }
5585 }
5586
5587 if (pindex->nStatus.isInvalid() &&
5588 (!m_best_invalid ||
5589 pindex->nChainWork > m_best_invalid->nChainWork)) {
5590 m_best_invalid = pindex;
5591 }
5592
5593 if (pindex->nStatus.isOnParkedChain() &&
5594 (!m_best_parked ||
5595 pindex->nChainWork > m_best_parked->nChainWork)) {
5596 m_best_parked = pindex;
5597 }
5598
5599 if (pindex->IsValid(BlockValidity::TREE) &&
5600 (m_best_header == nullptr ||
5601 CBlockIndexWorkComparator()(m_best_header, pindex))) {
5602 m_best_header = pindex;
5603 }
5604 }
5605
5606 needs_init = m_blockman.m_block_index.empty();
5607 }
5608
5609 if (needs_init) {
5610 // Everything here is for *new* reindex/DBs. Thus, though
5611 // LoadBlockIndexDB may have set fReindex if we shut down
5612 // mid-reindex previously, we don't check fReindex and
5613 // instead only check it prior to LoadBlockIndexDB to set
5614 // needs_init.
5615
5616 LogPrintf("Initializing databases...\n");
5617 }
5618 return true;
5619}
5620
5622 LOCK(cs_main);
5623
5624 const CChainParams &params{m_chainman.GetParams()};
5625
5626 // Check whether we're already initialized by checking for genesis in
5627 // m_blockman.m_block_index. Note that we can't use m_chain here, since it
5628 // is set based on the coins db, not the block index db, which is the only
5629 // thing loaded at this point.
5630 if (m_blockman.m_block_index.count(params.GenesisBlock().GetHash())) {
5631 return true;
5632 }
5633
5634 try {
5635 const CBlock &block = params.GenesisBlock();
5636 FlatFilePos blockPos{m_blockman.SaveBlockToDisk(block, 0, nullptr)};
5637 if (blockPos.IsNull()) {
5638 return error("%s: writing genesis block to disk failed", __func__);
5639 }
5640 CBlockIndex *pindex =
5641 m_blockman.AddToBlockIndex(block, m_chainman.m_best_header);
5642 m_chainman.ReceivedBlockTransactions(block, pindex, blockPos);
5643 } catch (const std::runtime_error &e) {
5644 return error("%s: failed to write genesis block: %s", __func__,
5645 e.what());
5646 }
5647
5648 return true;
5649}
5650
5652 FILE *fileIn, FlatFilePos *dbp,
5653 std::multimap<BlockHash, FlatFilePos> *blocks_with_unknown_parent,
5655 // Either both should be specified (-reindex), or neither (-loadblock).
5656 assert(!dbp == !blocks_with_unknown_parent);
5657
5658 int64_t nStart = GetTimeMillis();
5659 const CChainParams &params{GetParams()};
5660
5661 int nLoaded = 0;
5662 try {
5663 // This takes over fileIn and calls fclose() on it in the CBufferedFile
5664 // destructor. Make sure we have at least 2*MAX_TX_SIZE space in there
5665 // so any transaction can fit in the buffer.
5666 CBufferedFile blkdat(fileIn, 2 * MAX_TX_SIZE, MAX_TX_SIZE + 8, SER_DISK,
5668 // nRewind indicates where to resume scanning in case something goes
5669 // wrong, such as a block fails to deserialize.
5670 uint64_t nRewind = blkdat.GetPos();
5671 while (!blkdat.eof()) {
5672 if (ShutdownRequested()) {
5673 return;
5674 }
5675
5676 blkdat.SetPos(nRewind);
5677 // Start one byte further next time, in case of failure.
5678 nRewind++;
5679 // Remove former limit.
5680 blkdat.SetLimit();
5681 unsigned int nSize = 0;
5682 try {
5683 // Locate a header.
5685 blkdat.FindByte(std::byte(params.DiskMagic()[0]));
5686 nRewind = blkdat.GetPos() + 1;
5687 blkdat >> buf;
5688 if (memcmp(buf, params.DiskMagic().data(),
5690 continue;
5691 }
5692
5693 // Read size.
5694 blkdat >> nSize;
5695 if (nSize < 80) {
5696 continue;
5697 }
5698 } catch (const std::exception &) {
5699 // No valid block header found; don't complain.
5700 // (this happens at the end of every blk.dat file)
5701 break;
5702 }
5703
5704 try {
5705 // read block header
5706 const uint64_t nBlockPos{blkdat.GetPos()};
5707 if (dbp) {
5708 dbp->nPos = nBlockPos;
5709 }
5710 blkdat.SetLimit(nBlockPos + nSize);
5711 CBlockHeader header;
5712 blkdat >> header;
5713 const BlockHash hash{header.GetHash()};
5714 // Skip the rest of this block (this may read from disk
5715 // into memory); position to the marker before the next block,
5716 // but it's still possible to rewind to the start of the
5717 // current block (without a disk read).
5718 nRewind = nBlockPos + nSize;
5719 blkdat.SkipTo(nRewind);
5720
5721 // needs to remain available after the cs_main lock is released
5722 // to avoid duplicate reads from disk
5723 std::shared_ptr<CBlock> pblock{};
5724
5725 {
5726 LOCK(cs_main);
5727 // detect out of order blocks, and store them for later
5728 if (hash != params.GetConsensus().hashGenesisBlock &&
5730 LogPrint(
5732 "%s: Out of order block %s, parent %s not known\n",
5733 __func__, hash.ToString(),
5734 header.hashPrevBlock.ToString());
5735 if (dbp && blocks_with_unknown_parent) {
5736 blocks_with_unknown_parent->emplace(
5737 header.hashPrevBlock, *dbp);
5738 }
5739 continue;
5740 }
5741
5742 // process in case the block isn't known yet
5743 const CBlockIndex *pindex =
5745 if (!pindex || !pindex->nStatus.hasData()) {
5746 // This block can be processed immediately; rewind to
5747 // its start, read and deserialize it.
5748 blkdat.SetPos(nBlockPos);
5749 pblock = std::make_shared<CBlock>();
5750 blkdat >> *pblock;
5751 nRewind = blkdat.GetPos();
5752
5754 if (AcceptBlock(pblock, state, true, dbp, nullptr,
5755 true)) {
5756 nLoaded++;
5757 }
5758 if (state.IsError()) {
5759 break;
5760 }
5761 } else if (hash != params.GetConsensus().hashGenesisBlock &&
5762 pindex->nHeight % 1000 == 0) {
5763 LogPrint(
5765 "Block Import: already had block %s at height %d\n",
5766 hash.ToString(), pindex->nHeight);
5767 }
5768 }
5769
5770 // Activate the genesis block so normal node progress can
5771 // continue
5772 if (hash == params.GetConsensus().hashGenesisBlock) {
5773 bool genesis_activation_failure = false;
5774 for (auto c : GetAll()) {
5776 if (!c->ActivateBestChain(state, nullptr, avalanche)) {
5777 genesis_activation_failure = true;
5778 break;
5779 }
5780 }
5781 if (genesis_activation_failure) {
5782 break;
5783 }
5784 }
5785
5786 if (m_blockman.IsPruneMode() && !fReindex && pblock) {
5787 // Must update the tip for pruning to work while importing
5788 // with -loadblock. This is a tradeoff to conserve disk
5789 // space at the expense of time spent updating the tip to be
5790 // able to prune. Otherwise, ActivateBestChain won't be
5791 // called by the import process until after all of the block
5792 // files are loaded. ActivateBestChain can be called by
5793 // concurrent network message processing, but that is not
5794 // reliable for the purpose of pruning while importing.
5795 bool activation_failure = false;
5796 for (auto c : GetAll()) {
5798 if (!c->ActivateBestChain(state, pblock, avalanche)) {
5800 "failed to activate chain (%s)\n",
5801 state.ToString());
5802 activation_failure = true;
5803 break;
5804 }
5805 }
5806 if (activation_failure) {
5807 break;
5808 }
5809 }
5810
5811 NotifyHeaderTip(*this);
5812
5813 if (!blocks_with_unknown_parent) {
5814 continue;
5815 }
5816
5817 // Recursively process earlier encountered successors of this
5818 // block
5819 std::deque<BlockHash> queue;
5820 queue.push_back(hash);
5821 while (!queue.empty()) {
5822 BlockHash head = queue.front();
5823 queue.pop_front();
5824 auto range = blocks_with_unknown_parent->equal_range(head);
5825 while (range.first != range.second) {
5826 std::multimap<BlockHash, FlatFilePos>::iterator it =
5827 range.first;
5828 std::shared_ptr<CBlock> pblockrecursive =
5829 std::make_shared<CBlock>();
5830 if (m_blockman.ReadBlockFromDisk(*pblockrecursive,
5831 it->second)) {
5832 LogPrint(
5834 "%s: Processing out of order child %s of %s\n",
5835 __func__, pblockrecursive->GetHash().ToString(),
5836 head.ToString());
5837 LOCK(cs_main);
5839 if (AcceptBlock(pblockrecursive, dummy, true,
5840 &it->second, nullptr, true)) {
5841 nLoaded++;
5842 queue.push_back(pblockrecursive->GetHash());
5843 }
5844 }
5845 range.first++;
5846 blocks_with_unknown_parent->erase(it);
5847 NotifyHeaderTip(*this);
5848 }
5849 }
5850 } catch (const std::exception &e) {
5851 // Historical bugs added extra data to the block files that does
5852 // not deserialize cleanly. Commonly this data is between
5853 // readable blocks, but it does not really matter. Such data is
5854 // not fatal to the import process. The code that reads the
5855 // block files deals with invalid data by simply ignoring it. It
5856 // continues to search for the next {4 byte magic message start
5857 // bytes + 4 byte length + block} that does deserialize cleanly
5858 // and passes all of the other block validation checks dealing
5859 // with POW and the merkle root, etc... We merely note with this
5860 // informational log message when unexpected data is
5861 // encountered. We could also be experiencing a storage system
5862 // read error, or a read of a previous bad write. These are
5863 // possible, but less likely scenarios. We don't have enough
5864 // information to tell a difference here. The reindex process is
5865 // not the place to attempt to clean and/or compact the block
5866 // files. If so desired, a studious node operator may use
5867 // knowledge of the fact that the block files are not entirely
5868 // pristine in order to prepare a set of pristine, and perhaps
5869 // ordered, block files for later reindexing.
5871 "%s: unexpected data at file offset 0x%x - %s. "
5872 "continuing\n",
5873 __func__, (nRewind - 1), e.what());
5874 }
5875 }
5876 } catch (const std::runtime_error &e) {
5877 AbortNode(std::string("System error: ") + e.what());
5878 }
5879
5880 LogPrintf("Loaded %i blocks from external file in %dms\n", nLoaded,
5881 GetTimeMillis() - nStart);
5882}
5883
5885 if (!ShouldCheckBlockIndex()) {
5886 return;
5887 }
5888
5889 LOCK(cs_main);
5890
5891 // During a reindex, we read the genesis block and call CheckBlockIndex
5892 // before ActivateBestChain, so we have the genesis block in
5893 // m_blockman.m_block_index but no active chain. (A few of the tests when
5894 // iterating the block tree require that m_chain has been initialized.)
5895 if (ActiveChain().Height() < 0) {
5896 assert(m_blockman.m_block_index.size() <= 1);
5897 return;
5898 }
5899
5900 // Build forward-pointing map of the entire block tree.
5901 std::multimap<CBlockIndex *, CBlockIndex *> forward;
5902 for (auto &[_, block_index] : m_blockman.m_block_index) {
5903 forward.emplace(block_index.pprev, &block_index);
5904 }
5905
5906 assert(forward.size() == m_blockman.m_block_index.size());
5907
5908 std::pair<std::multimap<CBlockIndex *, CBlockIndex *>::iterator,
5909 std::multimap<CBlockIndex *, CBlockIndex *>::iterator>
5910 rangeGenesis = forward.equal_range(nullptr);
5911 CBlockIndex *pindex = rangeGenesis.first->second;
5912 rangeGenesis.first++;
5913 // There is only one index entry with parent nullptr.
5914 assert(rangeGenesis.first == rangeGenesis.second);
5915
5916 // Iterate over the entire block tree, using depth-first search.
5917 // Along the way, remember whether there are blocks on the path from genesis
5918 // block being explored which are the first to have certain properties.
5919 size_t nNodes = 0;
5920 int nHeight = 0;
5921 // Oldest ancestor of pindex which is invalid.
5922 CBlockIndex *pindexFirstInvalid = nullptr;
5923 // Oldest ancestor of pindex which is parked.
5924 CBlockIndex *pindexFirstParked = nullptr;
5925 // Oldest ancestor of pindex which does not have data available, since
5926 // assumeutxo snapshot if used.
5927 CBlockIndex *pindexFirstMissing = nullptr;
5928 // Oldest ancestor of pindex for which nTx == 0, since assumeutxo snapshot
5929 // if used..
5930 CBlockIndex *pindexFirstNeverProcessed = nullptr;
5931 // Oldest ancestor of pindex which does not have BLOCK_VALID_TREE
5932 // (regardless of being valid or not).
5933 CBlockIndex *pindexFirstNotTreeValid = nullptr;
5934 // Oldest ancestor of pindex which does not have BLOCK_VALID_TRANSACTIONS
5935 // (regardless of being valid or not), since assumeutxo snapshot if used.
5936 CBlockIndex *pindexFirstNotTransactionsValid = nullptr;
5937 // Oldest ancestor of pindex which does not have BLOCK_VALID_CHAIN
5938 // (regardless of being valid or not), since assumeutxo snapshot if used.
5939 CBlockIndex *pindexFirstNotChainValid = nullptr;
5940 // Oldest ancestor of pindex which does not have BLOCK_VALID_SCRIPTS
5941 // (regardless of being valid or not), since assumeutxo snapshot if used.
5942 CBlockIndex *pindexFirstNotScriptsValid = nullptr;
5943
5944 // After checking an assumeutxo snapshot block, reset pindexFirst pointers
5945 // to earlier blocks that have not been downloaded or validated yet, so
5946 // checks for later blocks can assume the earlier blocks were validated and
5947 // be stricter, testing for more requirements.
5948 const CBlockIndex *snap_base{GetSnapshotBaseBlock()};
5949 CBlockIndex *snap_first_missing{}, *snap_first_notx{}, *snap_first_notv{},
5950 *snap_first_nocv{}, *snap_first_nosv{};
5951 auto snap_update_firsts = [&] {
5952 if (pindex == snap_base) {
5953 std::swap(snap_first_missing, pindexFirstMissing);
5954 std::swap(snap_first_notx, pindexFirstNeverProcessed);
5955 std::swap(snap_first_notv, pindexFirstNotTransactionsValid);
5956 std::swap(snap_first_nocv, pindexFirstNotChainValid);
5957 std::swap(snap_first_nosv, pindexFirstNotScriptsValid);
5958 }
5959 };
5960
5961 while (pindex != nullptr) {
5962 nNodes++;
5963 if (pindexFirstInvalid == nullptr && pindex->nStatus.hasFailed()) {
5964 pindexFirstInvalid = pindex;
5965 }
5966 if (pindexFirstParked == nullptr && pindex->nStatus.isParked()) {
5967 pindexFirstParked = pindex;
5968 }
5969 if (pindexFirstMissing == nullptr && !pindex->nStatus.hasData()) {
5970 pindexFirstMissing = pindex;
5971 }
5972 if (pindexFirstNeverProcessed == nullptr && pindex->nTx == 0) {
5973 pindexFirstNeverProcessed = pindex;
5974 }
5975 if (pindex->pprev != nullptr && pindexFirstNotTreeValid == nullptr &&
5976 pindex->nStatus.getValidity() < BlockValidity::TREE) {
5977 pindexFirstNotTreeValid = pindex;
5978 }
5979 if (pindex->pprev != nullptr) {
5980 if (pindexFirstNotTransactionsValid == nullptr &&
5981 pindex->nStatus.getValidity() < BlockValidity::TRANSACTIONS) {
5982 pindexFirstNotTransactionsValid = pindex;
5983 }
5984 if (pindexFirstNotChainValid == nullptr &&
5985 pindex->nStatus.getValidity() < BlockValidity::CHAIN) {
5986 pindexFirstNotChainValid = pindex;
5987 }
5988 if (pindexFirstNotScriptsValid == nullptr &&
5989 pindex->nStatus.getValidity() < BlockValidity::SCRIPTS) {
5990 pindexFirstNotScriptsValid = pindex;
5991 }
5992 }
5993
5994 // Begin: actual consistency checks.
5995 if (pindex->pprev == nullptr) {
5996 // Genesis block checks.
5997 // Genesis block's hash must match.
5998 assert(pindex->GetBlockHash() == GetConsensus().hashGenesisBlock);
5999 for (auto c : GetAll()) {
6000 if (c->m_chain.Genesis() != nullptr) {
6001 // The chain's genesis block must be this block.
6002 assert(pindex == c->m_chain.Genesis());
6003 }
6004 }
6005 }
6006 if (!pindex->HaveNumChainTxs()) {
6007 // nSequenceId can't be set positive for blocks that aren't linked
6008 // (negative is used for preciousblock)
6009 assert(pindex->nSequenceId <= 0);
6010 }
6011 // VALID_TRANSACTIONS is equivalent to nTx > 0 for all nodes (whether or
6012 // not pruning has occurred). HAVE_DATA is only equivalent to nTx > 0
6013 // (or VALID_TRANSACTIONS) if no pruning has occurred.
6015 // If we've never pruned, then HAVE_DATA should be equivalent to nTx
6016 // > 0
6017 assert(pindex->nStatus.hasData() == (pindex->nTx > 0));
6018 assert(pindexFirstMissing == pindexFirstNeverProcessed);
6019 } else if (pindex->nStatus.hasData()) {
6020 // If we have pruned, then we can only say that HAVE_DATA implies
6021 // nTx > 0
6022 assert(pindex->nTx > 0);
6023 }
6024 if (pindex->nStatus.hasUndo()) {
6025 assert(pindex->nStatus.hasData());
6026 }
6027 if (snap_base && snap_base->GetAncestor(pindex->nHeight) == pindex) {
6028 // Assumed-valid blocks should connect to the main chain.
6029 assert(pindex->nStatus.getValidity() >= BlockValidity::TREE);
6030 }
6031 // There should only be an nTx value if we have
6032 // actually seen a block's transactions.
6033 // This is pruning-independent.
6034 assert((pindex->nStatus.getValidity() >= BlockValidity::TRANSACTIONS) ==
6035 (pindex->nTx > 0));
6036 // All parents having had data (at some point) is equivalent to all
6037 // parents being VALID_TRANSACTIONS, which is equivalent to
6038 // HaveNumChainTxs().
6039 assert((pindexFirstNeverProcessed == nullptr || pindex == snap_base) ==
6040 (pindex->HaveNumChainTxs()));
6041 assert((pindexFirstNotTransactionsValid == nullptr ||
6042 pindex == snap_base) == (pindex->HaveNumChainTxs()));
6043 // nHeight must be consistent.
6044 assert(pindex->nHeight == nHeight);
6045 // For every block except the genesis block, the chainwork must be
6046 // larger than the parent's.
6047 assert(pindex->pprev == nullptr ||
6048 pindex->nChainWork >= pindex->pprev->nChainWork);
6049 // The pskip pointer must point back for all but the first 2 blocks.
6050 assert(nHeight < 2 ||
6051 (pindex->pskip && (pindex->pskip->nHeight < nHeight)));
6052 // All m_blockman.m_block_index entries must at least be TREE valid
6053 assert(pindexFirstNotTreeValid == nullptr);
6054 if (pindex->nStatus.getValidity() >= BlockValidity::TREE) {
6055 // TREE valid implies all parents are TREE valid
6056 assert(pindexFirstNotTreeValid == nullptr);
6057 }
6058 if (pindex->nStatus.getValidity() >= BlockValidity::CHAIN) {
6059 // CHAIN valid implies all parents are CHAIN valid
6060 assert(pindexFirstNotChainValid == nullptr);
6061 }
6062 if (pindex->nStatus.getValidity() >= BlockValidity::SCRIPTS) {
6063 // SCRIPTS valid implies all parents are SCRIPTS valid
6064 assert(pindexFirstNotScriptsValid == nullptr);
6065 }
6066 if (pindexFirstInvalid == nullptr) {
6067 // Checks for not-invalid blocks.
6068 // The failed mask cannot be set for blocks without invalid parents.
6069 assert(!pindex->nStatus.isInvalid());
6070 }
6071 if (pindexFirstParked == nullptr) {
6072 // Checks for not-parked blocks.
6073 // The parked mask cannot be set for blocks without parked parents.
6074 // (i.e., hasParkedParent only if an ancestor is properly parked).
6075 assert(!pindex->nStatus.isOnParkedChain());
6076 }
6077 // Make sure nChainTx sum is correctly computed.
6078 if (!pindex->pprev) {
6079 // If no previous block, nTx and nChainTx must be the same.
6080 assert(pindex->nChainTx == pindex->nTx);
6081 } else if (pindex->pprev->nChainTx > 0 && pindex->nTx > 0) {
6082 // If previous nChainTx is set and number of transactions in block
6083 // is known, sum must be set.
6084 assert(pindex->nChainTx == pindex->nTx + pindex->pprev->nChainTx);
6085 } else {
6086 // Otherwise nChainTx should only be set if this is a snapshot
6087 // block, and must be set if it is.
6088 assert((pindex->nChainTx != 0) == (pindex == snap_base));
6089 }
6090
6091 // Chainstate-specific checks on setBlockIndexCandidates
6092 for (auto c : GetAll()) {
6093 if (c->m_chain.Tip() == nullptr) {
6094 continue;
6095 }
6096 // Two main factors determine whether pindex is a candidate in
6097 // setBlockIndexCandidates:
6098 //
6099 // - If pindex has less work than the chain tip, it should not be a
6100 // candidate, and this will be asserted below. Otherwise it is a
6101 // potential candidate.
6102 //
6103 // - If pindex or one of its parent blocks back to the genesis block
6104 // or an assumeutxo snapshot never downloaded transactions
6105 // (pindexFirstNeverProcessed is non-null), it should not be a
6106 // candidate, and this will be asserted below. The only exception
6107 // is if pindex itself is an assumeutxo snapshot block. Then it is
6108 // also a potential candidate.
6109 if (!CBlockIndexWorkComparator()(pindex, c->m_chain.Tip()) &&
6110 (pindexFirstNeverProcessed == nullptr || pindex == snap_base)) {
6111 // If pindex was detected as invalid (pindexFirstInvalid is
6112 // non-null), it is not required to be in
6113 // setBlockIndexCandidates.
6114 if (pindexFirstInvalid == nullptr) {
6115 // If this chainstate is the active chainstate, pindex
6116 // must be in setBlockIndexCandidates. Otherwise, this
6117 // chainstate is a background validation chainstate, and
6118 // pindex only needs to be added if it is an ancestor of
6119 // the snapshot that is being validated.
6120 if (c == &ActiveChainstate() ||
6121 GetSnapshotBaseBlock()->GetAncestor(pindex->nHeight) ==
6122 pindex) {
6123 // If pindex and all its parents back to the genesis
6124 // block or an assumeutxo snapshot block downloaded
6125 // transactions, transactions, and the transactions were
6126 // not pruned (pindexFirstMissing is null), it is a
6127 // potential candidate or was parked. The check excludes
6128 // pruned blocks, because if any blocks were pruned
6129 // between pindex the current chain tip, pindex will
6130 // only temporarily be added to setBlockIndexCandidates,
6131 // before being moved to m_blocks_unlinked. This check
6132 // could be improved to verify that if all blocks
6133 // between the chain tip and pindex have data, pindex
6134 // must be a candidate.
6135 if (pindexFirstMissing == nullptr) {
6136 assert(pindex->nStatus.isOnParkedChain() ||
6137 c->setBlockIndexCandidates.count(pindex));
6138 }
6139 // If pindex is the chain tip, it also is a potential
6140 // candidate.
6141 //
6142 // If the chainstate was loaded from a snapshot and
6143 // pindex is the base of the snapshot, pindex is also a
6144 // potential candidate.
6145 if (pindex == c->m_chain.Tip() ||
6146 pindex == c->SnapshotBase()) {
6147 assert(c->setBlockIndexCandidates.count(pindex));
6148 }
6149 }
6150 // If some parent is missing, then it could be that this
6151 // block was in setBlockIndexCandidates but had to be
6152 // removed because of the missing data. In this case it must
6153 // be in m_blocks_unlinked -- see test below.
6154 }
6155 } else {
6156 // If this block sorts worse than the current tip or some
6157 // ancestor's block has never been seen, it cannot be in
6158 // setBlockIndexCandidates.
6159 assert(c->setBlockIndexCandidates.count(pindex) == 0);
6160 }
6161 }
6162 // Check whether this block is in m_blocks_unlinked.
6163 std::pair<std::multimap<CBlockIndex *, CBlockIndex *>::iterator,
6164 std::multimap<CBlockIndex *, CBlockIndex *>::iterator>
6165 rangeUnlinked =
6166 m_blockman.m_blocks_unlinked.equal_range(pindex->pprev);
6167 bool foundInUnlinked = false;
6168 while (rangeUnlinked.first != rangeUnlinked.second) {
6169 assert(rangeUnlinked.first->first == pindex->pprev);
6170 if (rangeUnlinked.first->second == pindex) {
6171 foundInUnlinked = true;
6172 break;
6173 }
6174 rangeUnlinked.first++;
6175 }
6176 if (pindex->pprev && pindex->nStatus.hasData() &&
6177 pindexFirstNeverProcessed != nullptr &&
6178 pindexFirstInvalid == nullptr) {
6179 // If this block has block data available, some parent was never
6180 // received, and has no invalid parents, it must be in
6181 // m_blocks_unlinked.
6182 assert(foundInUnlinked);
6183 }
6184 if (!pindex->nStatus.hasData()) {
6185 // Can't be in m_blocks_unlinked if we don't HAVE_DATA
6186 assert(!foundInUnlinked);
6187 }
6188 if (pindexFirstMissing == nullptr) {
6189 // We aren't missing data for any parent -- cannot be in
6190 // m_blocks_unlinked.
6191 assert(!foundInUnlinked);
6192 }
6193 if (pindex->pprev && pindex->nStatus.hasData() &&
6194 pindexFirstNeverProcessed == nullptr &&
6195 pindexFirstMissing != nullptr) {
6196 // We HAVE_DATA for this block, have received data for all parents
6197 // at some point, but we're currently missing data for some parent.
6199 // This block may have entered m_blocks_unlinked if:
6200 // - it has a descendant that at some point had more work than the
6201 // tip, and
6202 // - we tried switching to that descendant but were missing
6203 // data for some intermediate block between m_chain and the
6204 // tip.
6205 // So if this block is itself better than any m_chain.Tip() and it
6206 // wasn't in setBlockIndexCandidates, then it must be in
6207 // m_blocks_unlinked.
6208 for (auto c : GetAll()) {
6209 const bool is_active = c == &ActiveChainstate();
6210 if (!CBlockIndexWorkComparator()(pindex, c->m_chain.Tip()) &&
6211 c->setBlockIndexCandidates.count(pindex) == 0) {
6212 if (pindexFirstInvalid == nullptr) {
6213 if (is_active ||
6214 snap_base->GetAncestor(pindex->nHeight) == pindex) {
6215 assert(foundInUnlinked);
6216 }
6217 }
6218 }
6219 }
6220 }
6221 // Perhaps too slow
6222 // assert(pindex->GetBlockHash() == pindex->GetBlockHeader().GetHash());
6223 // End: actual consistency checks.
6224
6225 // Try descending into the first subnode.
6226 snap_update_firsts();
6227 std::pair<std::multimap<CBlockIndex *, CBlockIndex *>::iterator,
6228 std::multimap<CBlockIndex *, CBlockIndex *>::iterator>
6229 range = forward.equal_range(pindex);
6230 if (range.first != range.second) {
6231 // A subnode was found.
6232 pindex = range.first->second;
6233 nHeight++;
6234 continue;
6235 }
6236 // This is a leaf node. Move upwards until we reach a node of which we
6237 // have not yet visited the last child.
6238 while (pindex) {
6239 // We are going to either move to a parent or a sibling of pindex.
6240 snap_update_firsts();
6241 // If pindex was the first with a certain property, unset the
6242 // corresponding variable.
6243 if (pindex == pindexFirstInvalid) {
6244 pindexFirstInvalid = nullptr;
6245 }
6246 if (pindex == pindexFirstParked) {
6247 pindexFirstParked = nullptr;
6248 }
6249 if (pindex == pindexFirstMissing) {
6250 pindexFirstMissing = nullptr;
6251 }
6252 if (pindex == pindexFirstNeverProcessed) {
6253 pindexFirstNeverProcessed = nullptr;
6254 }
6255 if (pindex == pindexFirstNotTreeValid) {
6256 pindexFirstNotTreeValid = nullptr;
6257 }
6258 if (pindex == pindexFirstNotTransactionsValid) {
6259 pindexFirstNotTransactionsValid = nullptr;
6260 }
6261 if (pindex == pindexFirstNotChainValid) {
6262 pindexFirstNotChainValid = nullptr;
6263 }
6264 if (pindex == pindexFirstNotScriptsValid) {
6265 pindexFirstNotScriptsValid = nullptr;
6266 }
6267 // Find our parent.
6268 CBlockIndex *pindexPar = pindex->pprev;
6269 // Find which child we just visited.
6270 std::pair<std::multimap<CBlockIndex *, CBlockIndex *>::iterator,
6271 std::multimap<CBlockIndex *, CBlockIndex *>::iterator>
6272 rangePar = forward.equal_range(pindexPar);
6273 while (rangePar.first->second != pindex) {
6274 // Our parent must have at least the node we're coming from as
6275 // child.
6276 assert(rangePar.first != rangePar.second);
6277 rangePar.first++;
6278 }
6279 // Proceed to the next one.
6280 rangePar.first++;
6281 if (rangePar.first != rangePar.second) {
6282 // Move to the sibling.
6283 pindex = rangePar.first->second;
6284 break;
6285 } else {
6286 // Move up further.
6287 pindex = pindexPar;
6288 nHeight--;
6289 continue;
6290 }
6291 }
6292 }
6293
6294 // Check that we actually traversed the entire map.
6295 assert(nNodes == forward.size());
6296}
6297
6298std::string Chainstate::ToString() {
6300 CBlockIndex *tip = m_chain.Tip();
6301 return strprintf("Chainstate [%s] @ height %d (%s)",
6302 m_from_snapshot_blockhash ? "snapshot" : "ibd",
6303 tip ? tip->nHeight : -1,
6304 tip ? tip->GetBlockHash().ToString() : "null");
6305}
6306
6307bool Chainstate::ResizeCoinsCaches(size_t coinstip_size, size_t coinsdb_size) {
6309 if (coinstip_size == m_coinstip_cache_size_bytes &&
6310 coinsdb_size == m_coinsdb_cache_size_bytes) {
6311 // Cache sizes are unchanged, no need to continue.
6312 return true;
6313 }
6314 size_t old_coinstip_size = m_coinstip_cache_size_bytes;
6315 m_coinstip_cache_size_bytes = coinstip_size;
6316 m_coinsdb_cache_size_bytes = coinsdb_size;
6317 CoinsDB().ResizeCache(coinsdb_size);
6318
6319 LogPrintf("[%s] resized coinsdb cache to %.1f MiB\n", this->ToString(),
6320 coinsdb_size * (1.0 / 1024 / 1024));
6321 LogPrintf("[%s] resized coinstip cache to %.1f MiB\n", this->ToString(),
6322 coinstip_size * (1.0 / 1024 / 1024));
6323
6325 bool ret;
6326
6327 if (coinstip_size > old_coinstip_size) {
6328 // Likely no need to flush if cache sizes have grown.
6330 } else {
6331 // Otherwise, flush state to disk and deallocate the in-memory coins
6332 // map.
6334 }
6335 return ret;
6336}
6337
6343 const CBlockIndex *pindex) {
6344 if (pindex == nullptr) {
6345 return 0.0;
6346 }
6347
6348 if (!Assume(pindex->nChainTx > 0)) {
6349 LogPrintf("Internal bug detected: block %d has unset nChainTx (%s %s). "
6350 "Please report this issue here: %s\n",
6351 pindex->nHeight, PACKAGE_NAME, FormatFullVersion(),
6352 PACKAGE_BUGREPORT);
6353 return 0.0;
6354 }
6355
6356 int64_t nNow = time(nullptr);
6357
6358 double fTxTotal;
6359 if (pindex->GetChainTxCount() <= data.nTxCount) {
6360 fTxTotal = data.nTxCount + (nNow - data.nTime) * data.dTxRate;
6361 } else {
6362 fTxTotal = pindex->GetChainTxCount() +
6363 (nNow - pindex->GetBlockTime()) * data.dTxRate;
6364 }
6365
6366 return std::min<double>(pindex->GetChainTxCount() / fTxTotal, 1.0);
6367}
6368
6369std::optional<BlockHash> ChainstateManager::SnapshotBlockhash() const {
6370 LOCK(::cs_main);
6371 if (m_active_chainstate && m_active_chainstate->m_from_snapshot_blockhash) {
6372 // If a snapshot chainstate exists, it will always be our active.
6373 return m_active_chainstate->m_from_snapshot_blockhash;
6374 }
6375 return std::nullopt;
6376}
6377
6378std::vector<Chainstate *> ChainstateManager::GetAll() {
6379 LOCK(::cs_main);
6380 std::vector<Chainstate *> out;
6381
6382 for (Chainstate *pchainstate :
6383 {m_ibd_chainstate.get(), m_snapshot_chainstate.get()}) {
6384 if (this->IsUsable(pchainstate)) {
6385 out.push_back(pchainstate);
6386 }
6387 }
6388
6389 return out;
6390}
6391
6392Chainstate &ChainstateManager::InitializeChainstate(CTxMemPool *mempool) {
6394 assert(!m_ibd_chainstate);
6395 assert(!m_active_chainstate);
6396
6397 m_ibd_chainstate = std::make_unique<Chainstate>(mempool, m_blockman, *this);
6398 m_active_chainstate = m_ibd_chainstate.get();
6399 return *m_active_chainstate;
6400}
6401
6402[[nodiscard]] static bool DeleteCoinsDBFromDisk(const fs::path &db_path,
6403 bool is_snapshot)
6406
6407 if (is_snapshot) {
6408 fs::path base_blockhash_path =
6410
6411 try {
6412 const bool existed{fs::remove(base_blockhash_path)};
6413 if (!existed) {
6414 LogPrintf("[snapshot] snapshot chainstate dir being removed "
6415 "lacks %s file\n",
6417 }
6418 } catch (const fs::filesystem_error &e) {
6419 LogPrintf("[snapshot] failed to remove file %s: %s\n",
6420 fs::PathToString(base_blockhash_path),
6422 }
6423 }
6424
6425 std::string path_str = fs::PathToString(db_path);
6426 LogPrintf("Removing leveldb dir at %s\n", path_str);
6427
6428 // We have to destruct before this call leveldb::DB in order to release the
6429 // db lock, otherwise `DestroyDB` will fail. See `leveldb::~DBImpl()`.
6430 const bool destroyed = dbwrapper::DestroyDB(path_str, {}).ok();
6431
6432 if (!destroyed) {
6433 LogPrintf("error: leveldb DestroyDB call failed on %s\n", path_str);
6434 }
6435
6436 // Datadir should be removed from filesystem; otherwise initialization may
6437 // detect it on subsequent statups and get confused.
6438 //
6439 // If the base_blockhash_path removal above fails in the case of snapshot
6440 // chainstates, this will return false since leveldb won't remove a
6441 // non-empty directory.
6442 return destroyed && !fs::exists(db_path);
6443}
6444
6446 const SnapshotMetadata &metadata,
6447 bool in_memory) {
6448 BlockHash base_blockhash = metadata.m_base_blockhash;
6449
6450 if (this->SnapshotBlockhash()) {
6451 LogPrintf("[snapshot] can't activate a snapshot-based chainstate more "
6452 "than once\n");
6453 return false;
6454 }
6455
6456 int64_t current_coinsdb_cache_size{0};
6457 int64_t current_coinstip_cache_size{0};
6458
6459 // Cache percentages to allocate to each chainstate.
6460 //
6461 // These particular percentages don't matter so much since they will only be
6462 // relevant during snapshot activation; caches are rebalanced at the
6463 // conclusion of this function. We want to give (essentially) all available
6464 // cache capacity to the snapshot to aid the bulk load later in this
6465 // function.
6466 static constexpr double IBD_CACHE_PERC = 0.01;
6467 static constexpr double SNAPSHOT_CACHE_PERC = 0.99;
6468
6469 {
6470 LOCK(::cs_main);
6471 // Resize the coins caches to ensure we're not exceeding memory limits.
6472 //
6473 // Allocate the majority of the cache to the incoming snapshot
6474 // chainstate, since (optimistically) getting to its tip will be the top
6475 // priority. We'll need to call `MaybeRebalanceCaches()` once we're done
6476 // with this function to ensure the right allocation (including the
6477 // possibility that no snapshot was activated and that we should restore
6478 // the active chainstate caches to their original size).
6479 //
6480 current_coinsdb_cache_size =
6481 this->ActiveChainstate().m_coinsdb_cache_size_bytes;
6482 current_coinstip_cache_size =
6483 this->ActiveChainstate().m_coinstip_cache_size_bytes;
6484
6485 // Temporarily resize the active coins cache to make room for the
6486 // newly-created snapshot chain.
6487 this->ActiveChainstate().ResizeCoinsCaches(
6488 static_cast<size_t>(current_coinstip_cache_size * IBD_CACHE_PERC),
6489 static_cast<size_t>(current_coinsdb_cache_size * IBD_CACHE_PERC));
6490 }
6491
6492 auto snapshot_chainstate =
6493 WITH_LOCK(::cs_main, return std::make_unique<Chainstate>(
6494 /* mempool */ nullptr, m_blockman, *this,
6495 base_blockhash));
6496
6497 {
6498 LOCK(::cs_main);
6499 snapshot_chainstate->InitCoinsDB(
6500 static_cast<size_t>(current_coinsdb_cache_size *
6501 SNAPSHOT_CACHE_PERC),
6502 in_memory, false, "chainstate");
6503 snapshot_chainstate->InitCoinsCache(static_cast<size_t>(
6504 current_coinstip_cache_size * SNAPSHOT_CACHE_PERC));
6505 }
6506
6507 bool snapshot_ok = this->PopulateAndValidateSnapshot(*snapshot_chainstate,
6508 coins_file, metadata);
6509
6510 // If not in-memory, persist the base blockhash for use during subsequent
6511 // initialization.
6512 if (!in_memory) {
6513 LOCK(::cs_main);
6514 if (!node::WriteSnapshotBaseBlockhash(*snapshot_chainstate)) {
6515 snapshot_ok = false;
6516 }
6517 }
6518 if (!snapshot_ok) {
6519 LOCK(::cs_main);
6520 this->MaybeRebalanceCaches();
6521
6522 // PopulateAndValidateSnapshot can return (in error) before the leveldb
6523 // datadir has been created, so only attempt removal if we got that far.
6524 if (auto snapshot_datadir = node::FindSnapshotChainstateDir()) {
6525 // We have to destruct leveldb::DB in order to release the db lock,
6526 // otherwise DestroyDB() (in DeleteCoinsDBFromDisk()) will fail. See
6527 // `leveldb::~DBImpl()`. Destructing the chainstate (and so
6528 // resetting the coinsviews object) does this.
6529 snapshot_chainstate.reset();
6530 bool removed =
6531 DeleteCoinsDBFromDisk(*snapshot_datadir, /*is_snapshot=*/true);
6532 if (!removed) {
6533 AbortNode(
6534 strprintf("Failed to remove snapshot chainstate dir (%s). "
6535 "Manually remove it before restarting.\n",
6536 fs::PathToString(*snapshot_datadir)));
6537 }
6538 }
6539 return false;
6540 }
6541
6542 {
6543 LOCK(::cs_main);
6544 assert(!m_snapshot_chainstate);
6545 m_snapshot_chainstate.swap(snapshot_chainstate);
6546 const bool chaintip_loaded = m_snapshot_chainstate->LoadChainTip();
6547 assert(chaintip_loaded);
6548
6549 m_active_chainstate = m_snapshot_chainstate.get();
6550
6551 LogPrintf("[snapshot] successfully activated snapshot %s\n",
6552 base_blockhash.ToString());
6553 LogPrintf("[snapshot] (%.2f MB)\n",
6554 m_snapshot_chainstate->CoinsTip().DynamicMemoryUsage() /
6555 (1000 * 1000));
6556
6557 this->MaybeRebalanceCaches();
6558 }
6559 return true;
6560}
6561
6562static void FlushSnapshotToDisk(CCoinsViewCache &coins_cache,
6563 bool snapshot_loaded) {
6565 strprintf("%s (%.2f MB)",
6566 snapshot_loaded ? "saving snapshot chainstate"
6567 : "flushing coins cache",
6568 coins_cache.DynamicMemoryUsage() / (1000 * 1000)),
6569 BCLog::LogFlags::ALL);
6570
6571 coins_cache.Flush();
6572}
6573
6574struct StopHashingException : public std::exception {
6575 const char *what() const throw() override {
6576 return "ComputeUTXOStats interrupted by shutdown.";
6577 }
6578};
6579
6581 if (ShutdownRequested()) {
6582 throw StopHashingException();
6583 }
6584}
6585
6587 Chainstate &snapshot_chainstate, AutoFile &coins_file,
6588 const SnapshotMetadata &metadata) {
6589 // It's okay to release cs_main before we're done using `coins_cache`
6590 // because we know that nothing else will be referencing the newly created
6591 // snapshot_chainstate yet.
6592 CCoinsViewCache &coins_cache =
6593 *WITH_LOCK(::cs_main, return &snapshot_chainstate.CoinsTip());
6594
6595 BlockHash base_blockhash = metadata.m_base_blockhash;
6596
6597 CBlockIndex *snapshot_start_block = WITH_LOCK(
6598 ::cs_main, return m_blockman.LookupBlockIndex(base_blockhash));
6599
6600 if (!snapshot_start_block) {
6601 // Needed for ComputeUTXOStats to determine the
6602 // height and to avoid a crash when base_blockhash.IsNull()
6603 LogPrintf("[snapshot] Did not find snapshot start blockheader %s\n",
6604 base_blockhash.ToString());
6605 return false;
6606 }
6607
6608 int base_height = snapshot_start_block->nHeight;
6609 const auto &maybe_au_data = GetParams().AssumeutxoForHeight(base_height);
6610
6611 if (!maybe_au_data) {
6612 LogPrintf("[snapshot] assumeutxo height in snapshot metadata not "
6613 "recognized (%d) - refusing to load snapshot\n",
6614 base_height);
6615 return false;
6616 }
6617
6618 const AssumeutxoData &au_data = *maybe_au_data;
6619
6620 COutPoint outpoint;
6621 Coin coin;
6622 const uint64_t coins_count = metadata.m_coins_count;
6623 uint64_t coins_left = metadata.m_coins_count;
6624
6625 LogPrintf("[snapshot] loading coins from snapshot %s\n",
6626 base_blockhash.ToString());
6627 int64_t coins_processed{0};
6628
6629 while (coins_left > 0) {
6630 try {
6631 coins_file >> outpoint;
6632 coins_file >> coin;
6633 } catch (const std::ios_base::failure &) {
6634 LogPrintf("[snapshot] bad snapshot format or truncated snapshot "
6635 "after deserializing %d coins\n",
6636 coins_count - coins_left);
6637 return false;
6638 }
6639 if (coin.GetHeight() > uint32_t(base_height) ||
6640 // Avoid integer wrap-around in coinstats.cpp:ApplyHash
6641 outpoint.GetN() >=
6642 std::numeric_limits<decltype(outpoint.GetN())>::max()) {
6643 LogPrintf(
6644 "[snapshot] bad snapshot data after deserializing %d coins\n",
6645 coins_count - coins_left);
6646 return false;
6647 }
6648 coins_cache.EmplaceCoinInternalDANGER(std::move(outpoint),
6649 std::move(coin));
6650
6651 --coins_left;
6652 ++coins_processed;
6653
6654 if (coins_processed % 1000000 == 0) {
6655 LogPrintf("[snapshot] %d coins loaded (%.2f%%, %.2f MB)\n",
6656 coins_processed,
6657 static_cast<float>(coins_processed) * 100 /
6658 static_cast<float>(coins_count),
6659 coins_cache.DynamicMemoryUsage() / (1000 * 1000));
6660 }
6661
6662 // Batch write and flush (if we need to) every so often.
6663 //
6664 // If our average Coin size is roughly 41 bytes, checking every 120,000
6665 // coins means <5MB of memory imprecision.
6666 if (coins_processed % 120000 == 0) {
6667 if (ShutdownRequested()) {
6668 return false;
6669 }
6670
6671 const auto snapshot_cache_state = WITH_LOCK(
6672 ::cs_main, return snapshot_chainstate.GetCoinsCacheSizeState());
6673
6674 if (snapshot_cache_state >= CoinsCacheSizeState::CRITICAL) {
6675 // This is a hack - we don't know what the actual best block is,
6676 // but that doesn't matter for the purposes of flushing the
6677 // cache here. We'll set this to its correct value
6678 // (`base_blockhash`) below after the coins are loaded.
6679 coins_cache.SetBestBlock(BlockHash{GetRandHash()});
6680
6681 // No need to acquire cs_main since this chainstate isn't being
6682 // used yet.
6683 FlushSnapshotToDisk(coins_cache, /*snapshot_loaded=*/false);
6684 }
6685 }
6686 }
6687
6688 // Important that we set this. This and the coins_cache accesses above are
6689 // sort of a layer violation, but either we reach into the innards of
6690 // CCoinsViewCache here or we have to invert some of the Chainstate to
6691 // embed them in a snapshot-activation-specific CCoinsViewCache bulk load
6692 // method.
6693 coins_cache.SetBestBlock(base_blockhash);
6694
6695 bool out_of_coins{false};
6696 try {
6697 coins_file >> outpoint;
6698 } catch (const std::ios_base::failure &) {
6699 // We expect an exception since we should be out of coins.
6700 out_of_coins = true;
6701 }
6702 if (!out_of_coins) {
6703 LogPrintf("[snapshot] bad snapshot - coins left over after "
6704 "deserializing %d coins\n",
6705 coins_count);
6706 return false;
6707 }
6708
6709 LogPrintf("[snapshot] loaded %d (%.2f MB) coins from snapshot %s\n",
6710 coins_count, coins_cache.DynamicMemoryUsage() / (1000 * 1000),
6711 base_blockhash.ToString());
6712
6713 // No need to acquire cs_main since this chainstate isn't being used yet.
6714 FlushSnapshotToDisk(coins_cache, /*snapshot_loaded=*/true);
6715
6716 assert(coins_cache.GetBestBlock() == base_blockhash);
6717
6718 // As above, okay to immediately release cs_main here since no other context
6719 // knows about the snapshot_chainstate.
6720 CCoinsViewDB *snapshot_coinsdb =
6721 WITH_LOCK(::cs_main, return &snapshot_chainstate.CoinsDB());
6722
6723 std::optional<CCoinsStats> maybe_stats;
6724
6725 try {
6726 maybe_stats = ComputeUTXOStats(CoinStatsHashType::HASH_SERIALIZED,
6727 snapshot_coinsdb, m_blockman,
6729 } catch (StopHashingException const &) {
6730 return false;
6731 }
6732 if (!maybe_stats.has_value()) {
6733 LogPrintf("[snapshot] failed to generate coins stats\n");
6734 return false;
6735 }
6736
6737 // Assert that the deserialized chainstate contents match the expected
6738 // assumeutxo value.
6739 if (AssumeutxoHash{maybe_stats->hashSerialized} !=
6740 au_data.hash_serialized) {
6741 LogPrintf("[snapshot] bad snapshot content hash: expected %s, got %s\n",
6742 au_data.hash_serialized.ToString(),
6743 maybe_stats->hashSerialized.ToString());
6744 return false;
6745 }
6746
6747 snapshot_chainstate.m_chain.SetTip(*snapshot_start_block);
6748
6749 // The remainder of this function requires modifying data protected by
6750 // cs_main.
6751 LOCK(::cs_main);
6752
6753 // Fake various pieces of CBlockIndex state:
6754 CBlockIndex *index = nullptr;
6755
6756 // Don't make any modifications to the genesis block since it shouldn't be
6757 // necessary, and since the genesis block doesn't have normal flags like
6758 // BLOCK_VALID_SCRIPTS set.
6759 constexpr int AFTER_GENESIS_START{1};
6760
6761 for (int i = AFTER_GENESIS_START; i <= snapshot_chainstate.m_chain.Height();
6762 ++i) {
6763 index = snapshot_chainstate.m_chain[i];
6764
6765 m_blockman.m_dirty_blockindex.insert(index);
6766 // Changes to the block index will be flushed to disk after this call
6767 // returns in `ActivateSnapshot()`, when `MaybeRebalanceCaches()` is
6768 // called, since we've added a snapshot chainstate and therefore will
6769 // have to downsize the IBD chainstate, which will result in a call to
6770 // `FlushStateToDisk(ALWAYS)`.
6771 }
6772
6773 assert(index);
6774 assert(index == snapshot_start_block);
6775 index->nChainTx = au_data.nChainTx;
6776 snapshot_chainstate.setBlockIndexCandidates.insert(snapshot_start_block);
6777
6778 LogPrintf("[snapshot] validated snapshot (%.2f MB)\n",
6779 coins_cache.DynamicMemoryUsage() / (1000 * 1000));
6780 return true;
6781}
6782
6783// Currently, this function holds cs_main for its duration, which could be for
6784// multiple minutes due to the ComputeUTXOStats call. This hold is necessary
6785// because we need to avoid advancing the background validation chainstate
6786// farther than the snapshot base block - and this function is also invoked
6787// from within ConnectTip, i.e. from within ActivateBestChain, so cs_main is
6788// held anyway.
6789//
6790// Eventually (TODO), we could somehow separate this function's runtime from
6791// maintenance of the active chain, but that will either require
6792//
6793// (i) setting `m_disabled` immediately and ensuring all chainstate accesses go
6794// through IsUsable() checks, or
6795//
6796// (ii) giving each chainstate its own lock instead of using cs_main for
6797// everything.
6798SnapshotCompletionResult ChainstateManager::MaybeCompleteSnapshotValidation(
6799 std::function<void(bilingual_str)> shutdown_fnc) {
6801 if (m_ibd_chainstate.get() == &this->ActiveChainstate() ||
6802 !this->IsUsable(m_snapshot_chainstate.get()) ||
6803 !this->IsUsable(m_ibd_chainstate.get()) ||
6804 !m_ibd_chainstate->m_chain.Tip()) {
6805 // Nothing to do - this function only applies to the background
6806 // validation chainstate.
6808 }
6809 const int snapshot_tip_height = this->ActiveHeight();
6810 const int snapshot_base_height = *Assert(this->GetSnapshotBaseHeight());
6811 const CBlockIndex &index_new = *Assert(m_ibd_chainstate->m_chain.Tip());
6812
6813 if (index_new.nHeight < snapshot_base_height) {
6814 // Background IBD not complete yet.
6816 }
6817
6819 BlockHash snapshot_blockhash = *Assert(SnapshotBlockhash());
6820
6821 auto handle_invalid_snapshot = [&]() EXCLUSIVE_LOCKS_REQUIRED(::cs_main) {
6822 bilingual_str user_error = strprintf(
6823 _("%s failed to validate the -assumeutxo snapshot state. "
6824 "This indicates a hardware problem, or a bug in the software, or "
6825 "a bad software modification that allowed an invalid snapshot to "
6826 "be loaded. As a result of this, the node will shut down and "
6827 "stop using any state that was built on the snapshot, resetting "
6828 "the chain height from %d to %d. On the next restart, the node "
6829 "will resume syncing from %d without using any snapshot data. "
6830 "Please report this incident to %s, including how you obtained "
6831 "the snapshot. The invalid snapshot chainstate will be left on "
6832 "disk in case it is helpful in diagnosing the issue that caused "
6833 "this error."),
6834 PACKAGE_NAME, snapshot_tip_height, snapshot_base_height,
6835 snapshot_base_height, PACKAGE_BUGREPORT);
6836
6837 LogPrintf("[snapshot] !!! %s\n", user_error.original);
6838 LogPrintf("[snapshot] deleting snapshot, reverting to validated chain, "
6839 "and stopping node\n");
6840
6841 m_active_chainstate = m_ibd_chainstate.get();
6842 m_snapshot_chainstate->m_disabled = true;
6843 assert(!this->IsUsable(m_snapshot_chainstate.get()));
6844 assert(this->IsUsable(m_ibd_chainstate.get()));
6845
6846 auto rename_result = m_snapshot_chainstate->InvalidateCoinsDBOnDisk();
6847 if (!rename_result) {
6848 user_error = strprintf(Untranslated("%s\n%s"), user_error,
6849 util::ErrorString(rename_result));
6850 }
6851
6852 shutdown_fnc(user_error);
6853 };
6854
6855 if (index_new.GetBlockHash() != snapshot_blockhash) {
6856 LogPrintf(
6857 "[snapshot] supposed base block %s does not match the "
6858 "snapshot base block %s (height %d). Snapshot is not valid.\n",
6859 index_new.ToString(), snapshot_blockhash.ToString(),
6860 snapshot_base_height);
6861 handle_invalid_snapshot();
6863 }
6864
6865 assert(index_new.nHeight == snapshot_base_height);
6866
6867 int curr_height = m_ibd_chainstate->m_chain.Height();
6868
6869 assert(snapshot_base_height == curr_height);
6870 assert(snapshot_base_height == index_new.nHeight);
6871 assert(this->IsUsable(m_snapshot_chainstate.get()));
6872 assert(this->GetAll().size() == 2);
6873
6874 CCoinsViewDB &ibd_coins_db = m_ibd_chainstate->CoinsDB();
6875 m_ibd_chainstate->ForceFlushStateToDisk();
6876
6877 const auto &maybe_au_data =
6878 this->GetParams().AssumeutxoForHeight(curr_height);
6879 if (!maybe_au_data) {
6880 LogPrintf("[snapshot] assumeutxo data not found for height "
6881 "(%d) - refusing to validate snapshot\n",
6882 curr_height);
6883 handle_invalid_snapshot();
6885 }
6886
6887 const AssumeutxoData &au_data = *maybe_au_data;
6888 std::optional<CCoinsStats> maybe_ibd_stats;
6889 LogPrintf(
6890 "[snapshot] computing UTXO stats for background chainstate to validate "
6891 "snapshot - this could take a few minutes\n");
6892 try {
6893 maybe_ibd_stats =
6894 ComputeUTXOStats(CoinStatsHashType::HASH_SERIALIZED, &ibd_coins_db,
6896 } catch (StopHashingException const &) {
6898 }
6899
6900 if (!maybe_ibd_stats) {
6901 LogPrintf(
6902 "[snapshot] failed to generate stats for validation coins db\n");
6903 // While this isn't a problem with the snapshot per se, this condition
6904 // prevents us from validating the snapshot, so we should shut down and
6905 // let the user handle the issue manually.
6906 handle_invalid_snapshot();
6908 }
6909 const auto &ibd_stats = *maybe_ibd_stats;
6910
6911 // Compare the background validation chainstate's UTXO set hash against the
6912 // hard-coded assumeutxo hash we expect.
6913 //
6914 // TODO: For belt-and-suspenders, we could cache the UTXO set
6915 // hash for the snapshot when it's loaded in its chainstate's leveldb. We
6916 // could then reference that here for an additional check.
6917 if (AssumeutxoHash{ibd_stats.hashSerialized} != au_data.hash_serialized) {
6918 LogPrintf("[snapshot] hash mismatch: actual=%s, expected=%s\n",
6919 ibd_stats.hashSerialized.ToString(),
6920 au_data.hash_serialized.ToString());
6921 handle_invalid_snapshot();
6923 }
6924
6925 LogPrintf("[snapshot] snapshot beginning at %s has been fully validated\n",
6926 snapshot_blockhash.ToString());
6927
6928 m_ibd_chainstate->m_disabled = true;
6929 this->MaybeRebalanceCaches();
6930
6932}
6933
6935 LOCK(::cs_main);
6936 assert(m_active_chainstate);
6937 return *m_active_chainstate;
6938}
6939
6941 LOCK(::cs_main);
6942 return m_snapshot_chainstate &&
6943 m_active_chainstate == m_snapshot_chainstate.get();
6944}
6945void ChainstateManager::MaybeRebalanceCaches() {
6947 bool ibd_usable = this->IsUsable(m_ibd_chainstate.get());
6948 bool snapshot_usable = this->IsUsable(m_snapshot_chainstate.get());
6949 assert(ibd_usable || snapshot_usable);
6950
6951 if (ibd_usable && !snapshot_usable) {
6952 LogPrintf("[snapshot] allocating all cache to the IBD chainstate\n");
6953 // Allocate everything to the IBD chainstate.
6954 m_ibd_chainstate->ResizeCoinsCaches(m_total_coinstip_cache,
6956 } else if (snapshot_usable && !ibd_usable) {
6957 // If background validation has completed and snapshot is our active
6958 // chain...
6959 LogPrintf(
6960 "[snapshot] allocating all cache to the snapshot chainstate\n");
6961 // Allocate everything to the snapshot chainstate.
6962 m_snapshot_chainstate->ResizeCoinsCaches(m_total_coinstip_cache,
6964 } else if (ibd_usable && snapshot_usable) {
6965 // If both chainstates exist, determine who needs more cache based on
6966 // IBD status.
6967 //
6968 // Note: shrink caches first so that we don't inadvertently overwhelm
6969 // available memory.
6970 if (IsInitialBlockDownload()) {
6971 m_ibd_chainstate->ResizeCoinsCaches(m_total_coinstip_cache * 0.05,
6972 m_total_coinsdb_cache * 0.05);
6973 m_snapshot_chainstate->ResizeCoinsCaches(
6975 } else {
6976 m_snapshot_chainstate->ResizeCoinsCaches(
6978 m_ibd_chainstate->ResizeCoinsCaches(m_total_coinstip_cache * 0.95,
6979 m_total_coinsdb_cache * 0.95);
6980 }
6981 }
6982}
6983
6984void ChainstateManager::ResetChainstates() {
6985 m_ibd_chainstate.reset();
6986 m_snapshot_chainstate.reset();
6987 m_active_chainstate = nullptr;
6988}
6989
6996 if (!opts.check_block_index.has_value()) {
6997 opts.check_block_index =
6998 opts.config.GetChainParams().DefaultConsistencyChecks();
6999 }
7000
7001 if (!opts.minimum_chain_work.has_value()) {
7002 opts.minimum_chain_work = UintToArith256(
7003 opts.config.GetChainParams().GetConsensus().nMinimumChainWork);
7004 }
7005 if (!opts.assumed_valid_block.has_value()) {
7006 opts.assumed_valid_block =
7007 opts.config.GetChainParams().GetConsensus().defaultAssumeValid;
7008 }
7009 Assert(opts.adjusted_time_callback);
7010 return std::move(opts);
7011}
7012
7014 Options options, node::BlockManager::Options blockman_options)
7015 : m_options{Flatten(std::move(options))},
7016 m_blockman{std::move(blockman_options)} {}
7017
7018bool ChainstateManager::DetectSnapshotChainstate(CTxMemPool *mempool) {
7019 assert(!m_snapshot_chainstate);
7020 std::optional<fs::path> path = node::FindSnapshotChainstateDir();
7021 if (!path) {
7022 return false;
7023 }
7024 std::optional<BlockHash> base_blockhash =
7026 if (!base_blockhash) {
7027 return false;
7028 }
7029 LogPrintf("[snapshot] detected active snapshot chainstate (%s) - loading\n",
7030 fs::PathToString(*path));
7031
7032 this->ActivateExistingSnapshot(mempool, *base_blockhash);
7033 return true;
7034}
7035
7036Chainstate &
7037ChainstateManager::ActivateExistingSnapshot(CTxMemPool *mempool,
7038 BlockHash base_blockhash) {
7039 assert(!m_snapshot_chainstate);
7040 m_snapshot_chainstate = std::make_unique<Chainstate>(mempool, m_blockman,
7041 *this, base_blockhash);
7042 LogPrintf("[snapshot] switching active chainstate to %s\n",
7043 m_snapshot_chainstate->ToString());
7044 m_active_chainstate = m_snapshot_chainstate.get();
7045 return *m_snapshot_chainstate;
7046}
7047
7051 // Should never be called on a non-snapshot chainstate.
7052 assert(cs.m_from_snapshot_blockhash);
7053 auto storage_path_maybe = cs.CoinsDB().StoragePath();
7054 // Should never be called with a non-existent storage path.
7055 assert(storage_path_maybe);
7056 return *storage_path_maybe;
7057}
7058
7059util::Result<void> Chainstate::InvalidateCoinsDBOnDisk() {
7060 fs::path snapshot_datadir = GetSnapshotCoinsDBPath(*this);
7061
7062 // Coins views no longer usable.
7063 m_coins_views.reset();
7064
7065 auto invalid_path = snapshot_datadir + "_INVALID";
7066 std::string dbpath = fs::PathToString(snapshot_datadir);
7067 std::string target = fs::PathToString(invalid_path);
7068 LogPrintf("[snapshot] renaming snapshot datadir %s to %s\n", dbpath,
7069 target);
7070
7071 // The invalid snapshot datadir is simply moved and not deleted because we
7072 // may want to do forensics later during issue investigation. The user is
7073 // instructed accordingly in MaybeCompleteSnapshotValidation().
7074 try {
7075 fs::rename(snapshot_datadir, invalid_path);
7076 } catch (const fs::filesystem_error &e) {
7077 auto src_str = fs::PathToString(snapshot_datadir);
7078 auto dest_str = fs::PathToString(invalid_path);
7079
7080 LogPrintf("%s: error renaming file '%s' -> '%s': %s\n", __func__,
7081 src_str, dest_str, e.what());
7082 return util::Error{strprintf(_("Rename of '%s' -> '%s' failed. "
7083 "You should resolve this by manually "
7084 "moving or deleting the invalid "
7085 "snapshot directory %s, otherwise you "
7086 "will encounter the same error again "
7087 "on the next startup."),
7088 src_str, dest_str, src_str)};
7089 }
7090 return {};
7091}
7092
7093bool ChainstateManager::DeleteSnapshotChainstate() {
7095 Assert(m_snapshot_chainstate);
7096 Assert(m_ibd_chainstate);
7097
7098 fs::path snapshot_datadir = GetSnapshotCoinsDBPath(*m_snapshot_chainstate);
7099 if (!DeleteCoinsDBFromDisk(snapshot_datadir, /*is_snapshot=*/true)) {
7100 LogPrintf("Deletion of %s failed. Please remove it manually to "
7101 "continue reindexing.\n",
7102 fs::PathToString(snapshot_datadir));
7103 return false;
7104 }
7105 m_active_chainstate = m_ibd_chainstate.get();
7106 m_snapshot_chainstate.reset();
7107 return true;
7108}
7109
7110ChainstateRole Chainstate::GetRole() const {
7111 if (m_chainman.GetAll().size() <= 1) {
7113 }
7114 return (this != &m_chainman.ActiveChainstate())
7117}
7118const CBlockIndex *ChainstateManager::GetSnapshotBaseBlock() const {
7119 return m_active_chainstate ? m_active_chainstate->SnapshotBase() : nullptr;
7120}
7121
7122std::optional<int> ChainstateManager::GetSnapshotBaseHeight() const {
7123 const CBlockIndex *base = this->GetSnapshotBaseBlock();
7124 return base ? std::make_optional(base->nHeight) : std::nullopt;
7125}
7126
7127bool ChainstateManager::ValidatedSnapshotCleanup() {
7129 auto get_storage_path = [](auto &chainstate) EXCLUSIVE_LOCKS_REQUIRED(
7130 ::cs_main) -> std::optional<fs::path> {
7131 if (!(chainstate && chainstate->HasCoinsViews())) {
7132 return {};
7133 }
7134 return chainstate->CoinsDB().StoragePath();
7135 };
7136 std::optional<fs::path> ibd_chainstate_path_maybe =
7137 get_storage_path(m_ibd_chainstate);
7138 std::optional<fs::path> snapshot_chainstate_path_maybe =
7139 get_storage_path(m_snapshot_chainstate);
7140
7141 if (!this->IsSnapshotValidated()) {
7142 // No need to clean up.
7143 return false;
7144 }
7145 // If either path doesn't exist, that means at least one of the chainstates
7146 // is in-memory, in which case we can't do on-disk cleanup. You'd better be
7147 // in a unittest!
7148 if (!ibd_chainstate_path_maybe || !snapshot_chainstate_path_maybe) {
7149 LogPrintf("[snapshot] snapshot chainstate cleanup cannot happen with "
7150 "in-memory chainstates. You are testing, right?\n");
7151 return false;
7152 }
7153
7154 const auto &snapshot_chainstate_path = *snapshot_chainstate_path_maybe;
7155 const auto &ibd_chainstate_path = *ibd_chainstate_path_maybe;
7156
7157 // Since we're going to be moving around the underlying leveldb filesystem
7158 // content for each chainstate, make sure that the chainstates (and their
7159 // constituent CoinsViews members) have been destructed first.
7160 //
7161 // The caller of this method will be responsible for reinitializing
7162 // chainstates if they want to continue operation.
7163 this->ResetChainstates();
7164
7165 // No chainstates should be considered usable.
7166 assert(this->GetAll().size() == 0);
7167
7168 LogPrintf("[snapshot] deleting background chainstate directory (now "
7169 "unnecessary) (%s)\n",
7170 fs::PathToString(ibd_chainstate_path));
7171
7172 fs::path tmp_old{ibd_chainstate_path + "_todelete"};
7173
7174 auto rename_failed_abort = [](fs::path p_old, fs::path p_new,
7175 const fs::filesystem_error &err) {
7176 LogPrintf("Error renaming file (%s): %s\n", fs::PathToString(p_old),
7177 err.what());
7179 "Rename of '%s' -> '%s' failed. "
7180 "Cannot clean up the background chainstate leveldb directory.",
7181 fs::PathToString(p_old), fs::PathToString(p_new)));
7182 };
7183
7184 try {
7185 fs::rename(ibd_chainstate_path, tmp_old);
7186 } catch (const fs::filesystem_error &e) {
7187 rename_failed_abort(ibd_chainstate_path, tmp_old, e);
7188 throw;
7189 }
7190
7191 LogPrintf("[snapshot] moving snapshot chainstate (%s) to "
7192 "default chainstate directory (%s)\n",
7193 fs::PathToString(snapshot_chainstate_path),
7194 fs::PathToString(ibd_chainstate_path));
7195
7196 try {
7197 fs::rename(snapshot_chainstate_path, ibd_chainstate_path);
7198 } catch (const fs::filesystem_error &e) {
7199 rename_failed_abort(snapshot_chainstate_path, ibd_chainstate_path, e);
7200 throw;
7201 }
7202
7203 if (!DeleteCoinsDBFromDisk(tmp_old, /*is_snapshot=*/false)) {
7204 // No need to AbortNode because once the unneeded bg chainstate data is
7205 // moved, it will not interfere with subsequent initialization.
7206 LogPrintf("Deletion of %s failed. Please remove it manually, as the "
7207 "directory is now unnecessary.\n",
7208 fs::PathToString(tmp_old));
7209 } else {
7210 LogPrintf("[snapshot] deleted background chainstate directory (%s)\n",
7211 fs::PathToString(ibd_chainstate_path));
7212 }
7213 return true;
7214}
bool IsDAAEnabled(const Consensus::Params &params, int nHeight)
Definition: activation.cpp:24
bool IsUAHFenabled(const Consensus::Params &params, int nHeight)
Definition: activation.cpp:11
static bool IsPhononEnabled(const Consensus::Params &params, int32_t nHeight)
Definition: activation.cpp:65
static bool IsGravitonEnabled(const Consensus::Params &params, int32_t nHeight)
Definition: activation.cpp:51
bool IsMagneticAnomalyEnabled(const Consensus::Params &params, int32_t nHeight)
Check if Nov 15, 2018 HF has activated using block height.
Definition: activation.cpp:37
bool MoneyRange(const Amount nValue)
Definition: amount.h:166
static constexpr Amount SATOSHI
Definition: amount.h:143
static constexpr Amount COIN
Definition: amount.h:144
ArgsManager gArgs
Definition: args.cpp:38
arith_uint256 UintToArith256(const uint256 &a)
int flags
Definition: bitcoin-tx.cpp:541
@ CHAIN
Outputs do not overspend inputs, no double spends, coinbase output ok, no immature coinbase spends,...
@ TRANSACTIONS
Only first tx is coinbase, 2 <= coinbase input script length <= 100, transactions valid,...
@ SCRIPTS
Scripts & signatures ok.
@ TREE
All parent headers found, difficulty matches, timestamp >= median previous, checkpoint.
arith_uint256 GetBlockProof(const CBlockIndex &block)
Definition: chain.cpp:74
int64_t GetBlockProofEquivalentTime(const CBlockIndex &to, const CBlockIndex &from, const CBlockIndex &tip, const Consensus::Params &params)
Return the time it would take to redo the work difference between from and to, assuming the current h...
Definition: chain.cpp:89
const CBlockIndex * LastCommonAncestor(const CBlockIndex *pa, const CBlockIndex *pb)
Find the last common ancestor two blocks have.
Definition: chain.cpp:112
bool AreOnTheSameFork(const CBlockIndex *pa, const CBlockIndex *pb)
Check if two block index are on the same fork.
Definition: chain.cpp:136
#define Assert(val)
Identity function.
Definition: check.h:84
#define Assume(val)
Assume is the identity function.
Definition: check.h:97
fs::path GetDataDirNet() const
Get data directory path with appended network identifier.
Definition: args.h:215
int64_t GetIntArg(const std::string &strArg, int64_t nDefault) const
Return integer argument or default value.
Definition: args.cpp:526
fs::path GetBlocksDirPath() const
Get blocks directory path.
Definition: args.cpp:289
bool GetBoolArg(const std::string &strArg, bool fDefault) const
Return boolean argument or default value.
Definition: args.cpp:556
Non-refcounted RAII wrapper for FILE*.
Definition: streams.h:528
bool IsNull() const
Return true if the wrapped FILE* is nullptr, false otherwise.
Definition: streams.h:570
std::string ToString() const
Definition: hash_type.h:28
uint64_t getExcessiveBlockSize() const
Definition: validation.h:155
BlockValidationOptions withCheckPoW(bool _checkPoW=true) const
Definition: validation.h:140
BlockValidationOptions withCheckMerkleRoot(bool _checkMerkleRoot=true) const
Definition: validation.h:147
BlockValidationOptions(const Config &config)
Definition: validation.cpp:121
bool shouldValidatePoW() const
Definition: validation.h:153
bool shouldValidateMerkleRoot() const
Definition: validation.h:154
Nodes collect new transactions into a block, hash them into a hash tree, and scan through nonce value...
Definition: block.h:23
BlockHash GetHash() const
Definition: block.cpp:11
NodeSeconds Time() const
Definition: block.h:53
uint32_t nBits
Definition: block.h:30
BlockHash hashPrevBlock
Definition: block.h:27
int64_t GetBlockTime() const
Definition: block.h:57
int32_t nVersion
Definition: block.h:26
uint256 hashMerkleRoot
Definition: block.h:28
Definition: block.h:60
std::vector< CTransactionRef > vtx
Definition: block.h:63
bool fChecked
Definition: block.h:66
The block chain is a tree shaped structure starting with the genesis block at the root,...
Definition: blockindex.h:25
bool IsValid(enum BlockValidity nUpTo=BlockValidity::TRANSACTIONS) const EXCLUSIVE_LOCKS_REQUIRED(
Check whether this block index entry is valid up to the passed validity level.
Definition: blockindex.h:210
std::string ToString() const
Definition: blockindex.cpp:30
CBlockIndex * pprev
pointer to the index of the predecessor of this block
Definition: blockindex.h:32
int64_t GetHeaderReceivedTime() const
Definition: blockindex.h:183
void MaybeResetChainStats(bool is_snapshot_base_block)
Reset chain tx stats and log a warning if the block is not the snapshot block, and the nChainTx value...
Definition: blockindex.cpp:40
arith_uint256 nChainWork
(memory only) Total amount of work (expected number of hashes) in the chain up to and including this ...
Definition: blockindex.h:51
const BlockHash * phashBlock
pointer to the hash of the block, if any.
Definition: blockindex.h:29
int64_t GetChainTxCount() const
Get the number of transaction in the chain so far.
Definition: blockindex.h:138
bool HaveNumChainTxs() const
Check whether this block and all previous blocks back to the genesis block or an assumeutxo snapshot ...
Definition: blockindex.h:173
uint32_t nTime
Definition: blockindex.h:76
int32_t nSequenceId
(memory only) Sequential id assigned to distinguish order in which blocks are received.
Definition: blockindex.h:82
int64_t GetReceivedTimeDiff() const
Definition: blockindex.h:185
int64_t GetBlockTime() const
Definition: blockindex.h:179
int64_t GetMedianTimePast() const
Definition: blockindex.h:191
FlatFilePos GetUndoPos() const EXCLUSIVE_LOCKS_REQUIRED(
Definition: blockindex.h:107
bool UpdateChainStats()
Update chain tx stats and return True if this block is the genesis block or all parents have their tx...
Definition: blockindex.cpp:56
CBlockIndex * pskip
pointer to the index of some further predecessor of this block
Definition: blockindex.h:35
unsigned int nTx
Number of transactions in this block.
Definition: blockindex.h:55
bool RaiseValidity(enum BlockValidity nUpTo) EXCLUSIVE_LOCKS_REQUIRED(
Raise the validity level of this block index entry.
Definition: blockindex.h:218
int32_t nVersion
block header
Definition: blockindex.h:74
int64_t nTimeReceived
(memory only) block header metadata
Definition: blockindex.h:85
CBlockIndex * GetAncestor(int height)
Efficiently find an ancestor of this block.
Definition: blockindex.cpp:102
BlockHash GetBlockHash() const
Definition: blockindex.h:130
unsigned int nSize
Size of this block.
Definition: blockindex.h:60
int nHeight
height of the entry in the chain. The genesis block has height 0
Definition: blockindex.h:38
unsigned int nChainTx
(memory only) Number of transactions in the chain up to and including this block.
Definition: blockindex.h:68
Undo information for a CBlock.
Definition: undo.h:73
std::vector< CTxUndo > vtxundo
Definition: undo.h:76
Non-refcounted RAII wrapper around a FILE* that implements a ring buffer to deserialize from.
Definition: streams.h:671
bool SetLimit(uint64_t nPos=std::numeric_limits< uint64_t >::max())
Prevent reading beyond a certain position.
Definition: streams.h:808
uint64_t GetPos() const
return the current reading position
Definition: streams.h:787
void FindByte(std::byte byte)
search for a given byte in the stream, and remain positioned on it
Definition: streams.h:823
void SkipTo(const uint64_t file_pos)
Move the read position ahead in the stream to the given position.
Definition: streams.h:779
bool SetPos(uint64_t nPos)
rewind to a given reading position
Definition: streams.h:790
bool eof() const
check whether we're at the end of the source file
Definition: streams.h:766
An in-memory indexed chain of blocks.
Definition: chain.h:134
CBlockIndex * Tip() const
Returns the index entry for the tip of this chain, or nullptr if none.
Definition: chain.h:150
void SetTip(CBlockIndex &block)
Set/initialize a chain with a given tip.
Definition: chain.cpp:8
CBlockIndex * Genesis() const
Returns the index entry for the genesis block of this chain, or nullptr if none.
Definition: chain.h:143
CBlockIndex * Next(const CBlockIndex *pindex) const
Find the successor of a block in this chain, or nullptr if the given index is not found or is the tip...
Definition: chain.h:174
int Height() const
Return the maximal height in the chain.
Definition: chain.h:186
const CBlockIndex * FindFork(const CBlockIndex *pindex) const
Find the last common block between this chain and a block index entry.
Definition: chain.cpp:49
bool Contains(const CBlockIndex *pindex) const
Efficiently check whether a block is present in this chain.
Definition: chain.h:166
CBlockLocator GetLocator() const
Return a CBlockLocator that refers to the tip of this chain.
Definition: chain.cpp:45
CChainParams defines various tweakable parameters of a given instance of the Bitcoin system.
Definition: chainparams.h:85
const CBlock & GenesisBlock() const
Definition: chainparams.h:110
const CMessageHeader::MessageMagic & DiskMagic() const
Definition: chainparams.h:98
const ChainTxData & TxData() const
Definition: chainparams.h:152
const Consensus::Params & GetConsensus() const
Definition: chainparams.h:97
uint64_t PruneAfterHeight() const
Definition: chainparams.h:119
std::optional< AssumeutxoData > AssumeutxoForHeight(int height) const
Definition: chainparams.h:141
const CCheckpointData & Checkpoints() const
Definition: chainparams.h:139
RAII-style controller object for a CCheckQueue that guarantees the passed queue is finished before co...
Definition: checkqueue.h:198
void Add(std::vector< T > &&vChecks)
Definition: checkqueue.h:224
Queue for verifications that have to be performed.
Definition: checkqueue.h:28
void SetBackend(CCoinsView &viewIn)
Definition: coins.cpp:47
CCoinsView that adds a memory cache for transactions to another CCoinsView.
Definition: coins.h:221
void AddCoin(const COutPoint &outpoint, Coin coin, bool possible_overwrite)
Add a coin.
Definition: coins.cpp:104
BlockHash GetBestBlock() const override
Retrieve the block hash whose state this CCoinsView currently represents.
Definition: coins.cpp:214
bool SpendCoin(const COutPoint &outpoint, Coin *moveto=nullptr)
Spend a coin.
Definition: coins.cpp:172
void Uncache(const COutPoint &outpoint)
Removes the UTXO with the given outpoint from the cache, if it is not modified.
Definition: coins.cpp:330
void SetBestBlock(const BlockHash &hashBlock)
Definition: coins.cpp:221
unsigned int GetCacheSize() const
Calculate the size of the cache (in number of transaction outputs)
Definition: coins.cpp:342
bool GetCoin(const COutPoint &outpoint, Coin &coin) const override
Retrieve the Coin (unspent transaction output) for a given outpoint.
Definition: coins.cpp:95
bool HaveCoinInCache(const COutPoint &outpoint) const
Check if we have the given utxo already loaded in this cache.
Definition: coins.cpp:209
bool Flush()
Push the modifications applied to this cache to its base and wipe local state.
Definition: coins.cpp:301
size_t DynamicMemoryUsage() const
Calculate the size of the cache (in bytes)
Definition: coins.cpp:67
void EmplaceCoinInternalDANGER(COutPoint &&outpoint, Coin &&coin)
Emplace a coin into cacheCoins without performing any checks, marking the emplaced coin as dirty.
Definition: coins.cpp:148
bool HaveCoin(const COutPoint &outpoint) const override
Just check whether a given outpoint is unspent.
Definition: coins.cpp:204
const Coin & AccessCoin(const COutPoint &output) const
Return a reference to Coin in the cache, or coinEmpty if not found.
Definition: coins.cpp:196
CCoinsView backed by the coin database (chainstate/)
Definition: txdb.h:65
std::optional< fs::path > StoragePath()
Definition: txdb.h:92
void ResizeCache(size_t new_cache_size) EXCLUSIVE_LOCKS_REQUIRED(cs_main)
Dynamically alter the underlying leveldb cache size.
Definition: txdb.cpp:82
Abstract view on the open txout dataset.
Definition: coins.h:163
virtual bool GetCoin(const COutPoint &outpoint, Coin &coin) const
Retrieve the Coin (unspent transaction output) for a given outpoint.
Definition: coins.cpp:13
CCoinsView that brings transactions from a mempool into view.
Definition: txmempool.h:635
Fee rate in satoshis per kilobyte: Amount / kB.
Definition: feerate.h:21
void TransactionAddedToMempool(const CTransactionRef &, std::shared_ptr< const std::vector< Coin > >, uint64_t mempool_sequence)
void UpdatedBlockTip(const CBlockIndex *, const CBlockIndex *, bool fInitialDownload)
void BlockConnected(ChainstateRole, const std::shared_ptr< const CBlock > &, const CBlockIndex *pindex)
void BlockDisconnected(const std::shared_ptr< const CBlock > &, const CBlockIndex *pindex)
void BlockChecked(const CBlock &, const BlockValidationState &)
void NewPoWValidBlock(const CBlockIndex *, const std::shared_ptr< const CBlock > &)
void ChainStateFlushed(ChainstateRole, const CBlockLocator &)
static constexpr size_t MESSAGE_START_SIZE
Definition: protocol.h:36
void insert(Span< const uint8_t > vKey)
Definition: bloom.cpp:215
bool contains(Span< const uint8_t > vKey) const
Definition: bloom.cpp:249
Closure representing one script verification.
Definition: validation.h:526
bool operator()()
ScriptError GetScriptError() const
Definition: validation.h:557
ScriptExecutionMetrics GetScriptExecutionMetrics() const
Definition: validation.h:559
uint32_t nFlags
Definition: validation.h:531
TxSigCheckLimiter * pTxLimitSigChecks
Definition: validation.h:536
ScriptExecutionMetrics metrics
Definition: validation.h:534
CTxOut m_tx_out
Definition: validation.h:528
bool cacheStore
Definition: validation.h:532
ScriptError error
Definition: validation.h:533
PrecomputedTransactionData txdata
Definition: validation.h:535
const CTransaction * ptxTo
Definition: validation.h:529
unsigned int nIn
Definition: validation.h:530
CheckInputsLimiter * pBlockLimitSigChecks
Definition: validation.h:537
CTxMemPoolEntry stores data about the corresponding transaction, as well as data about all in-mempool...
Definition: mempool_entry.h:65
CTxMemPool stores valid-according-to-the-current-best-chain transactions that may be included in the ...
Definition: txmempool.h:214
RecursiveMutex cs
This mutex needs to be locked when accessing mapTx or other members that are guarded by it.
Definition: txmempool.h:310
void AddTransactionsUpdated(unsigned int n)
Definition: txmempool.cpp:144
const int64_t m_max_size_bytes
Definition: txmempool.h:347
size_t DynamicMemoryUsage() const
Definition: txmempool.cpp:711
void clear()
Definition: txmempool.cpp:353
void SetLoadTried(bool load_tried)
Set whether or not we've made an attempt to load the mempool (regardless of whether the attempt was s...
Definition: txmempool.cpp:881
CScript scriptPubKey
Definition: transaction.h:131
Amount nValue
Definition: transaction.h:130
Restore the UTXO in a Coin at a given COutPoint.
Definition: undo.h:62
std::vector< Coin > vprevout
Definition: undo.h:65
VerifyDBResult VerifyDB(Chainstate &chainstate, CCoinsView &coinsview, int nCheckLevel, int nCheckDepth) EXCLUSIVE_LOCKS_REQUIRED(cs_main)
kernel::Notifications & m_notifications
Definition: validation.h:623
Chainstate stores and provides an API to update our local knowledge of the current best chain.
Definition: validation.h:700
bool IsBlockAvalancheFinalized(const CBlockIndex *pindex) const EXCLUSIVE_LOCKS_REQUIRED(!cs_avalancheFinalizedBlockIndex)
Checks if a block is finalized by avalanche voting.
const std::optional< BlockHash > m_from_snapshot_blockhash
The blockhash which is the base of the snapshot this chainstate was created from.
Definition: validation.h:807
void InitCoinsCache(size_t cache_size_bytes) EXCLUSIVE_LOCKS_REQUIRED(bool CanFlushToDisk() const EXCLUSIVE_LOCKS_REQUIRED(
Initialize the in-memory coins cache (to be done after the health of the on-disk database is verified...
Definition: validation.h:792
void CheckForkWarningConditionsOnNewFork(CBlockIndex *pindexNewForkTip) EXCLUSIVE_LOCKS_REQUIRED(cs_main)
bool ActivateBestChain(BlockValidationState &state, std::shared_ptr< const CBlock > pblock=nullptr, avalanche::Processor *const avalanche=nullptr) EXCLUSIVE_LOCKS_REQUIRED(!m_chainstate_mutex
Find the best known block, and make it the tip of the block chain.
Mutex m_chainstate_mutex
The ChainState Mutex.
Definition: validation.h:706
void UpdateFlags(CBlockIndex *pindex, CBlockIndex *&pindexReset, F f, C fChild, AC fAncestorWasChanged) EXCLUSIVE_LOCKS_REQUIRED(cs_main)
CChain m_chain
The current chain of blockheaders we consult and build on.
Definition: validation.h:799
bool HasCoinsViews() const
Does this chainstate have a UTXO set attached?
Definition: validation.h:853
CTxMemPool * GetMempool()
Definition: validation.h:839
bool RollforwardBlock(const CBlockIndex *pindex, CCoinsViewCache &inputs) EXCLUSIVE_LOCKS_REQUIRED(cs_main)
Apply the effects of a block on the utxo cache, ignoring that it may already have been applied.
size_t m_coinstip_cache_size_bytes
The cache size of the in-memory coins view.
Definition: validation.h:859
CCoinsViewCache & CoinsTip() EXCLUSIVE_LOCKS_REQUIRED(
Definition: validation.h:826
bool ActivateBestChainStep(BlockValidationState &state, CBlockIndex *pindexMostWork, const std::shared_ptr< const CBlock > &pblock, bool &fInvalidFound, const avalanche::Processor *const avalanche=nullptr) EXCLUSIVE_LOCKS_REQUIRED(cs_main
Try to make some progress towards making pindexMostWork the active block.
bool LoadChainTip() EXCLUSIVE_LOCKS_REQUIRED(cs_main)
Update the chain tip based on database information, i.e.
size_t m_coinsdb_cache_size_bytes
The cache size of the on-disk coins view.
Definition: validation.h:856
void UnparkBlockImpl(CBlockIndex *pindex, bool fClearChildren) EXCLUSIVE_LOCKS_REQUIRED(cs_main)
void CheckForkWarningConditions() EXCLUSIVE_LOCKS_REQUIRED(cs_main)
Chainstate(CTxMemPool *mempool, node::BlockManager &blockman, ChainstateManager &chainman, std::optional< BlockHash > from_snapshot_blockhash=std::nullopt)
void InvalidBlockFound(CBlockIndex *pindex, const BlockValidationState &state) EXCLUSIVE_LOCKS_REQUIRED(cs_main
Mutex cs_avalancheFinalizedBlockIndex
Definition: validation.h:730
void ForceFlushStateToDisk()
Unconditionally flush all changes to disk.
bool LoadGenesisBlock()
Ensures we have a genesis block in the block tree, possibly writing one to disk.
void UpdateTip(const CBlockIndex *pindexNew) EXCLUSIVE_LOCKS_REQUIRED(std::chrono::microsecond m_last_write)
Check warning conditions and do some notifications on new chain tip set.
Definition: validation.h:1086
void UnparkBlockAndChildren(CBlockIndex *pindex) EXCLUSIVE_LOCKS_REQUIRED(cs_main)
Remove parked status from a block and its descendants.
CTxMemPool * m_mempool
Optional mempool that is kept in sync with the chain.
Definition: validation.h:710
void LoadMempool(const fs::path &load_path, fsbridge::FopenFn mockable_fopen_function=fsbridge::fopen)
Load the persisted mempool from disk.
CCoinsViewDB & CoinsDB() EXCLUSIVE_LOCKS_REQUIRED(
Definition: validation.h:833
std::chrono::microseconds m_last_flush
Definition: validation.h:1087
bool DisconnectTip(BlockValidationState &state, DisconnectedBlockTransactions *disconnectpool) EXCLUSIVE_LOCKS_REQUIRED(cs_main
Disconnect m_chain's tip.
bool UnwindBlock(BlockValidationState &state, CBlockIndex *pindex, bool invalidate) EXCLUSIVE_LOCKS_REQUIRED(m_chainstate_mutex
bool InvalidateBlock(BlockValidationState &state, CBlockIndex *pindex) EXCLUSIVE_LOCKS_REQUIRED(!m_chainstate_mutex
Mark a block as invalid.
ChainstateManager & m_chainman
The chainstate manager that owns this chainstate.
Definition: validation.h:762
std::unique_ptr< CoinsViews > m_coins_views
Manages the UTXO set, which is a reflection of the contents of m_chain.
Definition: validation.h:714
const CBlockIndex *SnapshotBase() EXCLUSIVE_LOCKS_REQUIRED(std::set< CBlockIndex *, CBlockIndexWorkComparator > setBlockIndexCandidates
The base of the snapshot this chainstate was created from.
Definition: validation.h:814
CRollingBloomFilter m_filterParkingPoliciesApplied
Filter to prevent parking a block due to block policies more than once.
Definition: validation.h:745
bool ReplayBlocks()
Replay blocks that aren't fully applied to the database.
bool AvalancheFinalizeBlock(CBlockIndex *pindex, avalanche::Processor &avalanche) EXCLUSIVE_LOCKS_REQUIRED(!cs_avalancheFinalizedBlockIndex)
Mark a block as finalized by avalanche.
void ResetBlockFailureFlags(CBlockIndex *pindex) EXCLUSIVE_LOCKS_REQUIRED(cs_main)
Remove invalidity status from a block and its descendants.
void PruneBlockIndexCandidates()
Delete all entries in setBlockIndexCandidates that are worse than the current tip.
DisconnectResult DisconnectBlock(const CBlock &block, const CBlockIndex *pindex, CCoinsViewCache &view) EXCLUSIVE_LOCKS_REQUIRED(boo ConnectBlock)(const CBlock &block, BlockValidationState &state, CBlockIndex *pindex, CCoinsViewCache &view, BlockValidationOptions options, Amount *blockFees=nullptr, bool fJustCheck=false) EXCLUSIVE_LOCKS_REQUIRED(cs_main)
Apply the effects of this block (with given index) on the UTXO set represented by coins.
Definition: validation.h:919
CBlockIndex const * m_best_fork_tip
Definition: validation.h:748
bool ConnectTip(BlockValidationState &state, BlockPolicyValidationState &blockPolicyState, CBlockIndex *pindexNew, const std::shared_ptr< const CBlock > &pblock, DisconnectedBlockTransactions &disconnectpool, const avalanche::Processor *const avalanche=nullptr) EXCLUSIVE_LOCKS_REQUIRED(cs_main
Connect a new block to m_chain.
void TryAddBlockIndexCandidate(CBlockIndex *pindex) EXCLUSIVE_LOCKS_REQUIRED(cs_main)
void PruneAndFlush()
Prune blockfiles from the disk if necessary and then flush chainstate changes if we pruned.
bool ResizeCoinsCaches(size_t coinstip_size, size_t coinsdb_size) EXCLUSIVE_LOCKS_REQUIRED(bool FlushStateToDisk(BlockValidationState &state, FlushStateMode mode, int nManualPruneHeight=0)
Resize the CoinsViews caches dynamically and flush state to disk.
node::BlockManager & m_blockman
Reference to a BlockManager instance which itself is shared across all Chainstate instances.
Definition: validation.h:757
ChainstateRole GetRole() const EXCLUSIVE_LOCKS_REQUIRED(void InitCoinsDB(size_t cache_size_bytes, bool in_memory, bool should_wipe, std::string leveldb_name="chainstate")
Return the current role of the chainstate.
CBlockIndex const * m_best_fork_base
Definition: validation.h:749
void InvalidChainFound(CBlockIndex *pindexNew) EXCLUSIVE_LOCKS_REQUIRED(cs_main
void UnparkBlock(CBlockIndex *pindex) EXCLUSIVE_LOCKS_REQUIRED(cs_main)
Remove parked status from a block.
bool PreciousBlock(BlockValidationState &state, CBlockIndex *pindex, avalanche::Processor *const avalanche=nullptr) EXCLUSIVE_LOCKS_REQUIRED(!m_chainstate_mutex
Mark a block as precious and reorganize.
void ClearAvalancheFinalizedBlock() EXCLUSIVE_LOCKS_REQUIRED(!cs_avalancheFinalizedBlockIndex)
Clear avalanche finalization.
void ClearBlockIndexCandidates() EXCLUSIVE_LOCKS_REQUIRED(const CBlockIndex * FindForkInGlobalIndex(const CBlockLocator &locator) const EXCLUSIVE_LOCKS_REQUIRED(cs_main)
Find the last common block of this chain and a locator.
Definition: validation.cpp:126
CBlockIndex * FindMostWorkChain(std::vector< const CBlockIndex * > &blocksToReconcile, bool fAutoUnpark) EXCLUSIVE_LOCKS_REQUIRED(cs_main
Return the tip of the chain with the most work in it, that isn't known to be invalid (it's however fa...
bool UpdateFlagsForBlock(CBlockIndex *pindexBase, CBlockIndex *pindex, F f) EXCLUSIVE_LOCKS_REQUIRED(cs_main)
bool ParkBlock(BlockValidationState &state, CBlockIndex *pindex) EXCLUSIVE_LOCKS_REQUIRED(!m_chainstate_mutex
Park a block.
CoinsCacheSizeState GetCoinsCacheSizeState() EXCLUSIVE_LOCKS_REQUIRED(CoinsCacheSizeState GetCoinsCacheSizeState(size_t max_coins_cache_size_bytes, size_t max_mempool_size_bytes) EXCLUSIVE_LOCKS_REQUIRED(std::string ToString() EXCLUSIVE_LOCKS_REQUIRED(RecursiveMutex * MempoolMutex() const LOCK_RETURNED(m_mempool -> cs)
Dictates whether we need to flush the cache to disk or not.
Definition: validation.h:1033
Provides an interface for creating and interacting with one or two chainstates: an IBD chainstate gen...
Definition: validation.h:1147
SnapshotCompletionResult MaybeCompleteSnapshotValidation(std::function< void(bilingual_str)> shutdown_fnc=[](bilingual_str msg) { AbortNode(msg.original, msg);}) EXCLUSIVE_LOCKS_REQUIRED(const CBlockIndex *GetSnapshotBaseBlock() const EXCLUSIVE_LOCKS_REQUIRED(Chainstate ActiveChainstate)() const
Once the background validation chainstate has reached the height which is the base of the UTXO snapsh...
Definition: validation.h:1390
std::atomic< int32_t > nBlockSequenceId
Every received block is assigned a unique and increasing identifier, so we know which one to give pri...
Definition: validation.h:1296
bool DetectSnapshotChainstate(CTxMemPool *mempool) EXCLUSIVE_LOCKS_REQUIRED(void ResetChainstates() EXCLUSIVE_LOCKS_REQUIRED(bool DeleteSnapshotChainstate() EXCLUSIVE_LOCKS_REQUIRED(Chainstate &ActivateExistingSnapshot(CTxMemPool *mempool, BlockHash base_blockhash) EXCLUSIVE_LOCKS_REQUIRED(bool ValidatedSnapshotCleanup() EXCLUSIVE_LOCKS_REQUIRED(boo DumpRecentHeadersTime)(const fs::path &filePath) const EXCLUSIVE_LOCKS_REQUIRED(GetMutex())
When starting up, search the datadir for a chainstate based on a UTXO snapshot that is in the process...
Definition: validation.h:1613
const Config & GetConfig() const
Definition: validation.h:1232
std::optional< int > GetSnapshotBaseHeight() const EXCLUSIVE_LOCKS_REQUIRED(bool IsUsable(const Chainstate *const pchainstate) const EXCLUSIVE_LOCKS_REQUIRED(
Return the height of the base block of the snapshot in use, if one exists, else nullopt.
Definition: validation.h:1218
int64_t m_total_coinstip_cache
The total number of bytes available for us to use across all in-memory coins caches.
Definition: validation.h:1340
MempoolAcceptResult ProcessTransaction(const CTransactionRef &tx, bool test_accept=false) EXCLUSIVE_LOCKS_REQUIRED(cs_main)
Try to add a transaction to the memory pool.
int64_t m_total_coinsdb_cache
The total number of bytes available for us to use across all leveldb coins databases.
Definition: validation.h:1344
bool AcceptBlockHeader(const CBlockHeader &block, BlockValidationState &state, CBlockIndex **ppindex, bool min_pow_checked, const std::optional< CCheckpointData > &test_checkpoints=std::nullopt) EXCLUSIVE_LOCKS_REQUIRED(cs_main)
If a block header hasn't already been seen, call CheckBlockHeader on it, ensure that it doesn't desce...
kernel::Notifications & GetNotifications() const
Definition: validation.h:1249
bool IsInitialBlockDownload() const
Check whether we are doing an initial block download (synchronizing from disk or network)
void ReceivedBlockTransactions(const CBlock &block, CBlockIndex *pindexNew, const FlatFilePos &pos) EXCLUSIVE_LOCKS_REQUIRED(cs_main)
Mark a block as having its data received and checked (up to BLOCK_VALID_TRANSACTIONS).
bool ShouldCheckBlockIndex() const
Definition: validation.h:1240
bool ProcessNewBlock(const std::shared_ptr< const CBlock > &block, bool force_processing, bool min_pow_checked, bool *new_block, avalanche::Processor *const avalanche=nullptr) LOCKS_EXCLUDED(cs_main)
Process an incoming block.
bool LoadRecentHeadersTime(const fs::path &filePath) EXCLUSIVE_LOCKS_REQUIRED(GetMutex())
Load the recent block headers reception time from a file.
void LoadExternalBlockFile(FILE *fileIn, FlatFilePos *dbp=nullptr, std::multimap< BlockHash, FlatFilePos > *blocks_with_unknown_parent=nullptr, avalanche::Processor *const avalanche=nullptr)
Import blocks from an external file.
std::optional< BlockHash > SnapshotBlockhash() const
bool IsSnapshotValidated() const EXCLUSIVE_LOCKS_REQUIRED(
Is there a snapshot in use and has it been fully validated?
Definition: validation.h:1426
CBlockIndex * ActiveTip() const EXCLUSIVE_LOCKS_REQUIRED(GetMutex())
Definition: validation.h:1397
bool BackgroundSyncInProgress() const EXCLUSIVE_LOCKS_REQUIRED(GetMutex())
The state of a background sync (for net processing)
Definition: validation.h:1402
std::atomic< bool > m_cached_finished_ibd
Whether initial block download has ended and IsInitialBlockDownload should return false from now on.
Definition: validation.h:1289
bool PopulateAndValidateSnapshot(Chainstate &snapshot_chainstate, AutoFile &coins_file, const node::SnapshotMetadata &metadata)
Internal helper for ActivateSnapshot().
int ActiveHeight() const EXCLUSIVE_LOCKS_REQUIRED(GetMutex())
Definition: validation.h:1394
bool ActivateSnapshot(AutoFile &coins_file, const node::SnapshotMetadata &metadata, bool in_memory)
Construct and activate a Chainstate on the basis of UTXO snapshot data.
bool IsSnapshotActive() const
bool AcceptBlock(const std::shared_ptr< const CBlock > &pblock, BlockValidationState &state, bool fRequested, const FlatFilePos *dbp, bool *fNewBlock, bool min_pow_checked) EXCLUSIVE_LOCKS_REQUIRED(cs_main)
Sufficiently validate a block for disk storage (and store on disk).
const CChainParams & GetParams() const
Definition: validation.h:1234
bool ProcessNewBlockHeaders(const std::vector< CBlockHeader > &block, bool min_pow_checked, BlockValidationState &state, const CBlockIndex **ppindex=nullptr, const std::optional< CCheckpointData > &test_checkpoints=std::nullopt) LOCKS_EXCLUDED(cs_main)
Process incoming block headers.
const Consensus::Params & GetConsensus() const
Definition: validation.h:1237
const arith_uint256 & MinimumChainWork() const
Definition: validation.h:1243
void CheckBlockIndex()
Make various assertions about the state of the block index.
const Options m_options
Definition: validation.h:1276
bool LoadBlockIndex() EXCLUSIVE_LOCKS_REQUIRED(cs_main)
Load the block tree and coins database from disk, initializing state if we're running with -reindex.
CChain & ActiveChain() const EXCLUSIVE_LOCKS_REQUIRED(GetMutex())
Definition: validation.h:1391
void MaybeRebalanceCaches() EXCLUSIVE_LOCKS_REQUIRED(void ReportHeadersPresync(const arith_uint256 &work, int64_t height, int64_t timestamp)
Check to see if caches are out of balance and if so, call ResizeCoinsCaches() as needed.
arith_uint256 nLastPreciousChainwork
chainwork for the last block that preciousblock has been applied to.
Definition: validation.h:1301
const BlockHash & AssumedValidBlock() const
Definition: validation.h:1246
ChainstateManager(Options options, node::BlockManager::Options blockman_options)
Chainstate &InitializeChainstate(CTxMemPool *mempool) EXCLUSIVE_LOCKS_REQUIRED(std::vector< Chainstate * GetAll)()
Instantiate a new chainstate.
Definition: validation.h:1354
std::set< CBlockIndex * > m_failed_blocks
In order to efficiently track invalidity of headers, we keep the set of blocks which we tried to conn...
Definition: validation.h:1330
int32_t nBlockReverseSequenceId
Decreasing counter (used by subsequent preciousblock calls).
Definition: validation.h:1299
node::BlockManager m_blockman
A single BlockManager instance is shared across each constructed chainstate to avoid duplicating bloc...
Definition: validation.h:1280
Simple class for regulating resource usage during CheckInputScripts (and CScriptCheck),...
Definition: validation.h:384
bool consume_and_check(int consumed)
Definition: validation.h:391
A UTXO entry.
Definition: coins.h:28
uint32_t GetHeight() const
Definition: coins.h:45
bool IsCoinBase() const
Definition: coins.h:46
CTxOut & GetTxOut()
Definition: coins.h:49
bool IsSpent() const
Definition: coins.h:47
CoinsViews(DBParams db_params, CoinsViewOptions options)
This constructor initializes CCoinsViewDB and CCoinsViewErrorCatcher instances, but it does not creat...
Definition: config.h:19
virtual const CChainParams & GetChainParams() const =0
void updateMempoolForReorg(Chainstate &active_chainstate, bool fAddToMempool, CTxMemPool &pool) EXCLUSIVE_LOCKS_REQUIRED(cs_main
Make mempool consistent after a reorg, by re-adding or recursively erasing disconnected block transac...
void addForBlock(const std::vector< CTransactionRef > &vtx, CTxMemPool &pool) EXCLUSIVE_LOCKS_REQUIRED(pool.cs)
void importMempool(CTxMemPool &pool) EXCLUSIVE_LOCKS_REQUIRED(pool.cs)
Different type to mark Mutex at global scope.
Definition: sync.h:144
static RCUPtr acquire(T *&ptrIn)
Acquire ownership of some pointer.
Definition: rcu.h:103
The script cache is a map using a key/value element, that caches the success of executing a specific ...
Definition: scriptcache.h:25
static TxSigCheckLimiter getDisabled()
Definition: validation.h:412
bool IsValid() const
Definition: validation.h:119
std::string GetRejectReason() const
Definition: validation.h:123
std::string GetDebugMessage() const
Definition: validation.h:124
bool Error(const std::string &reject_reason)
Definition: validation.h:112
bool Invalid(Result result, const std::string &reject_reason="", const std::string &debug_message="")
Definition: validation.h:101
bool IsError() const
Definition: validation.h:121
Result GetResult() const
Definition: validation.h:122
std::string ToString() const
Definition: validation.h:125
bool IsInvalid() const
Definition: validation.h:120
256-bit unsigned big integer.
std::string ToString() const
Definition: uint256.h:80
bool IsNull() const
Definition: uint256.h:32
double getdouble() const
Path class wrapper to block calls to the fs::path(std::string) implicit constructor and the fs::path:...
Definition: fs.h:30
A base class defining functions for notifying about certain kernel events.
virtual void headerTip(SynchronizationState state, int64_t height, int64_t timestamp, bool presync)
virtual void warning(const std::string &warning)
virtual void progress(const bilingual_str &title, int progress_percent, bool resume_possible)
virtual void blockTip(SynchronizationState state, CBlockIndex &index)
Maintains a tree of blocks (stored in m_block_index) which is consulted to determine where the most-w...
Definition: blockstorage.h:74
bool ReadBlockFromDisk(CBlock &block, const FlatFilePos &pos) const
Functions for disk access for blocks.
RecursiveMutex cs_LastBlockFile
Definition: blockstorage.h:149
bool CheckBlockDataAvailability(const CBlockIndex &upper_block LIFETIMEBOUND, const CBlockIndex &lower_block LIFETIMEBOUND) EXCLUSIVE_LOCKS_REQUIRED(const CBlockIndex *GetFirstStoredBlock(const CBlockIndex &start_block LIFETIMEBOUND, const CBlockIndex *lower_block=nullptr) EXCLUSIVE_LOCKS_REQUIRED(boo m_have_pruned)
Check if all blocks in the [upper_block, lower_block] range have data available.
Definition: blockstorage.h:297
void FindFilesToPrune(std::set< int > &setFilesToPrune, uint64_t nPruneAfterHeight, int chain_tip_height, int prune_height, bool is_ibd)
Prune block and undo files (blk???.dat and undo???.dat) so that the disk space used is less than a us...
bool WriteUndoDataForBlock(const CBlockUndo &blockundo, BlockValidationState &state, CBlockIndex &block) EXCLUSIVE_LOCKS_REQUIRED(FlatFilePos SaveBlockToDisk(const CBlock &block, int nHeight, const FlatFilePos *dbp)
Store block on disk.
Definition: blockstorage.h:252
void FindFilesToPruneManual(std::set< int > &setFilesToPrune, int nManualPruneHeight, int chain_tip_height)
Calculate the block/rev files to delete based on height specified by user with RPC command pruneblock...
CBlockIndex * LookupBlockIndex(const BlockHash &hash) EXCLUSIVE_LOCKS_REQUIRED(cs_main)
bool LoadingBlocks() const
Definition: blockstorage.h:265
bool UndoReadFromDisk(CBlockUndo &blockundo, const CBlockIndex &index) const
void UnlinkPrunedFiles(const std::set< int > &setFilesToPrune) const
Actually unlink the specified files.
bool WriteBlockIndexDB() EXCLUSIVE_LOCKS_REQUIRED(bool LoadBlockIndexDB(const std::optional< BlockHash > &snapshot_blockhash) EXCLUSIVE_LOCKS_REQUIRED(void ScanAndUnlinkAlreadyPrunedFiles() EXCLUSIVE_LOCKS_REQUIRED(CBlockIndex * AddToBlockIndex(const CBlockHeader &block, CBlockIndex *&best_header) EXCLUSIVE_LOCKS_REQUIRED(cs_main)
Remove any pruned block & undo files that are still on disk.
Definition: blockstorage.h:225
std::set< CBlockIndex * > m_dirty_blockindex
Dirty block index entries.
Definition: blockstorage.h:175
bool FlushBlockFile(bool fFinalize=false, bool finalize_undo=false)
Return false if block file or undo file flushing fails.
bool m_check_for_pruning
Global flag to indicate we should check to see if there are block/undo files that should be deleted.
Definition: blockstorage.h:170
bool IsPruneMode() const
Whether running in -prune mode.
Definition: blockstorage.h:256
std::vector< CBlockIndex * > GetAllBlockIndices() EXCLUSIVE_LOCKS_REQUIRED(std::multimap< CBlockIndex *, CBlockIndex * > m_blocks_unlinked
All pairs A->B, where A (or one of its ancestors) misses transactions, but B has transactions.
Definition: blockstorage.h:202
Metadata describing a serialized version of a UTXO set from which an assumeutxo Chainstate can be con...
Definition: utxo_snapshot.h:21
uint64_t m_coins_count
The number of coins in the UTXO set contained in this snapshot.
Definition: utxo_snapshot.h:29
BlockHash m_base_blockhash
The hash of the block that reflects the tip of the chain for the UTXO set contained in this snapshot.
Definition: utxo_snapshot.h:25
256-bit opaque blob.
Definition: uint256.h:129
std::string FormatFullVersion()
static constexpr int CLIENT_VERSION
bitcoind-res.rc includes this file, but it cannot cope with real c++ code.
Definition: clientversion.h:38
const Coin & AccessByTxid(const CCoinsViewCache &view, const TxId &txid)
Utility function to find any unspent output with a given txid.
Definition: coins.cpp:397
void AddCoins(CCoinsViewCache &cache, const CTransaction &tx, int nHeight, bool check_for_overwrite)
Utility function to add all of a transaction's outputs to a cache.
Definition: coins.cpp:156
@ BLOCK_CHECKPOINT
the block failed to meet one of our checkpoints
@ BLOCK_HEADER_LOW_WORK
the block header may be on a too-little-work chain
@ BLOCK_INVALID_HEADER
invalid proof of work or time too old
@ BLOCK_CACHED_INVALID
this block was cached as being invalid and we didn't store the reason why
@ BLOCK_CONSENSUS
invalid by consensus rules (excluding any below reasons)
@ BLOCK_MISSING_PREV
We don't have the previous block the checked one is built on.
@ BLOCK_INVALID_PREV
A block this one builds on is invalid.
@ BLOCK_MUTATED
the block's data didn't match the data committed to by the PoW
@ BLOCK_TIME_FUTURE
block timestamp was > 2 hours in the future (or our clock is bad)
@ TX_MISSING_INPUTS
transaction was missing some of its inputs
@ TX_CHILD_BEFORE_PARENT
This tx outputs are already spent in the mempool.
@ TX_MEMPOOL_POLICY
violated mempool's fee/size/descendant/etc limits
@ TX_PACKAGE_RECONSIDERABLE
fails some policy, but might be acceptable if submitted in a (different) package
@ TX_PREMATURE_SPEND
transaction spends a coinbase too early, or violates locktime/sequence locks
@ TX_DUPLICATE
Tx already in mempool or in the chain.
@ TX_INPUTS_NOT_STANDARD
inputs failed policy rules
@ TX_CONFLICT
Tx conflicts with a finalized tx, i.e.
@ TX_NOT_STANDARD
otherwise didn't meet our local policy rules
@ TX_AVALANCHE_RECONSIDERABLE
fails some policy, but might be reconsidered by avalanche voting
@ TX_NO_MEMPOOL
this node does not have a mempool so can't validate the transaction
@ TX_CONSENSUS
invalid by consensus rules
static constexpr unsigned int LOCKTIME_VERIFY_SEQUENCE
Flags for nSequence and nLockTime locks.
Definition: consensus.h:38
static const uint64_t MAX_TX_SIZE
The maximum allowed size for a transaction, in bytes.
Definition: consensus.h:14
uint64_t GetMaxBlockSigChecksCount(uint64_t maxBlockSize)
Compute the maximum number of sigchecks that can be contained in a block given the MAXIMUM block size...
Definition: consensus.h:47
RecursiveMutex cs_main
Mutex to guard access to validation specific variables, such as reading or changing the chainstate.
Definition: cs_main.cpp:7
bool DeploymentActiveAfter(const CBlockIndex *pindexPrev, const Consensus::Params &params, Consensus::BuriedDeployment dep)
Determine if a deployment is active for the next block.
bool DeploymentActiveAt(const CBlockIndex &index, const Consensus::Params &params, Consensus::BuriedDeployment dep)
Determine if a deployment is active for this block.
DisconnectResult
volatile double sum
Definition: examples.cpp:10
bool RenameOver(fs::path src, fs::path dest)
Definition: fs_helpers.cpp:272
bool CheckDiskSpace(const fs::path &dir, uint64_t additional_bytes)
Definition: fs_helpers.cpp:111
bool FileCommit(FILE *file)
Ensure file contents are fully committed to disk, using a platform-specific feature analogous to fsyn...
Definition: fs_helpers.cpp:125
bool VerifyScript(const CScript &scriptSig, const CScript &scriptPubKey, uint32_t flags, const BaseSignatureChecker &checker, ScriptExecutionMetrics &metricsOut, ScriptError *serror)
Execute an unlocking and locking script together.
ChainstateRole
This enum describes the various roles a specific Chainstate instance can take.
Definition: chain.h:14
bool error(const char *fmt, const Args &...args)
Definition: logging.h:263
#define LogPrintLevel(category, level,...)
Definition: logging.h:247
#define LogPrint(category,...)
Definition: logging.h:238
#define LogPrintf(...)
Definition: logging.h:227
unsigned int nHeight
uint256 BlockMerkleRoot(const CBlock &block, bool *mutated)
Compute the Merkle root of the transactions in a block.
Definition: merkle.cpp:69
@ AVALANCHE
Definition: logging.h:62
@ REINDEX
Definition: logging.h:51
@ VALIDATION
Definition: logging.h:61
@ PRUNE
Definition: logging.h:54
@ MEMPOOL
Definition: logging.h:42
@ BENCH
Definition: logging.h:44
bool CheckBlock(const CCheckpointData &data, int nHeight, const BlockHash &hash)
Returns true if block passes checkpoint checks.
Definition: checkpoints.cpp:11
@ DEPLOYMENT_DERSIG
Definition: params.h:23
@ DEPLOYMENT_P2SH
Definition: params.h:20
@ DEPLOYMENT_CSV
Definition: params.h:24
@ DEPLOYMENT_HEIGHTINCB
Definition: params.h:21
@ DEPLOYMENT_CLTV
Definition: params.h:22
bool CheckTxInputs(const CTransaction &tx, TxValidationState &state, const CCoinsViewCache &inputs, int nSpendHeight, Amount &txfee)
Check whether all inputs of this transaction are valid (no double spends and amounts).
Definition: tx_verify.cpp:168
static bool exists(const path &p)
Definition: fs.h:102
static std::string PathToString(const path &path)
Convert path object to byte string.
Definition: fs.h:142
FILE * fopen(const fs::path &p, const char *mode)
Definition: fs.cpp:30
std::string get_filesystem_error_message(const fs::filesystem_error &e)
Definition: fs.cpp:142
std::function< FILE *(const fs::path &, const char *)> FopenFn
Definition: fs.h:198
Definition: common.cpp:20
static bool ComputeUTXOStats(CCoinsView *view, CCoinsStats &stats, T hash_obj, const std::function< void()> &interruption_point)
Calculate statistics about the unspent transaction output set.
Definition: coinstats.cpp:92
CoinStatsHashType
Definition: coinstats.h:23
bool LoadMempool(CTxMemPool &pool, const fs::path &load_path, Chainstate &active_chainstate, FopenFn mockable_fopen_function)
static const unsigned int UNDOFILE_CHUNK_SIZE
The pre-allocation chunk size for rev?????.dat files (since 0.8)
Definition: blockstorage.h:46
const fs::path SNAPSHOT_BLOCKHASH_FILENAME
The file in the snapshot chainstate dir which stores the base blockhash.
Definition: utxo_snapshot.h:45
bool WriteSnapshotBaseBlockhash(Chainstate &snapshot_chainstate)
std::optional< fs::path > FindSnapshotChainstateDir()
Return a path to the snapshot-based chainstate dir, if one exists.
std::unordered_map< BlockHash, CBlockIndex, BlockHasher > BlockMap
Definition: blockstorage.h:60
std::optional< BlockHash > ReadSnapshotBaseBlockhash(const fs::path &chaindir)
static constexpr unsigned int BLOCKFILE_CHUNK_SIZE
The pre-allocation chunk size for blk?????.dat files (since 0.8)
Definition: blockstorage.h:44
bool WriteSnapshotBaseBlockhash(Chainstate &snapshot_chainstate) EXCLUSIVE_LOCKS_REQUIRED(std::optional< BlockHash > ReadSnapshotBaseBlockhash(const fs::path &chaindir) EXCLUSIVE_LOCKS_REQUIRED(constexpr std::string_view SNAPSHOT_CHAINSTATE_SUFFIX
Write out the blockhash of the snapshot base block that was used to construct this chainstate.
Definition: utxo_snapshot.h:60
std::atomic_bool fReindex
bool Func(const std::string &str, Span< const char > &sp)
Parse a function call.
Definition: spanparsing.cpp:23
Implement std::hash so RCUPtr can be used as a key for maps or sets.
Definition: rcu.h:259
bilingual_str ErrorString(const Result< T > &result)
Definition: result.h:78
std::shared_ptr< Chain::Notifications > m_notifications
Definition: interfaces.cpp:464
bool IsChildWithParents(const Package &package)
Context-free check that a package is exactly one child and its parents; not all parents need to be pr...
Definition: packages.cpp:86
bool CheckPackage(const Package &txns, PackageValidationState &state)
Context-free package policy checks:
Definition: packages.cpp:14
std::vector< CTransactionRef > Package
A package is an ordered list of transactions.
Definition: packages.h:40
@ PCKG_POLICY
The package itself is invalid (e.g. too many transactions).
@ PCKG_MEMPOOL_ERROR
Mempool logic error.
@ PCKG_TX
At least one tx is invalid.
bool AreInputsStandard(const CTransaction &tx, const CCoinsViewCache &mapInputs, uint32_t flags)
Check transaction inputs to mitigate two potential denial-of-service attacks:
Definition: policy.cpp:145
bool IsStandardTx(const CTransaction &tx, const std::optional< unsigned > &max_datacarrier_bytes, bool permit_bare_multisig, const CFeeRate &dust_relay_fee, std::string &reason)
Check for standard transaction types.
Definition: policy.cpp:66
static constexpr uint32_t STANDARD_SCRIPT_VERIFY_FLAGS
Standard script verification flags that standard transactions will comply with.
Definition: policy.h:91
static constexpr uint32_t STANDARD_LOCKTIME_VERIFY_FLAGS
Used as the flags parameter to sequence and nLocktime checks in non-consensus code.
Definition: policy.h:108
bool CheckProofOfWork(const BlockHash &hash, uint32_t nBits, const Consensus::Params &params)
Check whether a block hash satisfies the proof-of-work requirement specified by nBits.
Definition: pow.cpp:87
uint32_t GetNextWorkRequired(const CBlockIndex *pindexPrev, const CBlockHeader *pblock, const CChainParams &chainParams)
Definition: pow.cpp:21
std::shared_ptr< const CTransaction > CTransactionRef
Definition: transaction.h:315
uint256 GetRandHash() noexcept
Definition: random.cpp:659
const char * prefix
Definition: rest.cpp:817
reverse_range< T > reverse_iterate(T &x)
std::string ScriptErrorString(const ScriptError serror)
ScriptError
Definition: script_error.h:11
@ SIGCHECKS_LIMIT_EXCEEDED
@ SCRIPT_VERIFY_P2SH
Definition: script_flags.h:16
@ SCRIPT_VERIFY_SIGPUSHONLY
Definition: script_flags.h:35
@ SCRIPT_VERIFY_LOW_S
Definition: script_flags.h:31
@ SCRIPT_VERIFY_CHECKLOCKTIMEVERIFY
Definition: script_flags.h:68
@ SCRIPT_ENABLE_REPLAY_PROTECTION
Definition: script_flags.h:89
@ SCRIPT_ENABLE_SCHNORR_MULTISIG
Definition: script_flags.h:97
@ SCRIPT_VERIFY_STRICTENC
Definition: script_flags.h:22
@ SCRIPT_VERIFY_NULLFAIL
Definition: script_flags.h:81
@ SCRIPT_VERIFY_DERSIG
Definition: script_flags.h:26
@ SCRIPT_ENFORCE_SIGCHECKS
Definition: script_flags.h:106
@ SCRIPT_VERIFY_CLEANSTACK
Definition: script_flags.h:63
@ SCRIPT_VERIFY_NONE
Definition: script_flags.h:12
@ SCRIPT_VERIFY_MINIMALDATA
Definition: script_flags.h:43
@ SCRIPT_VERIFY_CHECKSEQUENCEVERIFY
Definition: script_flags.h:73
@ SCRIPT_ENABLE_SIGHASH_FORKID
Definition: script_flags.h:85
void AddKeyInScriptCache(ScriptCacheKey key, int nSigChecks)
Add an entry in the cache.
bool IsKeyInScriptCache(ScriptCacheKey key, bool erase, int &nSigChecksOut)
Check if a given key is in the cache, and if so, return its values.
CAddrDb db
Definition: main.cpp:35
@ SER_DISK
Definition: serialize.h:153
size_t GetSerializeSize(const T &t, int nVersion=0)
Definition: serialize.h:1258
bool ShutdownRequested()
Returns true if a shutdown is requested, false otherwise.
Definition: shutdown.cpp:85
void StartShutdown()
Request shutdown of the application.
Definition: shutdown.cpp:55
std::string ToString(const T &t)
Locale-independent version of std::to_string.
Definition: string.h:100
Definition: amount.h:19
static constexpr Amount zero() noexcept
Definition: amount.h:32
Holds configuration for use during UTXO snapshot load and validation.
Definition: chainparams.h:47
AssumeutxoHash hash_serialized
The expected hash of the deserialized UTXO set.
Definition: chainparams.h:51
unsigned int nChainTx
Used to populate the nChainTx value, which is used during BlockManager::LoadBlockIndex().
Definition: chainparams.h:59
A BlockHash is a unqiue identifier for a block.
Definition: blockhash.h:13
bool isValid(enum BlockValidity nUpTo=BlockValidity::TRANSACTIONS) const
Check whether this block index entry is valid up to the passed validity level.
Definition: blockstatus.h:99
Describes a place in the block chain to another node such that if the other node doesn't have the sam...
Definition: block.h:105
std::vector< BlockHash > vHave
Definition: block.h:106
Holds various statistics on transactions within a chain.
Definition: chainparams.h:72
double dTxRate
Definition: chainparams.h:75
int64_t nTime
Definition: chainparams.h:73
int64_t nTxCount
Definition: chainparams.h:74
User-controlled performance and debug options.
Definition: txdb.h:56
Parameters that influence chain consensus.
Definition: params.h:34
int shibusawaActivationTime
Unix time used for MTP activation of 15 Nov 2025 12:00:00 UTC upgrade.
Definition: params.h:67
BlockHash BIP34Hash
Definition: params.h:41
int BIP34Height
Block height and hash at which BIP34 becomes active.
Definition: params.h:40
int nSubsidyHalvingInterval
Definition: params.h:36
BlockHash hashGenesisBlock
Definition: params.h:35
int64_t nPowTargetSpacing
Definition: params.h:80
bool fPowAllowMinDifficultyBlocks
Definition: params.h:77
Application-specific storage settings.
Definition: dbwrapper.h:32
fs::path path
Location in the filesystem where leveldb data will be stored.
Definition: dbwrapper.h:34
int nFile
Definition: flatfile.h:15
unsigned int nPos
Definition: flatfile.h:16
bool IsNull() const
Definition: flatfile.h:40
int64_t time
Definition: mempool_entry.h:27
Validation result for a transaction evaluated by MemPoolAccept (single or package).
Definition: validation.h:208
const ResultType m_result_type
Result type.
Definition: validation.h:219
@ VALID
Fully validated, valid.
static MempoolAcceptResult Failure(TxValidationState state)
Definition: validation.h:247
static MempoolAcceptResult FeeFailure(TxValidationState state, CFeeRate effective_feerate, const std::vector< TxId > &txids_fee_calculations)
Definition: validation.h:252
static MempoolAcceptResult Success(int64_t vsize, Amount fees, CFeeRate effective_feerate, const std::vector< TxId > &txids_fee_calculations)
Constructor for success case.
Definition: validation.h:260
static MempoolAcceptResult MempoolTx(int64_t vsize, Amount fees)
Constructor for already-in-mempool case.
Definition: validation.h:270
std::chrono::time_point< NodeClock > time_point
Definition: time.h:19
Validation result for package mempool acceptance.
Definition: validation.h:311
Precompute sighash midstate to avoid quadratic hashing.
Definition: transaction.h:325
const char * what() const override
A TxId is the identifier of a transaction.
Definition: txid.h:14
Bilingual messages:
Definition: translation.h:17
std::string original
Definition: translation.h:18
An options struct for BlockManager, more ergonomically referred to as BlockManager::Options due to th...
An options struct for ChainstateManager, more ergonomically referred to as ChainstateManager::Options...
const std::function< NodeClock::time_point()> adjusted_time_callback
std::optional< bool > check_block_index
std::chrono::seconds max_tip_age
If the tip is older than this, the node is considered to be in initial block download.
bool store_recent_headers_time
If set, store and load the last few block headers reception time to speed up RTT bootstraping.
#define AssertLockNotHeld(cs)
Definition: sync.h:163
#define LOCK(cs)
Definition: sync.h:306
#define WITH_LOCK(cs, code)
Run code while locking a mutex.
Definition: sync.h:357
#define EXCLUSIVE_LOCKS_REQUIRED(...)
Definition: threadsafety.h:56
#define LOCKS_EXCLUDED(...)
Definition: threadsafety.h:55
#define NO_THREAD_SAFETY_ANALYSIS
Definition: threadsafety.h:58
int64_t GetTimeMicros()
Returns the system time (not mockable)
Definition: time.cpp:105
int64_t GetTimeMillis()
Returns the system time (not mockable)
Definition: time.cpp:101
int64_t GetTime()
DEPRECATED Use either ClockType::now() or Now<TimePointType>() if a cast is needed.
Definition: time.cpp:109
std::string FormatISO8601DateTime(int64_t nTime)
ISO 8601 formatting is preferred.
Definition: time.cpp:113
#define LOG_TIME_MILLIS_WITH_CATEGORY(end_msg, log_category)
Definition: timer.h:97
#define LOG_TIME_MILLIS_WITH_CATEGORY_MSG_ONCE(end_msg, log_category)
Definition: timer.h:100
#define strprintf
Format arguments and return the string or write to given std::ostream (see tinyformat::format doc for...
Definition: tinyformat.h:1202
#define TRACE6(context, event, a, b, c, d, e, f)
Definition: trace.h:45
#define TRACE5(context, event, a, b, c, d, e)
Definition: trace.h:44
bilingual_str _(const char *psz)
Translation function.
Definition: translation.h:68
bilingual_str Untranslated(std::string original)
Mark a bilingual_str as untranslated.
Definition: translation.h:36
bool CheckRegularTransaction(const CTransaction &tx, TxValidationState &state)
Context-independent validity checks for coinbase and non-coinbase transactions.
Definition: tx_check.cpp:75
bool CheckCoinbase(const CTransaction &tx, TxValidationState &state)
Definition: tx_check.cpp:56
bool EvaluateSequenceLocks(const CBlockIndex &block, std::pair< int, int64_t > lockPair)
Definition: tx_verify.cpp:150
std::pair< int, int64_t > CalculateSequenceLocks(const CTransaction &tx, int flags, std::vector< int > &prevHeights, const CBlockIndex &block)
Calculates the block height and previous block's median time past at which the transaction will be co...
Definition: tx_verify.cpp:78
bool SequenceLocks(const CTransaction &tx, int flags, std::vector< int > &prevHeights, const CBlockIndex &block)
Check if transaction is final per BIP 68 sequence numbers and can be included in a block.
Definition: tx_verify.cpp:161
bool ContextualCheckTransaction(const Consensus::Params &params, const CTransaction &tx, TxValidationState &state, int nHeight, int64_t nMedianTimePast)
Context dependent validity checks for non coinbase transactions.
Definition: tx_verify.cpp:41
static const uint32_t MEMPOOL_HEIGHT
Fake height value used in Coins to signify they are only in the memory pool(since 0....
Definition: txmempool.h:50
uint256 uint256S(const char *str)
uint256 from const char *.
Definition: uint256.h:143
#define expect(bit)
static bool DeleteCoinsDBFromDisk(const fs::path &db_path, bool is_snapshot) EXCLUSIVE_LOCKS_REQUIRED(
static bool NotifyHeaderTip(ChainstateManager &chainman) LOCKS_EXCLUDED(cs_main)
void StartScriptCheckWorkerThreads(int threads_num)
Run instances of script checking worker threads.
static int64_t nTimeConnectTotal
GlobalMutex g_best_block_mutex
Definition: validation.cpp:117
Amount GetBlockSubsidy(int nHeight, const Consensus::Params &consensusParams)
std::condition_variable g_best_block_cv
Definition: validation.cpp:118
std::optional< LockPoints > CalculateLockPointsAtTip(CBlockIndex *tip, const CCoinsView &coins_view, const CTransaction &tx)
Calculate LockPoints required to check if transaction will be BIP68 final in the next block to be cre...
Definition: validation.cpp:184
static bool pool cs
Definition: validation.cpp:251
arith_uint256 CalculateHeadersWork(const std::vector< CBlockHeader > &headers)
Return the sum of the work on a given set of headers.
DisconnectResult ApplyBlockUndo(CBlockUndo &&blockUndo, const CBlock &block, const CBlockIndex *pindex, CCoinsViewCache &view)
Undo a block from the block and the undoblock data.
double GuessVerificationProgress(const ChainTxData &data, const CBlockIndex *pindex)
Guess how far we are in the verification process at the given block index require cs_main if pindex h...
MempoolAcceptResult AcceptToMemoryPool(Chainstate &active_chainstate, const CTransactionRef &tx, int64_t accept_time, bool bypass_limits, bool test_accept, unsigned int heightOverride)
Try to add a transaction to the mempool.
#define MICRO
Definition: validation.cpp:92
static int64_t nBlocksTotal
static int64_t nTimePostConnect
static bool CheckBlockHeader(const CBlockHeader &block, BlockValidationState &state, const Consensus::Params &params, BlockValidationOptions validationOptions)
Return true if the provided block header is valid.
static SynchronizationState GetSynchronizationState(bool init)
static void SnapshotUTXOHashBreakpoint()
static int64_t nTimeFlush
static bool ContextualCheckBlock(const CBlock &block, BlockValidationState &state, const ChainstateManager &chainman, const CBlockIndex *pindexPrev)
NOTE: This function is not currently invoked by ConnectBlock(), so we should consider upgrade issues ...
bool CheckSequenceLocksAtTip(CBlockIndex *tip, const LockPoints &lock_points)
Check if transaction will be BIP68 final in the next block to be created on top of tip.
Definition: validation.cpp:208
static uint32_t GetNextBlockScriptFlags(const CBlockIndex *pindex, const ChainstateManager &chainman)
const CBlockIndex * g_best_block
Used to notify getblocktemplate RPC of new tips.
Definition: validation.cpp:119
bool HasValidProofOfWork(const std::vector< CBlockHeader > &headers, const Consensus::Params &consensusParams)
Check with the proof of work on each blockheader matches the value in nBits.
static constexpr std::chrono::hours DATABASE_FLUSH_INTERVAL
Time to wait between flushing chainstate to disk.
Definition: validation.cpp:98
PackageMempoolAcceptResult ProcessNewPackage(Chainstate &active_chainstate, CTxMemPool &pool, const Package &package, bool test_accept)
Validate (and maybe submit) a package to the mempool.
static CCheckQueue< CScriptCheck > scriptcheckqueue(128)
static ChainstateManager::Options && Flatten(ChainstateManager::Options &&opts)
Apply default chain params to nullopt members.
static constexpr int PRUNE_LOCK_BUFFER
The number of blocks to keep below the deepest prune lock.
Definition: validation.cpp:113
static int64_t nTimeVerify
void StopScriptCheckWorkerThreads()
Stop all of the script checking worker threads.
static void LimitValidationInterfaceQueue() LOCKS_EXCLUDED(cs_main)
return CheckInputScripts(tx, state, view, flags, true, true, txdata, nSigChecksOut)
static bool CheckInputsFromMempoolAndCache(const CTransaction &tx, TxValidationState &state, const CCoinsViewCache &view, const CTxMemPool &pool, const uint32_t flags, PrecomputedTransactionData &txdata, int &nSigChecksOut, CCoinsViewCache &coins_tip) EXCLUSIVE_LOCKS_REQUIRED(cs_main
Checks to avoid mempool polluting consensus critical paths since cached signature and script validity...
void SpendCoins(CCoinsViewCache &view, const CTransaction &tx, CTxUndo &txundo, int nHeight)
Mark all the coins corresponding to a given transaction inputs as spent.
static int64_t nTimeTotal
static int64_t nTimeConnect
bool CheckBlock(const CBlock &block, BlockValidationState &state, const Consensus::Params &params, BlockValidationOptions validationOptions)
Functions for validating blocks and updating the block tree.
bool ContextualCheckTransactionForCurrentBlock(const CBlockIndex &active_chain_tip, const Consensus::Params &params, const CTransaction &tx, TxValidationState &state)
const std::vector< std::string > CHECKLEVEL_DOC
Documentation for argument 'checklevel'.
Definition: validation.cpp:99
DisconnectResult UndoCoinSpend(Coin &&undo, CCoinsViewCache &view, const COutPoint &out)
Restore the UTXO in a Coin at a given COutPoint.
static int64_t nTimeIndex
bool TestBlockValidity(BlockValidationState &state, const CChainParams &params, Chainstate &chainstate, const CBlock &block, CBlockIndex *pindexPrev, const std::function< NodeClock::time_point()> &adjusted_time_callback, BlockValidationOptions validationOptions)
void PruneBlockFilesManual(Chainstate &active_chainstate, int nManualPruneHeight)
Prune block files up to a given height.
static void FlushSnapshotToDisk(CCoinsViewCache &coins_cache, bool snapshot_loaded)
AssertLockHeld(pool.cs)
bool AbortNode(BlockValidationState &state, const std::string &strMessage, const bilingual_str &userMessage)
void UpdateCoins(CCoinsViewCache &view, const CTransaction &tx, CTxUndo &txundo, int nHeight)
Apply the effects of this transaction on the UTXO set represented by view.
static bool ContextualCheckBlockHeader(const CBlockHeader &block, BlockValidationState &state, BlockManager &blockman, ChainstateManager &chainman, const CBlockIndex *pindexPrev, NodeClock::time_point now, const std::optional< CCheckpointData > &test_checkpoints=std::nullopt) EXCLUSIVE_LOCKS_REQUIRED(
Context-dependent validity checks.
static int64_t nTimeForks
static constexpr uint64_t HEADERS_TIME_VERSION
Definition: validation.cpp:115
static int64_t nTimeCheck
#define MILLI
Definition: validation.cpp:93
static fs::path GetSnapshotCoinsDBPath(Chainstate &cs) EXCLUSIVE_LOCKS_REQUIRED(
static void UpdateTipLog(const CCoinsViewCache &coins_tip, const CBlockIndex *tip, const CChainParams &params, const std::string &func_name, const std::string &prefix) EXCLUSIVE_LOCKS_REQUIRED(
static constexpr std::chrono::hours DATABASE_WRITE_INTERVAL
Time to wait between writing blocks/block index to disk.
Definition: validation.cpp:96
static int64_t nTimeChainState
assert(!tx.IsCoinBase())
static int64_t nTimeReadFromDisk
static bool IsReplayProtectionEnabled(const Consensus::Params &params, int64_t nMedianTimePast)
Definition: validation.cpp:227
#define MIN_TRANSACTION_SIZE
Definition: validation.h:80
static const unsigned int MIN_BLOCKS_TO_KEEP
Block files containing a block-height within MIN_BLOCKS_TO_KEEP of ActiveChain().Tip() will not be pr...
Definition: validation.h:96
SnapshotCompletionResult
Definition: validation.h:1099
SynchronizationState
Current sync state passed to tip changed callbacks.
Definition: validation.h:115
VerifyDBResult
Definition: validation.h:609
CoinsCacheSizeState
Definition: validation.h:678
@ LARGE
The cache is at >= 90% capacity.
@ CRITICAL
The coins cache is in immediate need of a flush.
FlushStateMode
Definition: validation.h:639
static const int DEFAULT_STOPATHEIGHT
Default for -stopatheight.
Definition: validation.h:91
CMainSignals & GetMainSignals()
void SyncWithValidationInterfaceQueue()
This is a synonym for the following, which asserts certain locks are not held: std::promise<void> pro...
static const int PROTOCOL_VERSION
network protocol versioning
Definition: version.h:11
void SetfLargeWorkInvalidChainFound(bool flag)
Definition: warnings.cpp:36
void SetfLargeWorkForkFound(bool flag)
Definition: warnings.cpp:26
bool GetfLargeWorkForkFound()
Definition: warnings.cpp:31