Bitcoin Core 31.99.0
P2P Digital Currency
base.cpp
Go to the documentation of this file.
1// Copyright (c) 2017-present The Bitcoin Core developers
2// Distributed under the MIT software license, see the accompanying
3// file COPYING or http://www.opensource.org/licenses/mit-license.php.
4
5#include <index/base.h>
6
7#include <chain.h>
8#include <common/args.h>
9#include <dbwrapper.h>
10#include <interfaces/chain.h>
11#include <interfaces/types.h>
12#include <kernel/types.h>
13#include <node/abort.h>
14#include <node/blockstorage.h>
15#include <node/context.h>
16#include <node/database_args.h>
17#include <node/interface_ui.h>
18#include <primitives/block.h>
19#include <sync.h>
20#include <tinyformat.h>
21#include <uint256.h>
22#include <undo.h>
23#include <util/fs.h>
24#include <util/log.h>
25#include <util/string.h>
26#include <util/thread.h>
27#include <util/threadinterrupt.h>
28#include <util/time.h>
29#include <util/translation.h>
30#include <validation.h>
31#include <validationinterface.h>
32
33#include <cassert>
34#include <compare>
35#include <cstdint>
36#include <functional>
37#include <memory>
38#include <optional>
39#include <stdexcept>
40#include <string>
41#include <thread>
42#include <utility>
43#include <vector>
44
46
47constexpr uint8_t DB_BEST_BLOCK{'B'};
48
49constexpr auto SYNC_LOG_INTERVAL{30s};
51
52template <typename... Args>
53void BaseIndex::FatalErrorf(util::ConstevalFormatString<sizeof...(Args)> fmt, const Args&... args)
54{
55 auto message = tfm::format(fmt, args...);
56 node::AbortNode(m_chain->context()->shutdown_request, m_chain->context()->exit_status, Untranslated(message), m_chain->context()->warnings.get());
57}
58
60{
61 CBlockLocator locator;
62 bool found = chain.findBlock(block_hash, interfaces::FoundBlock().locator(locator));
63 assert(found);
64 assert(!locator.IsNull());
65 return locator;
66}
67
68BaseIndex::DB::DB(const fs::path& path, size_t n_cache_size, bool f_memory, bool f_wipe, bool f_obfuscate) :
70 .path = path,
71 .cache_bytes = n_cache_size,
72 .memory_only = f_memory,
73 .wipe_data = f_wipe,
74 .obfuscate = f_obfuscate,
75 .options = [] { DBOptions options; node::ReadDatabaseArgs(gArgs, options); return options; }()}}
76{}
77
79{
80 CBlockLocator locator;
81
82 bool success = Read(DB_BEST_BLOCK, locator);
83 if (!success) {
84 locator.SetNull();
85 }
86
87 return locator;
88}
89
91{
92 batch.Write(DB_BEST_BLOCK, locator);
93}
94
95BaseIndex::BaseIndex(std::unique_ptr<interfaces::Chain> chain, std::string name)
96 : m_chain{std::move(chain)}, m_name{std::move(name)} {}
97
99{
100 Interrupt();
101 Stop();
102}
103
105{
107
108 // May need reset if index is being restarted.
110
111 // m_chainstate member gives indexing code access to node internals. It is
112 // removed in followup https://github.com/bitcoin/bitcoin/pull/24230
114 return &m_chain->context()->chainman->ValidatedChainstate());
115 // Register to validation interface before setting the 'm_synced' flag, so that
116 // callbacks are not missed once m_synced is true.
117 m_chain->context()->validation_signals->RegisterValidationInterface(this);
118
119 const auto locator{GetDB().ReadBestBlock()};
120
121 LOCK(cs_main);
122 CChain& index_chain = m_chainstate->m_chain;
123
124 if (locator.IsNull()) {
125 SetBestBlockIndex(nullptr);
126 } else {
127 // Setting the best block to the locator's top block. If it is not part of the
128 // best chain, we will rewind to the fork point during index sync
129 const CBlockIndex* locator_index{m_chainstate->m_blockman.LookupBlockIndex(locator.vHave.at(0))};
130 if (!locator_index) {
131 return InitError(Untranslated(strprintf("best block of %s not found. Please rebuild the index.", GetName())));
132 }
133 SetBestBlockIndex(locator_index);
134 }
135
136 // Child init
137 const CBlockIndex* start_block = m_best_block_index.load();
138 if (!CustomInit(start_block ? std::make_optional(interfaces::BlockRef{start_block->GetBlockHash(), start_block->nHeight}) : std::nullopt)) {
139 return false;
140 }
141
142 // Note: this will latch to true immediately if the user starts up with an empty
143 // datadir and an index enabled. If this is the case, indexation will happen solely
144 // via `BlockConnected` signals until, possibly, the next restart.
145 m_synced = start_block == index_chain.Tip();
146 m_init = true;
147 return true;
148}
149
151{
153
154 if (!pindex_prev) {
155 return chain.Genesis();
156 }
157
158 if (const auto* pindex{chain.Next(pindex_prev)}) {
159 return pindex;
160 }
161
162 // If there is no next block, we might be synced
163 if (pindex_prev == chain.Tip()) {
164 return nullptr;
165 }
166
167 // Since block is not in the chain, return the next block in the chain AFTER the last common ancestor.
168 // Caller will be responsible for rewinding back to the common ancestor.
169 return chain.Next(chain.FindFork(pindex_prev));
170}
171
172bool BaseIndex::ProcessBlock(const CBlockIndex* pindex, const CBlock* block_data)
173{
174 interfaces::BlockInfo block_info = kernel::MakeBlockInfo(pindex, block_data);
175
176 CBlock block;
177 if (!block_data) { // disk lookup if block data wasn't provided
178 if (!m_chainstate->m_blockman.ReadBlock(block, *pindex)) {
179 FatalErrorf("Failed to read block %s from disk",
180 pindex->GetBlockHash().ToString());
181 return false;
182 }
183 block_info.data = &block;
184 }
185
186 CBlockUndo block_undo;
187 if (CustomOptions().connect_undo_data) {
188 if (pindex->nHeight > 0 && !m_chainstate->m_blockman.ReadBlockUndo(block_undo, *pindex)) {
189 FatalErrorf("Failed to read undo block data %s from disk",
190 pindex->GetBlockHash().ToString());
191 return false;
192 }
193 block_info.undo_data = &block_undo;
194 }
195
196 if (!CustomAppend(block_info)) {
197 FatalErrorf("Failed to write block %s to index database",
198 pindex->GetBlockHash().ToString());
199 return false;
200 }
201
202 return true;
203}
204
206{
207 const CBlockIndex* pindex = m_best_block_index.load();
208 if (!m_synced) {
209 auto last_log_time{NodeClock::now()};
210 auto last_locator_write_time{last_log_time};
211 while (true) {
212 if (m_interrupt) {
213 LogInfo("%s: m_interrupt set; exiting ThreadSync", GetName());
214
215 SetBestBlockIndex(pindex);
216 // No need to handle errors in Commit. If it fails, the error will be already be
217 // logged. The best way to recover is to continue, as index cannot be corrupted by
218 // a missed commit to disk for an advanced index state.
219 Commit();
220 return;
221 }
222
223 const CBlockIndex* pindex_next = WITH_LOCK(cs_main, return NextSyncBlock(pindex, m_chainstate->m_chain));
224 // If pindex_next is null, it means pindex is the chain tip, so
225 // commit data indexed so far.
226 if (!pindex_next) {
227 SetBestBlockIndex(pindex);
228 // No need to handle errors in Commit. See rationale above.
229 Commit();
230
231 // If pindex is still the chain tip after committing, exit the
232 // sync loop. It is important for cs_main to be locked while
233 // setting m_synced = true, otherwise a new block could be
234 // attached while m_synced is still false, and it would not be
235 // indexed.
237 pindex_next = NextSyncBlock(pindex, m_chainstate->m_chain);
238 if (!pindex_next) {
239 m_synced = true;
240 break;
241 }
242 }
243 if (pindex_next->pprev != pindex && !Rewind(pindex, pindex_next->pprev)) {
244 FatalErrorf("Failed to rewind %s to a previous chain tip", GetName());
245 return;
246 }
247 pindex = pindex_next;
248
249
250 if (!ProcessBlock(pindex)) return; // error logged internally
251
252 auto current_time{NodeClock::now()};
253 if (current_time - last_log_time >= SYNC_LOG_INTERVAL) {
254 LogInfo("Syncing %s with block chain from height %d", GetName(), pindex->nHeight);
255 last_log_time = current_time;
256 }
257
258 if (current_time - last_locator_write_time >= SYNC_LOCATOR_WRITE_INTERVAL) {
259 SetBestBlockIndex(pindex);
260 last_locator_write_time = current_time;
261 // No need to handle errors in Commit. See rationale above.
262 Commit();
263 }
264 }
265 }
266
267 if (pindex) {
268 LogInfo("%s is enabled at height %d", GetName(), pindex->nHeight);
269 } else {
270 LogInfo("%s is enabled", GetName());
271 }
272}
273
275{
276 // Don't commit anything if we haven't indexed any block yet
277 // (this could happen if init is interrupted).
278 bool ok = m_best_block_index != nullptr;
279 if (ok) {
280 CDBBatch batch(GetDB());
281 ok = CustomCommit(batch);
282 if (ok) {
283 GetDB().WriteBestBlock(batch, GetLocator(*m_chain, m_best_block_index.load()->GetBlockHash()));
284 GetDB().WriteBatch(batch);
285 }
286 }
287 if (!ok) {
288 LogError("Failed to commit latest %s state", GetName());
289 return false;
290 }
291 return true;
292}
293
294bool BaseIndex::Rewind(const CBlockIndex* current_tip, const CBlockIndex* new_tip)
295{
296 assert(current_tip->GetAncestor(new_tip->nHeight) == new_tip);
297
298 CBlock block;
299 CBlockUndo block_undo;
300
301 for (const CBlockIndex* iter_tip = current_tip; iter_tip != new_tip; iter_tip = iter_tip->pprev) {
302 interfaces::BlockInfo block_info = kernel::MakeBlockInfo(iter_tip);
303 if (CustomOptions().disconnect_data) {
304 if (!m_chainstate->m_blockman.ReadBlock(block, *iter_tip)) {
305 LogError("Failed to read block %s from disk",
306 iter_tip->GetBlockHash().ToString());
307 return false;
308 }
309 block_info.data = &block;
310 }
311 if (CustomOptions().disconnect_undo_data && iter_tip->nHeight > 0) {
312 if (!m_chainstate->m_blockman.ReadBlockUndo(block_undo, *iter_tip)) {
313 return false;
314 }
315 block_info.undo_data = &block_undo;
316 }
317 if (!CustomRemove(block_info)) {
318 return false;
319 }
320 }
321
322 // Don't commit here - the committed index state must never be ahead of the
323 // flushed chainstate, otherwise unclean restarts would lead to index corruption.
324 // Pruning has a minimum of 288 blocks-to-keep and getting the index
325 // out of sync may be possible but a users fault.
326 // In case we reorg beyond the pruned depth, ReadBlock would
327 // throw and lead to a graceful shutdown
328 SetBestBlockIndex(new_tip);
329 return true;
330}
331
332void BaseIndex::BlockConnected(const ChainstateRole& role, const std::shared_ptr<const CBlock>& block, const CBlockIndex* pindex)
333{
334 // Ignore events from not fully validated chains to avoid out-of-order indexing.
335 //
336 // TODO at some point we could parameterize whether a particular index can be
337 // built out of order, but for now just do the conservative simple thing.
338 if (!role.validated) {
339 return;
340 }
341
342 // Ignore BlockConnected signals until we have fully indexed the chain.
343 if (!m_synced) {
344 return;
345 }
346
347 const CBlockIndex* best_block_index = m_best_block_index.load();
348 if (!best_block_index) {
349 if (pindex->nHeight != 0) {
350 FatalErrorf("First block connected is not the genesis block (height=%d)",
351 pindex->nHeight);
352 return;
353 }
354 } else {
355 // Ensure block connects to an ancestor of the current best block. This should be the case
356 // most of the time, but may not be immediately after the sync thread catches up and sets
357 // m_synced. Consider the case where there is a reorg and the blocks on the stale branch are
358 // in the ValidationInterface queue backlog even after the sync thread has caught up to the
359 // new chain tip. In this unlikely event, log a warning and let the queue clear.
360 if (best_block_index->GetAncestor(pindex->nHeight - 1) != pindex->pprev) {
361 LogWarning("Block %s does not connect to an ancestor of "
362 "known best chain (tip=%s); not updating index",
363 pindex->GetBlockHash().ToString(),
364 best_block_index->GetBlockHash().ToString());
365 return;
366 }
367 if (best_block_index != pindex->pprev && !Rewind(best_block_index, pindex->pprev)) {
368 FatalErrorf("Failed to rewind %s to a previous chain tip",
369 GetName());
370 return;
371 }
372 }
373
374 // Dispatch block to child class; errors are logged internally and abort the node.
375 if (ProcessBlock(pindex, block.get())) {
376 // Setting the best block index is intentionally the last step of this
377 // function, so BlockUntilSyncedToCurrentChain callers waiting for the
378 // best block index to be updated can rely on the block being fully
379 // processed, and the index object being safe to delete.
380 SetBestBlockIndex(pindex);
381 }
382}
383
385{
386 // Ignore events from not fully validated chains to avoid out-of-order indexing.
387 if (!role.validated) {
388 return;
389 }
390
391 if (!m_synced) {
392 return;
393 }
394
395 const uint256& locator_tip_hash = locator.vHave.front();
396 const CBlockIndex* locator_tip_index;
397 {
398 LOCK(cs_main);
399 locator_tip_index = m_chainstate->m_blockman.LookupBlockIndex(locator_tip_hash);
400 }
401
402 if (!locator_tip_index) {
403 FatalErrorf("First block (hash=%s) in locator was not found",
404 locator_tip_hash.ToString());
405 return;
406 }
407
408 // This checks that ChainStateFlushed callbacks are received after BlockConnected. The check may fail
409 // immediately after the sync thread catches up and sets m_synced. Consider the case where
410 // there is a reorg and the blocks on the stale branch are in the ValidationInterface queue
411 // backlog even after the sync thread has caught up to the new chain tip. In this unlikely
412 // event, log a warning and let the queue clear.
413 const CBlockIndex* best_block_index = m_best_block_index.load();
414 if (best_block_index->GetAncestor(locator_tip_index->nHeight) != locator_tip_index) {
415 LogWarning("Locator contains block (hash=%s) not on known best "
416 "chain (tip=%s); not writing index locator",
417 locator_tip_hash.ToString(),
418 best_block_index->GetBlockHash().ToString());
419 return;
420 }
421
422 // No need to handle errors in Commit. If it fails, the error will be already be logged. The
423 // best way to recover is to continue, as index cannot be corrupted by a missed commit to disk
424 // for an advanced index state.
425 Commit();
426}
427
428bool BaseIndex::BlockUntilSyncedToCurrentChain() const
429{
431
432 if (!m_synced) {
433 return false;
434 }
435
436 {
437 // Skip the queue-draining stuff if we know we're caught up with
438 // m_chain.Tip().
439 LOCK(cs_main);
440 const CBlockIndex* chain_tip = m_chainstate->m_chain.Tip();
441 const CBlockIndex* best_block_index = m_best_block_index.load();
442 if (best_block_index->GetAncestor(chain_tip->nHeight) == chain_tip) {
443 return true;
444 }
445 }
446
447 LogInfo("%s is catching up on block notifications", GetName());
448 m_chain->context()->validation_signals->SyncWithValidationInterfaceQueue();
449 return true;
450}
451
453{
454 m_interrupt();
455}
456
458{
459 if (!m_init) throw std::logic_error("Error: Cannot start a non-initialized index");
460
461 m_thread_sync = std::thread(&util::TraceThread, GetName(), [this] { Sync(); });
462 return true;
463}
464
466{
467 if (m_chain->context()->validation_signals) {
468 m_chain->context()->validation_signals->UnregisterValidationInterface(this);
469 }
470
471 if (m_thread_sync.joinable()) {
472 m_thread_sync.join();
473 }
474}
475
477{
478 IndexSummary summary{};
479 summary.name = GetName();
480 summary.synced = m_synced;
481 if (const auto& pindex = m_best_block_index.load()) {
482 summary.best_block_height = pindex->nHeight;
483 summary.best_block_hash = pindex->GetBlockHash();
484 } else {
485 summary.best_block_height = 0;
486 summary.best_block_hash = m_chain->getBlockHash(0);
487 }
488 return summary;
489}
490
492{
494
495 if (AllowPrune() && block) {
496 node::PruneLockInfo prune_lock;
497 prune_lock.height_first = block->nHeight;
498 WITH_LOCK(::cs_main, m_chainstate->m_blockman.UpdatePruneLock(GetName(), prune_lock));
499 }
500
501 // Intentionally set m_best_block_index as the last step in this function,
502 // after updating prune locks above, and after making any other references
503 // to *this, so the BlockUntilSyncedToCurrentChain function (which checks
504 // m_best_block_index as an optimization) can be used to wait for the last
505 // BlockConnected notification and safely assume that prune locks are
506 // updated and that the index object is safe to delete.
507 m_best_block_index = block;
508}
ArgsManager gArgs
Definition: args.cpp:40
static const CBlockIndex * NextSyncBlock(const CBlockIndex *pindex_prev, CChain &chain) EXCLUSIVE_LOCKS_REQUIRED(cs_main)
Definition: base.cpp:150
constexpr uint8_t DB_BEST_BLOCK
Definition: base.cpp:47
constexpr auto SYNC_LOCATOR_WRITE_INTERVAL
Definition: base.cpp:50
constexpr auto SYNC_LOG_INTERVAL
Definition: base.cpp:49
CBlockLocator GetLocator(interfaces::Chain &chain, const uint256 &block_hash)
Definition: base.cpp:59
ArgsManager & args
Definition: bitcoind.cpp:278
void WriteBestBlock(CDBBatch &batch, const CBlockLocator &locator)
Write block locator of the chain that the index is in sync with.
Definition: base.cpp:90
CBlockLocator ReadBestBlock() const
Read block locator of the chain that the index is in sync with.
Definition: base.cpp:78
DB(const fs::path &path, size_t n_cache_size, bool f_memory=false, bool f_wipe=false, bool f_obfuscate=false)
Definition: base.cpp:68
void Stop()
Stops the instance from staying in sync with blockchain updates.
Definition: base.cpp:465
virtual bool CustomInit(const std::optional< interfaces::BlockRef > &block)
Initialize internal state from the database and block index.
Definition: base.h:126
void SetBestBlockIndex(const CBlockIndex *block)
Update the internal best block index as well as the prune lock.
Definition: base.cpp:491
bool Init()
Initializes the sync state and registers the instance to the validation interface so that it stays in...
Definition: base.cpp:104
virtual ~BaseIndex()
Destructor interrupts sync thread if running and blocks until it exits.
Definition: base.cpp:98
virtual bool CustomCommit(CDBBatch &batch)
Virtual method called internally by Commit that can be overridden to atomically commit more index sta...
Definition: base.h:133
void BlockConnected(const kernel::ChainstateRole &role, const std::shared_ptr< const CBlock > &block, const CBlockIndex *pindex) override
Notifies listeners of a block being connected.
Definition: base.cpp:332
const std::string & GetName() const LIFETIMEBOUND
Get the name of the index for display in logs.
Definition: base.h:149
bool BlockUntilSyncedToCurrentChain() const LOCKS_EXCLUDED(void Interrupt()
Blocks the current thread until the index is caught up to the current state of the block chain.
Definition: base.cpp:452
virtual bool AllowPrune() const =0
std::atomic< bool > m_synced
Whether the index is in sync with the main chain.
Definition: base.h:88
CThreadInterrupt m_interrupt
Definition: base.h:94
BaseIndex(std::unique_ptr< interfaces::Chain > chain, std::string name)
Definition: base.cpp:95
IndexSummary GetSummary() const
Get a summary of the index and its state.
Definition: base.cpp:476
const std::string m_name
Definition: base.h:119
virtual DB & GetDB() const =0
void Sync()
Sync the index with the block index starting from the current best block.
Definition: base.cpp:205
std::thread m_thread_sync
Definition: base.h:93
bool Commit()
Write the current index state (eg.
Definition: base.cpp:274
virtual interfaces::Chain::NotifyOptions CustomOptions()
Return custom notification options for index.
Definition: base.h:152
bool ProcessBlock(const CBlockIndex *pindex, const CBlock *block_data=nullptr)
Definition: base.cpp:172
void FatalErrorf(util::ConstevalFormatString< sizeof...(Args)> fmt, const Args &... args)
Definition: base.cpp:53
Chainstate * m_chainstate
Definition: base.h:118
bool Rewind(const CBlockIndex *current_tip, const CBlockIndex *new_tip)
Loop over disconnected blocks and call CustomRemove.
Definition: base.cpp:294
virtual bool CustomRemove(const interfaces::BlockInfo &block)
Rewind index by one block during a chain reorg.
Definition: base.h:136
bool StartBackgroundSync()
Starts the initial sync process on a background thread.
Definition: base.cpp:457
std::unique_ptr< interfaces::Chain > m_chain
Definition: base.h:117
std::atomic< bool > m_init
Whether the index has been initialized or not.
Definition: base.h:80
std::atomic< const CBlockIndex * > m_best_block_index
The last block in the chain that the index is in sync with.
Definition: base.h:91
virtual bool CustomAppend(const interfaces::BlockInfo &block)
Write update index entries for a newly connected block.
Definition: base.h:129
void ChainStateFlushed(const kernel::ChainstateRole &role, const CBlockLocator &locator) override
Notifies listeners of the new active block chain on-disk.
Definition: base.cpp:384
Definition: block.h:74
The block chain is a tree shaped structure starting with the genesis block at the root,...
Definition: chain.h:94
CBlockIndex * pprev
pointer to the index of the predecessor of this block
Definition: chain.h:100
uint256 GetBlockHash() const
Definition: chain.h:198
CBlockIndex * GetAncestor(int height)
Efficiently find an ancestor of this block.
Definition: chain.cpp:110
int nHeight
height of the entry in the chain. The genesis block has height 0
Definition: chain.h:106
Undo information for a CBlock.
Definition: undo.h:63
An in-memory indexed chain of blocks.
Definition: chain.h:380
CBlockIndex * Tip() const
Returns the index entry for the tip of this chain, or nullptr if none.
Definition: chain.h:396
Batch of changes queued to be written to a CDBWrapper.
Definition: dbwrapper.h:72
void Write(const K &key, const V &value)
Definition: dbwrapper.h:96
void WriteBatch(CDBBatch &batch, bool fSync=false)
Definition: dbwrapper.cpp:278
virtual void reset()
Reset to an non-interrupted state.
CChain m_chain
The current chain of blockheaders we consult and build on.
Definition: validation.h:625
node::BlockManager & m_blockman
Reference to a BlockManager instance which itself is shared across all Chainstate instances.
Definition: validation.h:578
std::string ToString() const
Definition: uint256.cpp:21
Interface giving clients (wallet processes, maybe other analysis tools in the future) ability to acce...
Definition: chain.h:118
virtual bool findBlock(const uint256 &hash, const FoundBlock &block={})=0
Return whether node has the block and optionally return block metadata or contents.
Helper for findBlock to selectively return pieces of block data.
Definition: chain.h:53
CBlockIndex * LookupBlockIndex(const uint256 &hash) EXCLUSIVE_LOCKS_REQUIRED(cs_main)
bool ReadBlockUndo(CBlockUndo &blockundo, const CBlockIndex &index) const
bool ReadBlock(CBlock &block, const FlatFilePos &pos, const std::optional< uint256 > &expected_hash) const
Functions for disk access for blocks.
bool IsPruneMode() const
Whether running in -prune mode.
Definition: blockstorage.h:405
256-bit opaque blob.
Definition: uint256.h:196
RecursiveMutex cs_main
Mutex to guard access to validation specific variables, such as reading or changing the chainstate.
Definition: cs_main.cpp:8
bool InitError(const bilingual_str &str)
Show error message.
is a home for simple enum and struct type definitions that can be used internally by functions in the...
#define LogWarning(...)
Definition: log.h:98
#define LogInfo(...)
Definition: log.h:97
#define LogError(...)
Definition: log.h:99
interfaces::BlockInfo MakeBlockInfo(const CBlockIndex *index, const CBlock *data)
Return data from block index.
Definition: chain.cpp:18
void AbortNode(const std::function< bool()> &shutdown_request, std::atomic< int > &exit_status, const bilingual_str &message, node::Warnings *warnings)
Definition: abort.cpp:19
void ReadDatabaseArgs(const ArgsManager &args, DBOptions &options)
Definition: common.h:30
void format(std::ostream &out, FormatStringCheck< sizeof...(Args)> fmt, const Args &... args)
Format list of arguments to the stream according to given format string.
Definition: tinyformat.h:1079
void TraceThread(std::string_view thread_name, std::function< void()> thread_func)
A wrapper for do-something-once thread functions.
Definition: thread.cpp:15
const char * name
Definition: rest.cpp:49
Describes a place in the block chain to another node such that if the other node doesn't have the sam...
Definition: block.h:117
std::vector< uint256 > vHave
Definition: block.h:127
bool IsNull() const
Definition: block.h:145
void SetNull()
Definition: block.h:140
User-controlled performance and debug options.
Definition: dbwrapper.h:27
Application-specific storage settings.
Definition: dbwrapper.h:33
std::string name
Definition: base.h:31
static time_point now() noexcept
Return current system time or mocked time, if set.
Definition: time.cpp:36
Block data sent with blockConnected, blockDisconnected notifications.
Definition: chain.h:19
const CBlock * data
Definition: chain.h:25
const CBlockUndo * undo_data
Definition: chain.h:26
Hash/height pair to help track and identify blocks.
Definition: types.h:13
Information about chainstate that notifications are sent from.
Definition: types.h:18
bool validated
Whether this is a notification from a chainstate that's been fully validated starting from the genesi...
Definition: types.h:22
int height_first
Height of earliest block that should be kept and not pruned.
Definition: blockstorage.h:149
A wrapper for a compile-time partially validated format string.
Definition: string.h:94
#define AssertLockNotHeld(cs)
Definition: sync.h:149
#define LOCK(cs)
Definition: sync.h:268
#define WITH_LOCK(cs, code)
Run code while locking a mutex.
Definition: sync.h:299
#define EXCLUSIVE_LOCKS_REQUIRED(...)
Definition: threadsafety.h:49
#define strprintf
Format arguments and return the string or write to given std::ostream (see tinyformat::format doc for...
Definition: tinyformat.h:1172
bilingual_str Untranslated(std::string original)
Mark a bilingual_str as untranslated.
Definition: translation.h:82
AssertLockHeld(pool.cs)
assert(!tx.IsCoinBase())