Bitcoin Core 30.99.0
P2P Digital Currency
init.cpp
Go to the documentation of this file.
1// Copyright (c) 2009-2010 Satoshi Nakamoto
2// Copyright (c) 2009-present The Bitcoin Core developers
3// Distributed under the MIT software license, see the accompanying
4// file COPYING or http://www.opensource.org/licenses/mit-license.php.
5
6#include <bitcoin-build-config.h> // IWYU pragma: keep
7
8#include <init.h>
9
10#include <kernel/checks.h>
11
12#include <addrman.h>
13#include <banman.h>
14#include <blockfilter.h>
15#include <chain.h>
16#include <chainparams.h>
17#include <chainparamsbase.h>
18#include <clientversion.h>
19#include <common/args.h>
20#include <common/system.h>
21#include <consensus/amount.h>
22#include <consensus/consensus.h>
23#include <deploymentstatus.h>
24#include <hash.h>
25#include <httprpc.h>
26#include <httpserver.h>
29#include <index/txindex.h>
30#include <init/common.h>
31#include <interfaces/chain.h>
32#include <interfaces/init.h>
33#include <interfaces/ipc.h>
34#include <interfaces/mining.h>
35#include <interfaces/node.h>
36#include <ipc/exception.h>
37#include <kernel/caches.h>
38#include <kernel/context.h>
39#include <key.h>
40#include <logging.h>
41#include <mapport.h>
42#include <net.h>
43#include <net_permissions.h>
44#include <net_processing.h>
45#include <netbase.h>
46#include <netgroup.h>
48#include <node/blockstorage.h>
49#include <node/caches.h>
50#include <node/chainstate.h>
52#include <node/context.h>
53#include <node/interface_ui.h>
55#include <node/mempool_args.h>
58#include <node/miner.h>
59#include <node/peerman_args.h>
60#include <policy/feerate.h>
63#include <policy/policy.h>
64#include <policy/settings.h>
65#include <protocol.h>
66#include <rpc/blockchain.h>
67#include <rpc/register.h>
68#include <rpc/server.h>
69#include <rpc/util.h>
70#include <scheduler.h>
71#include <script/sigcache.h>
72#include <sync.h>
73#include <torcontrol.h>
74#include <txdb.h>
75#include <txmempool.h>
76#include <util/asmap.h>
77#include <util/batchpriority.h>
78#include <util/chaintype.h>
79#include <util/check.h>
80#include <util/fs.h>
81#include <util/fs_helpers.h>
82#include <util/moneystr.h>
83#include <util/result.h>
85#include <util/strencodings.h>
86#include <util/string.h>
87#include <util/syserror.h>
88#include <util/thread.h>
89#include <util/threadnames.h>
90#include <util/time.h>
91#include <util/translation.h>
92#include <validation.h>
93#include <validationinterface.h>
94#include <walletinitinterface.h>
95
96#include <algorithm>
97#include <cerrno>
98#include <condition_variable>
99#include <cstdint>
100#include <cstdio>
101#include <fstream>
102#include <functional>
103#include <set>
104#include <string>
105#include <thread>
106#include <vector>
107
108#ifndef WIN32
109#include <csignal>
110#include <sys/stat.h>
111#endif
112
113#include <boost/signals2/signal.hpp>
114
115#ifdef ENABLE_ZMQ
118#include <zmq/zmqrpc.h>
119#endif
120
124
142using util::Join;
143using util::ReplaceAll;
144using util::ToString;
145
146static constexpr bool DEFAULT_PROXYRANDOMIZE{true};
147static constexpr bool DEFAULT_REST_ENABLE{false};
148static constexpr bool DEFAULT_I2P_ACCEPT_INCOMING{true};
149static constexpr bool DEFAULT_STOPAFTERBLOCKIMPORT{false};
150
151#ifdef WIN32
152// Win32 LevelDB doesn't use filedescriptors, and the ones used for
153// accessing block files don't count towards the fd_set size limit
154// anyway.
155#define MIN_LEVELDB_FDS 0
156#else
157#define MIN_LEVELDB_FDS 150
158#endif
159
161
165static const char* BITCOIN_PID_FILENAME = "bitcoind.pid";
170static bool g_generated_pid{false};
171
172static fs::path GetPidFile(const ArgsManager& args)
173{
175}
176
177[[nodiscard]] static bool CreatePidFile(const ArgsManager& args)
178{
179 if (args.IsArgNegated("-pid")) return true;
180
181 std::ofstream file{GetPidFile(args).std_path()};
182 if (file) {
183#ifdef WIN32
184 tfm::format(file, "%d\n", GetCurrentProcessId());
185#else
186 tfm::format(file, "%d\n", getpid());
187#endif
188 g_generated_pid = true;
189 return true;
190 } else {
191 return InitError(strprintf(_("Unable to create the PID file '%s': %s"), fs::PathToString(GetPidFile(args)), SysErrorString(errno)));
192 }
193}
194
195static void RemovePidFile(const ArgsManager& args)
196{
197 if (!g_generated_pid) return;
198 const auto pid_path{GetPidFile(args)};
199 if (std::error_code error; !fs::remove(pid_path, error)) {
200 std::string msg{error ? error.message() : "File does not exist"};
201 LogWarning("Unable to remove PID file (%s): %s", fs::PathToString(pid_path), msg);
202 }
203}
204
205static std::optional<util::SignalInterrupt> g_shutdown;
206
208{
210 g_shutdown.emplace();
211
212 node.args = &gArgs;
213 node.shutdown_signal = &*g_shutdown;
214 node.shutdown_request = [&node] {
215 assert(node.shutdown_signal);
216 if (!(*node.shutdown_signal)()) return false;
217 return true;
218 };
219}
220
222//
223// Shutdown
224//
225
226//
227// Thread management and startup/shutdown:
228//
229// The network-processing threads are all part of a thread group
230// created by AppInit() or the Qt main() function.
231//
232// A clean exit happens when the SignalInterrupt object is triggered, which
233// makes the main thread's SignalInterrupt::wait() call return, and join all
234// other ongoing threads in the thread group to the main thread.
235// Shutdown() is then called to clean up database connections, and stop other
236// threads that should only be stopped after the main network-processing
237// threads have exited.
238//
239// Shutdown for Qt is very similar, only it uses a QTimer to detect
240// ShutdownRequested() getting set, and then does the normal Qt
241// shutdown thing.
242//
243
245{
246 return bool{*Assert(node.shutdown_signal)};
247}
248
249#if HAVE_SYSTEM
250static void ShutdownNotify(const ArgsManager& args)
251{
252 std::vector<std::thread> threads;
253 for (const auto& cmd : args.GetArgs("-shutdownnotify")) {
254 threads.emplace_back(runCommand, cmd);
255 }
256 for (auto& t : threads) {
257 t.join();
258 }
259}
260#endif
261
263{
264#if HAVE_SYSTEM
265 ShutdownNotify(*node.args);
266#endif
267 // Wake any threads that may be waiting for the tip to change.
268 if (node.notifications) WITH_LOCK(node.notifications->m_tip_block_mutex, node.notifications->m_tip_block_cv.notify_all());
271 InterruptRPC();
275 if (node.connman)
276 node.connman->Interrupt();
277 for (auto* index : node.indexes) {
278 index->Interrupt();
279 }
280}
281
283{
284 static Mutex g_shutdown_mutex;
285 TRY_LOCK(g_shutdown_mutex, lock_shutdown);
286 if (!lock_shutdown) return;
287 LogInfo("Shutdown in progress...");
288 Assert(node.args);
289
294 util::ThreadRename("shutoff");
295 if (node.mempool) node.mempool->AddTransactionsUpdated(1);
296
297 StopHTTPRPC();
298 StopREST();
299 StopRPC();
301 for (auto& client : node.chain_clients) {
302 try {
303 client->stop();
304 } catch (const ipc::Exception& e) {
305 LogDebug(BCLog::IPC, "Chain client did not disconnect cleanly: %s", e.what());
306 client.reset();
307 }
308 }
309 StopMapPort();
310
311 // Because these depend on each-other, we make sure that neither can be
312 // using the other before destroying them.
313 if (node.peerman && node.validation_signals) node.validation_signals->UnregisterValidationInterface(node.peerman.get());
314 if (node.connman) node.connman->Stop();
315
317
318 if (node.background_init_thread.joinable()) node.background_init_thread.join();
319 // After everything has been shut down, but before things get flushed, stop the
320 // the scheduler. After this point, SyncWithValidationInterfaceQueue() should not be called anymore
321 // as this would prevent the shutdown from completing.
322 if (node.scheduler) node.scheduler->stop();
323
324 // After the threads that potentially access these pointers have been stopped,
325 // destruct and reset all to nullptr.
326 node.peerman.reset();
327 node.connman.reset();
328 node.banman.reset();
329 node.addrman.reset();
330 node.netgroupman.reset();
331
332 if (node.mempool && node.mempool->GetLoadTried() && ShouldPersistMempool(*node.args)) {
333 DumpMempool(*node.mempool, MempoolPath(*node.args));
334 }
335
336 // Drop transactions we were still watching, record fee estimations and unregister
337 // fee estimator from validation interface.
338 if (node.fee_estimator) {
339 node.fee_estimator->Flush();
340 if (node.validation_signals) {
341 node.validation_signals->UnregisterValidationInterface(node.fee_estimator.get());
342 }
343 }
344
345 // FlushStateToDisk generates a ChainStateFlushed callback, which we should avoid missing
346 if (node.chainman) {
347 LOCK(cs_main);
348 for (const auto& chainstate : node.chainman->m_chainstates) {
349 if (chainstate->CanFlushToDisk()) {
350 chainstate->ForceFlushStateToDisk();
351 }
352 }
353 }
354
355 // After there are no more peers/RPC left to give us new data which may generate
356 // CValidationInterface callbacks, flush them...
357 if (node.validation_signals) node.validation_signals->FlushBackgroundCallbacks();
358
359 // Stop and delete all indexes only after flushing background callbacks.
360 for (auto* index : node.indexes) index->Stop();
361 if (g_txindex) g_txindex.reset();
364 node.indexes.clear(); // all instances are nullptr now
365
366 // Any future callbacks will be dropped. This should absolutely be safe - if
367 // missing a callback results in an unrecoverable situation, unclean shutdown
368 // would too. The only reason to do the above flushes is to let the wallet catch
369 // up with our current chain to avoid any strange pruning edge cases and make
370 // next startup faster by avoiding rescan.
371
372 if (node.chainman) {
373 LOCK(cs_main);
374 for (const auto& chainstate : node.chainman->m_chainstates) {
375 if (chainstate->CanFlushToDisk()) {
376 chainstate->ForceFlushStateToDisk();
377 chainstate->ResetCoinsViews();
378 }
379 }
380 }
381
382 // If any -ipcbind clients are still connected, disconnect them now so they
383 // do not block shutdown.
384 if (interfaces::Ipc* ipc = node.init->ipc()) {
385 ipc->disconnectIncoming();
386 }
387
388#ifdef ENABLE_ZMQ
390 if (node.validation_signals) node.validation_signals->UnregisterValidationInterface(g_zmq_notification_interface.get());
392 }
393#endif
394
395 node.chain_clients.clear();
396 if (node.validation_signals) {
397 node.validation_signals->UnregisterAllValidationInterfaces();
398 }
399 node.mempool.reset();
400 node.fee_estimator.reset();
401 node.chainman.reset();
402 node.validation_signals.reset();
403 node.scheduler.reset();
404 node.ecc_context.reset();
405 node.kernel.reset();
406
407 RemovePidFile(*node.args);
408
409 LogInfo("Shutdown done");
410}
411
417#ifndef WIN32
418static void HandleSIGTERM(int)
419{
420 // Return value is intentionally ignored because there is not a better way
421 // of handling this failure in a signal handler.
422 (void)(*Assert(g_shutdown))();
423}
424
425static void HandleSIGHUP(int)
426{
427 LogInstance().m_reopen_file = true;
428}
429#else
430static BOOL WINAPI consoleCtrlHandler(DWORD dwCtrlType)
431{
432 if (!(*Assert(g_shutdown))()) {
433 LogError("Failed to send shutdown signal on Ctrl-C\n");
434 return false;
435 }
436 Sleep(INFINITE);
437 return true;
438}
439#endif
440
441#ifndef WIN32
442static void registerSignalHandler(int signal, void(*handler)(int))
443{
444 struct sigaction sa;
445 sa.sa_handler = handler;
446 sigemptyset(&sa.sa_mask);
447 sa.sa_flags = 0;
448 sigaction(signal, &sa, nullptr);
449}
450#endif
451
452void SetupServerArgs(ArgsManager& argsman, bool can_listen_ipc)
453{
454 SetupHelpOptions(argsman);
455 argsman.AddArg("-help-debug", "Print help message with debugging options and exit", ArgsManager::ALLOW_ANY, OptionsCategory::DEBUG_TEST); // server-only for now
456
457 init::AddLoggingArgs(argsman);
458
459 const auto defaultBaseParams = CreateBaseChainParams(ChainType::MAIN);
460 const auto testnetBaseParams = CreateBaseChainParams(ChainType::TESTNET);
461 const auto testnet4BaseParams = CreateBaseChainParams(ChainType::TESTNET4);
462 const auto signetBaseParams = CreateBaseChainParams(ChainType::SIGNET);
463 const auto regtestBaseParams = CreateBaseChainParams(ChainType::REGTEST);
464 const auto defaultChainParams = CreateChainParams(argsman, ChainType::MAIN);
465 const auto testnetChainParams = CreateChainParams(argsman, ChainType::TESTNET);
466 const auto testnet4ChainParams = CreateChainParams(argsman, ChainType::TESTNET4);
467 const auto signetChainParams = CreateChainParams(argsman, ChainType::SIGNET);
468 const auto regtestChainParams = CreateChainParams(argsman, ChainType::REGTEST);
469
470 // Hidden Options
471 std::vector<std::string> hidden_args = {
472 "-dbcrashratio", "-forcecompactdb",
473 // GUI args. These will be overwritten by SetupUIArgs for the GUI
474 "-choosedatadir", "-lang=<lang>", "-min", "-resetguisettings", "-splash", "-uiplatform"};
475
476 argsman.AddArg("-version", "Print version and exit", ArgsManager::ALLOW_ANY, OptionsCategory::OPTIONS);
477#if HAVE_SYSTEM
478 argsman.AddArg("-alertnotify=<cmd>", "Execute command when an alert is raised (%s in cmd is replaced by message)", ArgsManager::ALLOW_ANY, OptionsCategory::OPTIONS);
479#endif
480 argsman.AddArg("-assumevalid=<hex>", strprintf("If this block is in the chain assume that it and its ancestors are valid and potentially skip their script verification (0 to verify all, default: %s, testnet3: %s, testnet4: %s, signet: %s)", defaultChainParams->GetConsensus().defaultAssumeValid.GetHex(), testnetChainParams->GetConsensus().defaultAssumeValid.GetHex(), testnet4ChainParams->GetConsensus().defaultAssumeValid.GetHex(), signetChainParams->GetConsensus().defaultAssumeValid.GetHex()), ArgsManager::ALLOW_ANY, OptionsCategory::OPTIONS);
481 argsman.AddArg("-blocksdir=<dir>", "Specify directory to hold blocks subdirectory for *.dat files (default: <datadir>)", ArgsManager::ALLOW_ANY, OptionsCategory::OPTIONS);
482 argsman.AddArg("-blocksxor",
483 strprintf("Whether an XOR-key applies to blocksdir *.dat files. "
484 "The created XOR-key will be zeros for an existing blocksdir or when `-blocksxor=0` is "
485 "set, and random for a freshly initialized blocksdir. "
486 "(default: %u)",
489 argsman.AddArg("-fastprune", "Use smaller block files and lower minimum prune height for testing purposes", ArgsManager::ALLOW_ANY | ArgsManager::DEBUG_ONLY, OptionsCategory::DEBUG_TEST);
490#if HAVE_SYSTEM
491 argsman.AddArg("-blocknotify=<cmd>", "Execute command when the best block changes (%s in cmd is replaced by block hash)", ArgsManager::ALLOW_ANY, OptionsCategory::OPTIONS);
492#endif
493 argsman.AddArg("-blockreconstructionextratxn=<n>", strprintf("Extra transactions to keep in memory for compact block reconstructions (default: %u)", DEFAULT_BLOCK_RECONSTRUCTION_EXTRA_TXN), ArgsManager::ALLOW_ANY, OptionsCategory::OPTIONS);
494 argsman.AddArg("-blocksonly", strprintf("Whether to reject transactions from network peers. Disables automatic broadcast and rebroadcast of transactions, unless the source peer has the 'forcerelay' permission. RPC transactions are not affected. (default: %u)", DEFAULT_BLOCKSONLY), ArgsManager::ALLOW_ANY, OptionsCategory::OPTIONS);
495 argsman.AddArg("-coinstatsindex", strprintf("Maintain coinstats index used by the gettxoutsetinfo RPC (default: %u)", DEFAULT_COINSTATSINDEX), ArgsManager::ALLOW_ANY, OptionsCategory::OPTIONS);
496 argsman.AddArg("-conf=<file>", strprintf("Specify path to read-only configuration file. Relative paths will be prefixed by datadir location (only useable from command line, not configuration file) (default: %s)", BITCOIN_CONF_FILENAME), ArgsManager::ALLOW_ANY, OptionsCategory::OPTIONS);
497 argsman.AddArg("-datadir=<dir>", "Specify data directory", ArgsManager::ALLOW_ANY | ArgsManager::DISALLOW_NEGATION, OptionsCategory::OPTIONS);
498 argsman.AddArg("-dbbatchsize", strprintf("Maximum database write batch size in bytes (default: %u)", DEFAULT_DB_CACHE_BATCH), ArgsManager::ALLOW_ANY | ArgsManager::DEBUG_ONLY, OptionsCategory::OPTIONS);
499 argsman.AddArg("-dbcache=<n>", strprintf("Maximum database cache size <n> MiB (minimum %d, default: %d). Make sure you have enough RAM. In addition, unused memory allocated to the mempool is shared with this cache (see -maxmempool).", MIN_DB_CACHE >> 20, DEFAULT_DB_CACHE >> 20), ArgsManager::ALLOW_ANY, OptionsCategory::OPTIONS);
500 argsman.AddArg("-includeconf=<file>", "Specify additional configuration file, relative to the -datadir path (only useable from configuration file, not command line)", ArgsManager::ALLOW_ANY, OptionsCategory::OPTIONS);
501 argsman.AddArg("-allowignoredconf", strprintf("For backwards compatibility, treat an unused %s file in the datadir as a warning, not an error.", BITCOIN_CONF_FILENAME), ArgsManager::ALLOW_ANY, OptionsCategory::OPTIONS);
502 argsman.AddArg("-loadblock=<file>", "Imports blocks from external file on startup", ArgsManager::ALLOW_ANY, OptionsCategory::OPTIONS);
503 argsman.AddArg("-maxmempool=<n>", strprintf("Keep the transaction memory pool below <n> megabytes (default: %u)", DEFAULT_MAX_MEMPOOL_SIZE_MB), ArgsManager::ALLOW_ANY, OptionsCategory::OPTIONS);
504 argsman.AddArg("-mempoolexpiry=<n>", strprintf("Do not keep transactions in the mempool longer than <n> hours (default: %u)", DEFAULT_MEMPOOL_EXPIRY_HOURS), ArgsManager::ALLOW_ANY, OptionsCategory::OPTIONS);
505 argsman.AddArg("-minimumchainwork=<hex>", strprintf("Minimum work assumed to exist on a valid chain in hex (default: %s, testnet3: %s, testnet4: %s, signet: %s)", defaultChainParams->GetConsensus().nMinimumChainWork.GetHex(), testnetChainParams->GetConsensus().nMinimumChainWork.GetHex(), testnet4ChainParams->GetConsensus().nMinimumChainWork.GetHex(), signetChainParams->GetConsensus().nMinimumChainWork.GetHex()), ArgsManager::ALLOW_ANY | ArgsManager::DEBUG_ONLY, OptionsCategory::OPTIONS);
506 argsman.AddArg("-par=<n>", strprintf("Set the number of script verification threads (0 = auto, up to %d, <0 = leave that many cores free, default: %d)",
508 argsman.AddArg("-persistmempool", strprintf("Whether to save the mempool on shutdown and load on restart (default: %u)", DEFAULT_PERSIST_MEMPOOL), ArgsManager::ALLOW_ANY, OptionsCategory::OPTIONS);
509 argsman.AddArg("-persistmempoolv1",
510 strprintf("Whether a mempool.dat file created by -persistmempool or the savemempool RPC will be written in the legacy format "
511 "(version 1) or the current format (version 2). This temporary option will be removed in the future. (default: %u)",
514 argsman.AddArg("-pid=<file>", strprintf("Specify pid file. Relative paths will be prefixed by a net-specific datadir location. (default: %s)", BITCOIN_PID_FILENAME), ArgsManager::ALLOW_ANY, OptionsCategory::OPTIONS);
515 argsman.AddArg("-prune=<n>", strprintf("Reduce storage requirements by enabling pruning (deleting) of old blocks. This allows the pruneblockchain RPC to be called to delete specific blocks and enables automatic pruning of old blocks if a target size in MiB is provided. This mode is incompatible with -txindex. "
516 "Warning: Reverting this setting requires re-downloading the entire blockchain. "
517 "(default: 0 = disable pruning blocks, 1 = allow manual pruning via RPC, >=%u = automatically prune block files to stay under the specified target size in MiB)", MIN_DISK_SPACE_FOR_BLOCK_FILES / 1024 / 1024), ArgsManager::ALLOW_ANY, OptionsCategory::OPTIONS);
518 argsman.AddArg("-reindex", "If enabled, wipe chain state and block index, and rebuild them from blk*.dat files on disk. Also wipe and rebuild other optional indexes that are active. If an assumeutxo snapshot was loaded, its chainstate will be wiped as well. The snapshot can then be reloaded via RPC.", ArgsManager::ALLOW_ANY, OptionsCategory::OPTIONS);
519 argsman.AddArg("-reindex-chainstate", "If enabled, wipe chain state, and rebuild it from blk*.dat files on disk. If an assumeutxo snapshot was loaded, its chainstate will be wiped as well. The snapshot can then be reloaded via RPC.", ArgsManager::ALLOW_ANY, OptionsCategory::OPTIONS);
520 argsman.AddArg("-settings=<file>", strprintf("Specify path to dynamic settings data file. Can be disabled with -nosettings. File is written at runtime and not meant to be edited by users (use %s instead for custom settings). Relative paths will be prefixed by datadir location. (default: %s)", BITCOIN_CONF_FILENAME, BITCOIN_SETTINGS_FILENAME), ArgsManager::ALLOW_ANY, OptionsCategory::OPTIONS);
521#if HAVE_SYSTEM
522 argsman.AddArg("-startupnotify=<cmd>", "Execute command on startup.", ArgsManager::ALLOW_ANY, OptionsCategory::OPTIONS);
523 argsman.AddArg("-shutdownnotify=<cmd>", "Execute command immediately before beginning shutdown. The need for shutdown may be urgent, so be careful not to delay it long (if the command doesn't require interaction with the server, consider having it fork into the background).", ArgsManager::ALLOW_ANY, OptionsCategory::OPTIONS);
524#endif
525 argsman.AddArg("-txindex", strprintf("Maintain a full transaction index, used by the getrawtransaction rpc call (default: %u)", DEFAULT_TXINDEX), ArgsManager::ALLOW_ANY, OptionsCategory::OPTIONS);
526 argsman.AddArg("-blockfilterindex=<type>",
527 strprintf("Maintain an index of compact filters by block (default: %s, values: %s).", DEFAULT_BLOCKFILTERINDEX, ListBlockFilterTypes()) +
528 " If <type> is not supplied or if <type> = 1, indexes for all known types are enabled.",
530
531 argsman.AddArg("-addnode=<ip>", strprintf("Add a node to connect to and attempt to keep the connection open (see the addnode RPC help for more info). This option can be specified multiple times to add multiple nodes; connections are limited to %u at a time and are counted separately from the -maxconnections limit.", MAX_ADDNODE_CONNECTIONS), ArgsManager::ALLOW_ANY | ArgsManager::NETWORK_ONLY, OptionsCategory::CONNECTION);
532 argsman.AddArg("-asmap=<file>", "Specify asn mapping used for bucketing of the peers. Relative paths will be prefixed by the net-specific datadir location.", ArgsManager::ALLOW_ANY, OptionsCategory::CONNECTION);
533 argsman.AddArg("-bantime=<n>", strprintf("Default duration (in seconds) of manually configured bans (default: %u)", DEFAULT_MISBEHAVING_BANTIME), ArgsManager::ALLOW_ANY, OptionsCategory::CONNECTION);
534 argsman.AddArg("-bind=<addr>[:<port>][=onion]", strprintf("Bind to given address and always listen on it (default: 0.0.0.0). Use [host]:port notation for IPv6. Append =onion to tag any incoming connections to that address and port as incoming Tor connections (default: 127.0.0.1:%u=onion, testnet3: 127.0.0.1:%u=onion, testnet4: 127.0.0.1:%u=onion, signet: 127.0.0.1:%u=onion, regtest: 127.0.0.1:%u=onion)", defaultChainParams->GetDefaultPort() + 1, testnetChainParams->GetDefaultPort() + 1, testnet4ChainParams->GetDefaultPort() + 1, signetChainParams->GetDefaultPort() + 1, regtestChainParams->GetDefaultPort() + 1), ArgsManager::ALLOW_ANY | ArgsManager::NETWORK_ONLY, OptionsCategory::CONNECTION);
535 argsman.AddArg("-cjdnsreachable", "If set, then this host is configured for CJDNS (connecting to fc00::/8 addresses would lead us to the CJDNS network, see doc/cjdns.md) (default: 0)", ArgsManager::ALLOW_ANY, OptionsCategory::CONNECTION);
536 argsman.AddArg("-connect=<ip>", "Connect only to the specified node; -noconnect disables automatic connections (the rules for this peer are the same as for -addnode). This option can be specified multiple times to connect to multiple nodes.", ArgsManager::ALLOW_ANY | ArgsManager::NETWORK_ONLY, OptionsCategory::CONNECTION);
537 argsman.AddArg("-discover", "Discover own IP addresses (default: 1 when listening and no -externalip or -proxy)", ArgsManager::ALLOW_ANY, OptionsCategory::CONNECTION);
538 argsman.AddArg("-dns", strprintf("Allow DNS lookups for -addnode, -seednode and -connect (default: %u)", DEFAULT_NAME_LOOKUP), ArgsManager::ALLOW_ANY, OptionsCategory::CONNECTION);
539 argsman.AddArg("-dnsseed", strprintf("Query for peer addresses via DNS lookup, if low on addresses (default: %u unless -connect used or -maxconnections=0)", DEFAULT_DNSSEED), ArgsManager::ALLOW_ANY, OptionsCategory::CONNECTION);
540 argsman.AddArg("-externalip=<ip>", "Specify your own public address", ArgsManager::ALLOW_ANY, OptionsCategory::CONNECTION);
541 argsman.AddArg("-fixedseeds", strprintf("Allow fixed seeds if DNS seeds don't provide peers (default: %u)", DEFAULT_FIXEDSEEDS), ArgsManager::ALLOW_ANY, OptionsCategory::CONNECTION);
542 argsman.AddArg("-forcednsseed", strprintf("Always query for peer addresses via DNS lookup (default: %u)", DEFAULT_FORCEDNSSEED), ArgsManager::ALLOW_ANY, OptionsCategory::CONNECTION);
543 argsman.AddArg("-listen", strprintf("Accept connections from outside (default: %u if no -proxy, -connect or -maxconnections=0)", DEFAULT_LISTEN), ArgsManager::ALLOW_ANY, OptionsCategory::CONNECTION);
544 argsman.AddArg("-listenonion", strprintf("Automatically create Tor onion service (default: %d)", DEFAULT_LISTEN_ONION), ArgsManager::ALLOW_ANY, OptionsCategory::CONNECTION);
545 argsman.AddArg("-maxconnections=<n>", strprintf("Maintain at most <n> automatic connections to peers (default: %u). This limit does not apply to connections manually added via -addnode or the addnode RPC, which have a separate limit of %u. It does not apply to short-lived private broadcast connections either, which have a separate limit of %u.", DEFAULT_MAX_PEER_CONNECTIONS, MAX_ADDNODE_CONNECTIONS, MAX_PRIVATE_BROADCAST_CONNECTIONS), ArgsManager::ALLOW_ANY, OptionsCategory::CONNECTION);
546 argsman.AddArg("-maxreceivebuffer=<n>", strprintf("Maximum per-connection receive buffer, <n>*1000 bytes (default: %u)", DEFAULT_MAXRECEIVEBUFFER), ArgsManager::ALLOW_ANY, OptionsCategory::CONNECTION);
547 argsman.AddArg("-maxsendbuffer=<n>", strprintf("Maximum per-connection memory usage for the send buffer, <n>*1000 bytes (default: %u)", DEFAULT_MAXSENDBUFFER), ArgsManager::ALLOW_ANY, OptionsCategory::CONNECTION);
548 argsman.AddArg("-maxuploadtarget=<n>", strprintf("Tries to keep outbound traffic under the given target per 24h. Limit does not apply to peers with 'download' permission or blocks created within past week. 0 = no limit (default: %s). Optional suffix units [k|K|m|M|g|G|t|T] (default: M). Lowercase is 1000 base while uppercase is 1024 base", DEFAULT_MAX_UPLOAD_TARGET), ArgsManager::ALLOW_ANY, OptionsCategory::CONNECTION);
549#ifdef HAVE_SOCKADDR_UN
550 argsman.AddArg("-onion=<ip:port|path>", "Use separate SOCKS5 proxy to reach peers via Tor onion services, set -noonion to disable (default: -proxy). May be a local file path prefixed with 'unix:'.", ArgsManager::ALLOW_ANY, OptionsCategory::CONNECTION);
551#else
552 argsman.AddArg("-onion=<ip:port>", "Use separate SOCKS5 proxy to reach peers via Tor onion services, set -noonion to disable (default: -proxy)", ArgsManager::ALLOW_ANY, OptionsCategory::CONNECTION);
553#endif
554 argsman.AddArg("-i2psam=<ip:port>", "I2P SAM proxy to reach I2P peers and accept I2P connections", ArgsManager::ALLOW_ANY, OptionsCategory::CONNECTION);
555 argsman.AddArg("-i2pacceptincoming", strprintf("Whether to accept inbound I2P connections (default: %i). Ignored if -i2psam is not set. Listening for inbound I2P connections is done through the SAM proxy, not by binding to a local address and port.", DEFAULT_I2P_ACCEPT_INCOMING), ArgsManager::ALLOW_ANY, OptionsCategory::CONNECTION);
556 argsman.AddArg("-onlynet=<net>", "Make automatic outbound connections only to network <net> (" + Join(GetNetworkNames(), ", ") + "). Inbound and manual connections are not affected by this option. It can be specified multiple times to allow multiple networks.", ArgsManager::ALLOW_ANY, OptionsCategory::CONNECTION);
557 argsman.AddArg("-v2transport", strprintf("Support v2 transport (default: %u)", DEFAULT_V2_TRANSPORT), ArgsManager::ALLOW_ANY, OptionsCategory::CONNECTION);
558 argsman.AddArg("-peerbloomfilters", strprintf("Support filtering of blocks and transaction with bloom filters (default: %u)", DEFAULT_PEERBLOOMFILTERS), ArgsManager::ALLOW_ANY, OptionsCategory::CONNECTION);
559 argsman.AddArg("-peerblockfilters", strprintf("Serve compact block filters to peers per BIP 157 (default: %u)", DEFAULT_PEERBLOCKFILTERS), ArgsManager::ALLOW_ANY, OptionsCategory::CONNECTION);
560 argsman.AddArg("-txreconciliation", strprintf("Enable transaction reconciliations per BIP 330 (default: %d)", DEFAULT_TXRECONCILIATION_ENABLE), ArgsManager::ALLOW_ANY | ArgsManager::DEBUG_ONLY, OptionsCategory::CONNECTION);
561 argsman.AddArg("-port=<port>", strprintf("Listen for connections on <port> (default: %u, testnet3: %u, testnet4: %u, signet: %u, regtest: %u). Not relevant for I2P (see doc/i2p.md). If set to a value x, the default onion listening port will be set to x+1.", defaultChainParams->GetDefaultPort(), testnetChainParams->GetDefaultPort(), testnet4ChainParams->GetDefaultPort(), signetChainParams->GetDefaultPort(), regtestChainParams->GetDefaultPort()), ArgsManager::ALLOW_ANY | ArgsManager::NETWORK_ONLY, OptionsCategory::CONNECTION);
562 const std::string proxy_doc_for_value =
563#ifdef HAVE_SOCKADDR_UN
564 "<ip>[:<port>]|unix:<path>";
565#else
566 "<ip>[:<port>]";
567#endif
568 const std::string proxy_doc_for_unix_socket =
569#ifdef HAVE_SOCKADDR_UN
570 "May be a local file path prefixed with 'unix:' if the proxy supports it. ";
571#else
572 "";
573#endif
574 argsman.AddArg("-proxy=" + proxy_doc_for_value + "[=<network>]",
575 "Connect through SOCKS5 proxy, set -noproxy to disable. " +
576 proxy_doc_for_unix_socket +
577 "Could end in =network to set the proxy only for that network. " +
578 "The network can be any of ipv4, ipv6, tor or cjdns. " +
579 "(default: disabled)",
582 argsman.AddArg("-proxyrandomize", strprintf("Randomize credentials for every proxy connection. This enables Tor stream isolation (default: %u)", DEFAULT_PROXYRANDOMIZE), ArgsManager::ALLOW_ANY, OptionsCategory::CONNECTION);
583 argsman.AddArg("-seednode=<ip>", "Connect to a node to retrieve peer addresses, and disconnect. This option can be specified multiple times to connect to multiple nodes. During startup, seednodes will be tried before dnsseeds.", ArgsManager::ALLOW_ANY, OptionsCategory::CONNECTION);
584 argsman.AddArg("-networkactive", "Enable all P2P network activity (default: 1). Can be changed by the setnetworkactive RPC command", ArgsManager::ALLOW_ANY, OptionsCategory::CONNECTION);
585 argsman.AddArg("-timeout=<n>", strprintf("Specify socket connection timeout in milliseconds. If an initial attempt to connect is unsuccessful after this amount of time, drop it (minimum: 1, default: %d)", DEFAULT_CONNECT_TIMEOUT), ArgsManager::ALLOW_ANY, OptionsCategory::CONNECTION);
586 argsman.AddArg("-peertimeout=<n>", strprintf("Specify a p2p connection timeout delay in seconds. After connecting to a peer, wait this amount of time before considering disconnection based on inactivity (minimum: 1, default: %d)", DEFAULT_PEER_CONNECT_TIMEOUT), ArgsManager::ALLOW_ANY | ArgsManager::DEBUG_ONLY, OptionsCategory::CONNECTION);
587 argsman.AddArg("-torcontrol=<ip>:<port>", strprintf("Tor control host and port to use if onion listening enabled (default: %s). If no port is specified, the default port of %i will be used.", DEFAULT_TOR_CONTROL, DEFAULT_TOR_CONTROL_PORT), ArgsManager::ALLOW_ANY, OptionsCategory::CONNECTION);
588 argsman.AddArg("-torpassword=<pass>", "Tor control port password (default: empty)", ArgsManager::ALLOW_ANY | ArgsManager::SENSITIVE, OptionsCategory::CONNECTION);
589 argsman.AddArg("-natpmp", strprintf("Use PCP or NAT-PMP to map the listening port (default: %u)", DEFAULT_NATPMP), ArgsManager::ALLOW_ANY, OptionsCategory::CONNECTION);
590 argsman.AddArg("-whitebind=<[permissions@]addr>", "Bind to the given address and add permission flags to the peers connecting to it. "
591 "Use [host]:port notation for IPv6. Allowed permissions: " + Join(NET_PERMISSIONS_DOC, ", ") + ". "
592 "Specify multiple permissions separated by commas (default: download,noban,mempool,relay). Can be specified multiple times.", ArgsManager::ALLOW_ANY, OptionsCategory::CONNECTION);
593
594 argsman.AddArg("-whitelist=<[permissions@]IP address or network>", "Add permission flags to the peers using the given IP address (e.g. 1.2.3.4) or "
595 "CIDR-notated network (e.g. 1.2.3.0/24). Uses the same permissions as "
596 "-whitebind. "
597 "Additional flags \"in\" and \"out\" control whether permissions apply to incoming connections and/or manual (default: incoming only). "
598 "Can be specified multiple times.", ArgsManager::ALLOW_ANY, OptionsCategory::CONNECTION);
599
601
602#ifdef ENABLE_ZMQ
603 argsman.AddArg("-zmqpubhashblock=<address>", "Enable publish hash block in <address>", ArgsManager::ALLOW_ANY, OptionsCategory::ZMQ);
604 argsman.AddArg("-zmqpubhashtx=<address>", "Enable publish hash transaction in <address>", ArgsManager::ALLOW_ANY, OptionsCategory::ZMQ);
605 argsman.AddArg("-zmqpubrawblock=<address>", "Enable publish raw block in <address>", ArgsManager::ALLOW_ANY, OptionsCategory::ZMQ);
606 argsman.AddArg("-zmqpubrawtx=<address>", "Enable publish raw transaction in <address>", ArgsManager::ALLOW_ANY, OptionsCategory::ZMQ);
607 argsman.AddArg("-zmqpubsequence=<address>", "Enable publish hash block and tx sequence in <address>", ArgsManager::ALLOW_ANY, OptionsCategory::ZMQ);
608 argsman.AddArg("-zmqpubhashblockhwm=<n>", strprintf("Set publish hash block outbound message high water mark (default: %d)", CZMQAbstractNotifier::DEFAULT_ZMQ_SNDHWM), ArgsManager::ALLOW_ANY, OptionsCategory::ZMQ);
609 argsman.AddArg("-zmqpubhashtxhwm=<n>", strprintf("Set publish hash transaction outbound message high water mark (default: %d)", CZMQAbstractNotifier::DEFAULT_ZMQ_SNDHWM), ArgsManager::ALLOW_ANY, OptionsCategory::ZMQ);
610 argsman.AddArg("-zmqpubrawblockhwm=<n>", strprintf("Set publish raw block outbound message high water mark (default: %d)", CZMQAbstractNotifier::DEFAULT_ZMQ_SNDHWM), ArgsManager::ALLOW_ANY, OptionsCategory::ZMQ);
611 argsman.AddArg("-zmqpubrawtxhwm=<n>", strprintf("Set publish raw transaction outbound message high water mark (default: %d)", CZMQAbstractNotifier::DEFAULT_ZMQ_SNDHWM), ArgsManager::ALLOW_ANY, OptionsCategory::ZMQ);
612 argsman.AddArg("-zmqpubsequencehwm=<n>", strprintf("Set publish hash sequence message high water mark (default: %d)", CZMQAbstractNotifier::DEFAULT_ZMQ_SNDHWM), ArgsManager::ALLOW_ANY, OptionsCategory::ZMQ);
613#else
614 hidden_args.emplace_back("-zmqpubhashblock=<address>");
615 hidden_args.emplace_back("-zmqpubhashtx=<address>");
616 hidden_args.emplace_back("-zmqpubrawblock=<address>");
617 hidden_args.emplace_back("-zmqpubrawtx=<address>");
618 hidden_args.emplace_back("-zmqpubsequence=<n>");
619 hidden_args.emplace_back("-zmqpubhashblockhwm=<n>");
620 hidden_args.emplace_back("-zmqpubhashtxhwm=<n>");
621 hidden_args.emplace_back("-zmqpubrawblockhwm=<n>");
622 hidden_args.emplace_back("-zmqpubrawtxhwm=<n>");
623 hidden_args.emplace_back("-zmqpubsequencehwm=<n>");
624#endif
625
626 argsman.AddArg("-checkblocks=<n>", strprintf("How many blocks to check at startup (default: %u, 0 = all)", DEFAULT_CHECKBLOCKS), ArgsManager::ALLOW_ANY | ArgsManager::DEBUG_ONLY, OptionsCategory::DEBUG_TEST);
627 argsman.AddArg("-checklevel=<n>", strprintf("How thorough the block verification of -checkblocks is: %s (0-4, default: %u)", Join(CHECKLEVEL_DOC, ", "), DEFAULT_CHECKLEVEL), ArgsManager::ALLOW_ANY | ArgsManager::DEBUG_ONLY, OptionsCategory::DEBUG_TEST);
628 argsman.AddArg("-checkblockindex", strprintf("Do a consistency check for the block tree, chainstate, and other validation data structures every <n> operations. Use 0 to disable. (default: %u, regtest: %u)", defaultChainParams->DefaultConsistencyChecks(), regtestChainParams->DefaultConsistencyChecks()), ArgsManager::ALLOW_ANY | ArgsManager::DEBUG_ONLY, OptionsCategory::DEBUG_TEST);
629 argsman.AddArg("-checkaddrman=<n>", strprintf("Run addrman consistency checks every <n> operations. Use 0 to disable. (default: %u)", DEFAULT_ADDRMAN_CONSISTENCY_CHECKS), ArgsManager::ALLOW_ANY | ArgsManager::DEBUG_ONLY, OptionsCategory::DEBUG_TEST);
630 argsman.AddArg("-checkmempool=<n>", strprintf("Run mempool consistency checks every <n> transactions. Use 0 to disable. (default: %u, regtest: %u)", defaultChainParams->DefaultConsistencyChecks(), regtestChainParams->DefaultConsistencyChecks()), ArgsManager::ALLOW_ANY | ArgsManager::DEBUG_ONLY, OptionsCategory::DEBUG_TEST);
631 // Checkpoints were removed. We keep `-checkpoints` as a hidden arg to display a more user friendly error when set.
632 argsman.AddArg("-checkpoints", "", ArgsManager::ALLOW_ANY, OptionsCategory::HIDDEN);
633 argsman.AddArg("-deprecatedrpc=<method>", "Allows deprecated RPC method(s) to be used", ArgsManager::ALLOW_ANY | ArgsManager::DEBUG_ONLY, OptionsCategory::DEBUG_TEST);
634 argsman.AddArg("-stopafterblockimport", strprintf("Stop running after importing blocks from disk (default: %u)", DEFAULT_STOPAFTERBLOCKIMPORT), ArgsManager::ALLOW_ANY | ArgsManager::DEBUG_ONLY, OptionsCategory::DEBUG_TEST);
635 argsman.AddArg("-stopatheight", strprintf("Stop running after reaching the given height in the main chain (default: %u). Blocks after target height may be processed during shutdown.", DEFAULT_STOPATHEIGHT), ArgsManager::ALLOW_ANY | ArgsManager::DEBUG_ONLY, OptionsCategory::DEBUG_TEST);
636 argsman.AddArg("-limitancestorcount=<n>", strprintf("Deprecated setting to not accept transactions if number of in-mempool ancestors is <n> or more (default: %u); replaced by cluster limits (see -limitclustercount) and only used by wallet for coin selection", DEFAULT_ANCESTOR_LIMIT), ArgsManager::ALLOW_ANY | ArgsManager::DEBUG_ONLY, OptionsCategory::DEBUG_TEST);
637 // Ancestor and descendant size limits were removed. We keep
638 // -limitancestorsize/-limitdescendantsize as hidden args to display a more
639 // user friendly error when set.
640 argsman.AddArg("-limitancestorsize", "", ArgsManager::ALLOW_ANY, OptionsCategory::HIDDEN);
641 argsman.AddArg("-limitdescendantsize", "", ArgsManager::ALLOW_ANY, OptionsCategory::HIDDEN);
642 argsman.AddArg("-limitdescendantcount=<n>", strprintf("Deprecated setting to not accept transactions if any ancestor would have <n> or more in-mempool descendants (default: %u); replaced by cluster limits (see -limitclustercount) and only used by wallet for coin selection", DEFAULT_DESCENDANT_LIMIT), ArgsManager::ALLOW_ANY | ArgsManager::DEBUG_ONLY, OptionsCategory::DEBUG_TEST);
643 argsman.AddArg("-test=<option>", "Pass a test-only option. Options include : " + Join(TEST_OPTIONS_DOC, ", ") + ".", ArgsManager::ALLOW_ANY | ArgsManager::DEBUG_ONLY, OptionsCategory::DEBUG_TEST);
644 argsman.AddArg("-limitclustercount=<n>", strprintf("Do not accept transactions into mempool which are directly or indirectly connected to <n> or more other unconfirmed transactions (default: %u, maximum: %u)", DEFAULT_CLUSTER_LIMIT, MAX_CLUSTER_COUNT_LIMIT), ArgsManager::ALLOW_ANY | ArgsManager::DEBUG_ONLY, OptionsCategory::DEBUG_TEST);
645 argsman.AddArg("-limitclustersize=<n>", strprintf("Do not accept transactions whose virtual size with all in-mempool connected transactions exceeds <n> kilobytes (default: %u)", DEFAULT_CLUSTER_SIZE_LIMIT_KVB), ArgsManager::ALLOW_ANY | ArgsManager::DEBUG_ONLY, OptionsCategory::DEBUG_TEST);
646 argsman.AddArg("-capturemessages", "Capture all P2P messages to disk", ArgsManager::ALLOW_ANY | ArgsManager::DEBUG_ONLY, OptionsCategory::DEBUG_TEST);
647 argsman.AddArg("-mocktime=<n>", "Replace actual time with " + UNIX_EPOCH_TIME + " (default: 0)", ArgsManager::ALLOW_ANY | ArgsManager::DEBUG_ONLY, OptionsCategory::DEBUG_TEST);
648 argsman.AddArg("-maxsigcachesize=<n>", strprintf("Limit sum of signature cache and script execution cache sizes to <n> MiB (default: %u)", DEFAULT_VALIDATION_CACHE_BYTES >> 20), ArgsManager::ALLOW_ANY | ArgsManager::DEBUG_ONLY, OptionsCategory::DEBUG_TEST);
649 argsman.AddArg("-maxtipage=<n>",
650 strprintf("Maximum tip age in seconds to consider node in initial block download (default: %u)",
651 Ticks<std::chrono::seconds>(DEFAULT_MAX_TIP_AGE)),
653 argsman.AddArg("-printpriority", strprintf("Log transaction fee rate in %s/kvB when mining blocks (default: %u)", CURRENCY_UNIT, DEFAULT_PRINT_MODIFIED_FEE), ArgsManager::ALLOW_ANY | ArgsManager::DEBUG_ONLY, OptionsCategory::DEBUG_TEST);
654 argsman.AddArg("-uacomment=<cmt>", "Append comment to the user agent string", ArgsManager::ALLOW_ANY, OptionsCategory::DEBUG_TEST);
655
657
658 argsman.AddArg("-acceptnonstdtxn", strprintf("Relay and mine \"non-standard\" transactions (test networks only; default: %u)", DEFAULT_ACCEPT_NON_STD_TXN), ArgsManager::ALLOW_ANY | ArgsManager::DEBUG_ONLY, OptionsCategory::NODE_RELAY);
659 argsman.AddArg("-incrementalrelayfee=<amt>", strprintf("Fee rate (in %s/kvB) used to define cost of relay, used for mempool limiting and replacement policy. (default: %s)", CURRENCY_UNIT, FormatMoney(DEFAULT_INCREMENTAL_RELAY_FEE)), ArgsManager::ALLOW_ANY | ArgsManager::DEBUG_ONLY, OptionsCategory::NODE_RELAY);
660 argsman.AddArg("-dustrelayfee=<amt>", strprintf("Fee rate (in %s/kvB) used to define dust, the value of an output such that it will cost more than its value in fees at this fee rate to spend it. (default: %s)", CURRENCY_UNIT, FormatMoney(DUST_RELAY_TX_FEE)), ArgsManager::ALLOW_ANY | ArgsManager::DEBUG_ONLY, OptionsCategory::NODE_RELAY);
661 argsman.AddArg("-acceptstalefeeestimates", strprintf("Read fee estimates even if they are stale (%sdefault: %u) fee estimates are considered stale if they are %s hours old", "regtest only; ", DEFAULT_ACCEPT_STALE_FEE_ESTIMATES, Ticks<std::chrono::hours>(MAX_FILE_AGE)), ArgsManager::ALLOW_ANY | ArgsManager::DEBUG_ONLY, OptionsCategory::DEBUG_TEST);
662 argsman.AddArg("-bytespersigop", strprintf("Equivalent bytes per sigop in transactions for relay and mining (default: %u)", DEFAULT_BYTES_PER_SIGOP), ArgsManager::ALLOW_ANY, OptionsCategory::NODE_RELAY);
663 argsman.AddArg("-datacarrier", strprintf("Relay and mine data carrier transactions (default: %u)", DEFAULT_ACCEPT_DATACARRIER), ArgsManager::ALLOW_ANY, OptionsCategory::NODE_RELAY);
664 argsman.AddArg("-datacarriersize",
665 strprintf("Relay and mine transactions whose data-carrying raw scriptPubKeys in aggregate "
666 "are of this size or less, allowing multiple outputs (default: %u)",
669 argsman.AddArg("-permitbaremultisig", strprintf("Relay transactions creating non-P2SH multisig outputs (default: %u)", DEFAULT_PERMIT_BAREMULTISIG), ArgsManager::ALLOW_ANY,
671 argsman.AddArg("-minrelaytxfee=<amt>", strprintf("Fees (in %s/kvB) smaller than this are considered zero fee for relaying, mining and transaction creation (default: %s)",
673 argsman.AddArg("-privatebroadcast",
674 strprintf(
675 "Broadcast transactions submitted via sendrawtransaction RPC using short-lived "
676 "connections through the Tor or I2P networks, without putting them in the mempool first. "
677 "Transactions submitted through the wallet are not affected by this option "
678 "(default: %u)",
682 argsman.AddArg("-whitelistforcerelay", strprintf("Add 'forcerelay' permission to whitelisted peers with default permissions. This will relay transactions even if the transactions were already in the mempool. (default: %d)", DEFAULT_WHITELISTFORCERELAY), ArgsManager::ALLOW_ANY, OptionsCategory::NODE_RELAY);
683 argsman.AddArg("-whitelistrelay", strprintf("Add 'relay' permission to whitelisted peers with default permissions. This will accept relayed transactions even when not relaying transactions (default: %d)", DEFAULT_WHITELISTRELAY), ArgsManager::ALLOW_ANY, OptionsCategory::NODE_RELAY);
684
685
686 argsman.AddArg("-blockmaxweight=<n>", strprintf("Set maximum BIP141 block weight (default: %d)", DEFAULT_BLOCK_MAX_WEIGHT), ArgsManager::ALLOW_ANY | ArgsManager::DEBUG_ONLY, OptionsCategory::BLOCK_CREATION);
687 argsman.AddArg("-blockreservedweight=<n>", strprintf("Reserve space for the fixed-size block header plus the largest coinbase transaction the mining software may add to the block. (default: %d).", DEFAULT_BLOCK_RESERVED_WEIGHT), ArgsManager::ALLOW_ANY, OptionsCategory::BLOCK_CREATION);
688 argsman.AddArg("-blockmintxfee=<amt>", strprintf("Set lowest fee rate (in %s/kvB) for transactions to be included in block creation. (default: %s)", CURRENCY_UNIT, FormatMoney(DEFAULT_BLOCK_MIN_TX_FEE)), ArgsManager::ALLOW_ANY, OptionsCategory::BLOCK_CREATION);
689 argsman.AddArg("-blockversion=<n>", "Override block version to test forking scenarios", ArgsManager::ALLOW_ANY | ArgsManager::DEBUG_ONLY, OptionsCategory::BLOCK_CREATION);
690
691 argsman.AddArg("-rest", strprintf("Accept public REST requests (default: %u)", DEFAULT_REST_ENABLE), ArgsManager::ALLOW_ANY, OptionsCategory::RPC);
692 argsman.AddArg("-rpcallowip=<ip>", "Allow JSON-RPC connections from specified source. Valid values for <ip> are a single IP (e.g. 1.2.3.4), a network/netmask (e.g. 1.2.3.4/255.255.255.0), a network/CIDR (e.g. 1.2.3.4/24), all ipv4 (0.0.0.0/0), or all ipv6 (::/0). RFC4193 is allowed only if -cjdnsreachable=0. This option can be specified multiple times", ArgsManager::ALLOW_ANY, OptionsCategory::RPC);
693 argsman.AddArg("-rpcauth=<userpw>", "Username and HMAC-SHA-256 hashed password for JSON-RPC connections. The field <userpw> comes in the format: <USERNAME>:<SALT>$<HASH>. A canonical python script is included in share/rpcauth. The client then connects normally using the rpcuser=<USERNAME>/rpcpassword=<PASSWORD> pair of arguments. This option can be specified multiple times", ArgsManager::ALLOW_ANY | ArgsManager::SENSITIVE, OptionsCategory::RPC);
694 argsman.AddArg("-rpcbind=<addr>[:port]", "Bind to given address to listen for JSON-RPC connections. Do not expose the RPC server to untrusted networks such as the public internet! This option is ignored unless -rpcallowip is also passed. Port is optional and overrides -rpcport. Use [host]:port notation for IPv6. This option can be specified multiple times (default: 127.0.0.1 and ::1 i.e., localhost)", ArgsManager::ALLOW_ANY | ArgsManager::NETWORK_ONLY, OptionsCategory::RPC);
695 argsman.AddArg("-rpcdoccheck", strprintf("Throw a non-fatal error at runtime if the documentation for an RPC is incorrect (default: %u)", DEFAULT_RPC_DOC_CHECK), ArgsManager::ALLOW_ANY | ArgsManager::DEBUG_ONLY, OptionsCategory::RPC);
696 argsman.AddArg("-rpccookiefile=<loc>", "Location of the auth cookie. Relative paths will be prefixed by a net-specific datadir location. (default: data dir)", ArgsManager::ALLOW_ANY, OptionsCategory::RPC);
697 argsman.AddArg("-rpccookieperms=<readable-by>", strprintf("Set permissions on the RPC auth cookie file so that it is readable by [owner|group|all] (default: owner [via umask 0077])"), ArgsManager::ALLOW_ANY, OptionsCategory::RPC);
698 argsman.AddArg("-rpcpassword=<pw>", "Password for JSON-RPC connections", ArgsManager::ALLOW_ANY | ArgsManager::SENSITIVE, OptionsCategory::RPC);
699 argsman.AddArg("-rpcport=<port>", strprintf("Listen for JSON-RPC connections on <port> (default: %u, testnet3: %u, testnet4: %u, signet: %u, regtest: %u)", defaultBaseParams->RPCPort(), testnetBaseParams->RPCPort(), testnet4BaseParams->RPCPort(), signetBaseParams->RPCPort(), regtestBaseParams->RPCPort()), ArgsManager::ALLOW_ANY | ArgsManager::NETWORK_ONLY, OptionsCategory::RPC);
700 argsman.AddArg("-rpcservertimeout=<n>", strprintf("Timeout during HTTP requests (default: %d)", DEFAULT_HTTP_SERVER_TIMEOUT), ArgsManager::ALLOW_ANY | ArgsManager::DEBUG_ONLY, OptionsCategory::RPC);
701 argsman.AddArg("-rpcthreads=<n>", strprintf("Set the number of threads to service RPC calls (default: %d)", DEFAULT_HTTP_THREADS), ArgsManager::ALLOW_ANY, OptionsCategory::RPC);
702 argsman.AddArg("-rpcuser=<user>", "Username for JSON-RPC connections", ArgsManager::ALLOW_ANY | ArgsManager::SENSITIVE, OptionsCategory::RPC);
703 argsman.AddArg("-rpcwhitelist=<whitelist>", "Set a whitelist to filter incoming RPC calls for a specific user. The field <whitelist> comes in the format: <USERNAME>:<rpc 1>,<rpc 2>,...,<rpc n>. If multiple whitelists are set for a given user, they are set-intersected. See -rpcwhitelistdefault documentation for information on default whitelist behavior.", ArgsManager::ALLOW_ANY, OptionsCategory::RPC);
704 argsman.AddArg("-rpcwhitelistdefault", "Sets default behavior for rpc whitelisting. Unless rpcwhitelistdefault is set to 0, if any -rpcwhitelist is set, the rpc server acts as if all rpc users are subject to empty-unless-otherwise-specified whitelists. If rpcwhitelistdefault is set to 1 and no -rpcwhitelist is set, rpc server acts as if all rpc users are subject to empty whitelists.", ArgsManager::ALLOW_ANY, OptionsCategory::RPC);
705 argsman.AddArg("-rpcworkqueue=<n>", strprintf("Set the maximum depth of the work queue to service RPC calls (default: %d)", DEFAULT_HTTP_WORKQUEUE), ArgsManager::ALLOW_ANY | ArgsManager::DEBUG_ONLY, OptionsCategory::RPC);
706 argsman.AddArg("-server", "Accept command line and JSON-RPC commands", ArgsManager::ALLOW_ANY, OptionsCategory::RPC);
707 if (can_listen_ipc) {
708 argsman.AddArg("-ipcbind=<address>", "Bind to Unix socket address and listen for incoming connections. Valid address values are \"unix\" to listen on the default path, <datadir>/node.sock, or \"unix:/custom/path\" to specify a custom path. Can be specified multiple times to listen on multiple paths. Default behavior is not to listen on any path. If relative paths are specified, they are interpreted relative to the network data directory. If paths include any parent directory components and the parent directories do not exist, they will be created.", ArgsManager::ALLOW_ANY, OptionsCategory::IPC);
709 }
710
711#if HAVE_DECL_FORK
712 argsman.AddArg("-daemon", strprintf("Run in the background as a daemon and accept commands (default: %d)", DEFAULT_DAEMON), ArgsManager::ALLOW_ANY, OptionsCategory::OPTIONS);
713 argsman.AddArg("-daemonwait", strprintf("Wait for initialization to be finished before exiting. This implies -daemon (default: %d)", DEFAULT_DAEMONWAIT), ArgsManager::ALLOW_ANY, OptionsCategory::OPTIONS);
714#else
715 hidden_args.emplace_back("-daemon");
716 hidden_args.emplace_back("-daemonwait");
717#endif
718
719 // Add the hidden options
720 argsman.AddHiddenArgs(hidden_args);
721}
722
723#if HAVE_SYSTEM
724static void StartupNotify(const ArgsManager& args)
725{
726 std::string cmd = args.GetArg("-startupnotify", "");
727 if (!cmd.empty()) {
728 std::thread t(runCommand, cmd);
729 t.detach(); // thread runs free
730 }
731}
732#endif
733
735{
736 const ArgsManager& args = *Assert(node.args);
737 if (!InitHTTPServer(*Assert(node.shutdown_signal))) {
738 return false;
739 }
740 StartRPC();
741 node.rpc_interruption_point = RpcInterruptionPoint;
742 if (!StartHTTPRPC(&node))
743 return false;
746 return true;
747}
748
749// Parameter interaction based on rules
751{
752 // when specifying an explicit binding address, you want to listen on it
753 // even when -connect or -proxy is specified
754 if (!args.GetArgs("-bind").empty()) {
755 if (args.SoftSetBoolArg("-listen", true))
756 LogInfo("parameter interaction: -bind set -> setting -listen=1\n");
757 }
758 if (!args.GetArgs("-whitebind").empty()) {
759 if (args.SoftSetBoolArg("-listen", true))
760 LogInfo("parameter interaction: -whitebind set -> setting -listen=1\n");
761 }
762
763 if (!args.GetArgs("-connect").empty() || args.IsArgNegated("-connect") || args.GetIntArg("-maxconnections", DEFAULT_MAX_PEER_CONNECTIONS) <= 0) {
764 // when only connecting to trusted nodes, do not seed via DNS, or listen by default
765 // do the same when connections are disabled
766 if (args.SoftSetBoolArg("-dnsseed", false))
767 LogInfo("parameter interaction: -connect or -maxconnections=0 set -> setting -dnsseed=0\n");
768 if (args.SoftSetBoolArg("-listen", false))
769 LogInfo("parameter interaction: -connect or -maxconnections=0 set -> setting -listen=0\n");
770 }
771
772 std::string proxy_arg = args.GetArg("-proxy", "");
773 if (proxy_arg != "" && proxy_arg != "0") {
774 // to protect privacy, do not listen by default if a default proxy server is specified
775 if (args.SoftSetBoolArg("-listen", false))
776 LogInfo("parameter interaction: -proxy set -> setting -listen=0\n");
777 // to protect privacy, do not map ports when a proxy is set. The user may still specify -listen=1
778 // to listen locally, so don't rely on this happening through -listen below.
779 if (args.SoftSetBoolArg("-natpmp", false)) {
780 LogInfo("parameter interaction: -proxy set -> setting -natpmp=0\n");
781 }
782 // to protect privacy, do not discover addresses by default
783 if (args.SoftSetBoolArg("-discover", false))
784 LogInfo("parameter interaction: -proxy set -> setting -discover=0\n");
785 }
786
787 if (!args.GetBoolArg("-listen", DEFAULT_LISTEN)) {
788 // do not map ports or try to retrieve public IP when not listening (pointless)
789 if (args.SoftSetBoolArg("-natpmp", false)) {
790 LogInfo("parameter interaction: -listen=0 -> setting -natpmp=0\n");
791 }
792 if (args.SoftSetBoolArg("-discover", false))
793 LogInfo("parameter interaction: -listen=0 -> setting -discover=0\n");
794 if (args.SoftSetBoolArg("-listenonion", false))
795 LogInfo("parameter interaction: -listen=0 -> setting -listenonion=0\n");
796 if (args.SoftSetBoolArg("-i2pacceptincoming", false)) {
797 LogInfo("parameter interaction: -listen=0 -> setting -i2pacceptincoming=0\n");
798 }
799 }
800
801 if (!args.GetArgs("-externalip").empty()) {
802 // if an explicit public IP is specified, do not try to find others
803 if (args.SoftSetBoolArg("-discover", false))
804 LogInfo("parameter interaction: -externalip set -> setting -discover=0\n");
805 }
806
807 if (args.GetBoolArg("-blocksonly", DEFAULT_BLOCKSONLY)) {
808 // disable whitelistrelay in blocksonly mode
809 if (args.SoftSetBoolArg("-whitelistrelay", false))
810 LogInfo("parameter interaction: -blocksonly=1 -> setting -whitelistrelay=0\n");
811 // Reduce default mempool size in blocksonly mode to avoid unexpected resource usage
813 LogInfo("parameter interaction: -blocksonly=1 -> setting -maxmempool=%d\n", DEFAULT_BLOCKSONLY_MAX_MEMPOOL_SIZE_MB);
814 }
815
816 // Forcing relay from whitelisted hosts implies we will accept relays from them in the first place.
817 if (args.GetBoolArg("-whitelistforcerelay", DEFAULT_WHITELISTFORCERELAY)) {
818 if (args.SoftSetBoolArg("-whitelistrelay", true))
819 LogInfo("parameter interaction: -whitelistforcerelay=1 -> setting -whitelistrelay=1\n");
820 }
821 const auto onlynets = args.GetArgs("-onlynet");
822 if (!onlynets.empty()) {
823 bool clearnet_reachable = std::any_of(onlynets.begin(), onlynets.end(), [](const auto& net) {
824 const auto n = ParseNetwork(net);
825 return n == NET_IPV4 || n == NET_IPV6;
826 });
827 if (!clearnet_reachable && args.SoftSetBoolArg("-dnsseed", false)) {
828 LogInfo("parameter interaction: -onlynet excludes IPv4 and IPv6 -> setting -dnsseed=0\n");
829 }
830 }
831}
832
840{
843}
844
845namespace { // Variables internal to initialization process only
846
847int nMaxConnections;
848int available_fds;
850int64_t peer_connect_timeout;
851std::set<BlockFilterType> g_enabled_filter_types;
852
853} // namespace
854
855[[noreturn]] static void new_handler_terminate()
856{
857 // Rather than throwing std::bad-alloc if allocation fails, terminate
858 // immediately to (try to) avoid chain corruption.
859 // Since logging may itself allocate memory, set the handler directly
860 // to terminate first.
861 std::set_new_handler(std::terminate);
862 LogError("Out of memory. Terminating.\n");
863
864 // The log was successful, terminate now.
865 std::terminate();
866};
867
868bool AppInitBasicSetup(const ArgsManager& args, std::atomic<int>& exit_status)
869{
870 // ********************************************************* Step 1: setup
871#ifdef _MSC_VER
872 // Turn off Microsoft heap dump noise
873 _CrtSetReportMode(_CRT_WARN, _CRTDBG_MODE_FILE);
874 _CrtSetReportFile(_CRT_WARN, CreateFileA("NUL", GENERIC_WRITE, 0, nullptr, OPEN_EXISTING, 0, 0));
875 // Disable confusing "helpful" text message on abort, Ctrl-C
876 _set_abort_behavior(0, _WRITE_ABORT_MSG | _CALL_REPORTFAULT);
877#endif
878#ifdef WIN32
879 // Enable heap terminate-on-corruption
880 HeapSetInformation(nullptr, HeapEnableTerminationOnCorruption, nullptr, 0);
881#endif
882 if (!SetupNetworking()) {
883 return InitError(Untranslated("Initializing networking failed."));
884 }
885
886#ifndef WIN32
887 // Clean shutdown on SIGTERM
890
891 // Reopen debug.log on SIGHUP
893
894 // Ignore SIGPIPE, otherwise it will bring the daemon down if the client closes unexpectedly
895 signal(SIGPIPE, SIG_IGN);
896#else
897 SetConsoleCtrlHandler(consoleCtrlHandler, true);
898#endif
899
900 std::set_new_handler(new_handler_terminate);
901
902 return true;
903}
904
906{
907 const CChainParams& chainparams = Params();
908 // ********************************************************* Step 2: parameter interactions
909
910 // also see: InitParameterInteraction()
911
912 // We removed checkpoints but keep the option to warn users who still have it in their config.
913 if (args.IsArgSet("-checkpoints")) {
914 InitWarning(_("Option '-checkpoints' is set but checkpoints were removed. This option has no effect."));
915 }
916 if (args.IsArgSet("-limitancestorsize")) {
917 InitWarning(_("Option '-limitancestorsize' is given but ancestor size limits have been replaced with cluster size limits (see -limitclustersize). This option has no effect."));
918 }
919 if (args.IsArgSet("-limitdescendantsize")) {
920 InitWarning(_("Option '-limitdescendantsize' is given but descendant size limits have been replaced with cluster size limits (see -limitclustersize). This option has no effect."));
921 }
922
923 // Error if network-specific options (-addnode, -connect, etc) are
924 // specified in default section of config file, but not overridden
925 // on the command line or in this chain's section of the config file.
926 ChainType chain = args.GetChainType();
927 if (chain == ChainType::SIGNET) {
928 LogInfo("Signet derived magic (message start): %s", HexStr(chainparams.MessageStart()));
929 }
930 bilingual_str errors;
931 for (const auto& arg : args.GetUnsuitableSectionOnlyArgs()) {
932 errors += strprintf(_("Config setting for %s only applied on %s network when in [%s] section."), arg, ChainTypeToString(chain), ChainTypeToString(chain)) + Untranslated("\n");
933 }
934
935 if (!errors.empty()) {
936 return InitError(errors);
937 }
938
939 // Testnet3 deprecation warning
940 if (chain == ChainType::TESTNET) {
941 LogInfo("Warning: Support for testnet3 is deprecated and will be removed in an upcoming release. Consider switching to testnet4.\n");
942 }
943
944 // Warn if unrecognized section name are present in the config file.
945 bilingual_str warnings;
946 for (const auto& section : args.GetUnrecognizedSections()) {
947 warnings += Untranslated(strprintf("%s:%i ", section.m_file, section.m_line)) + strprintf(_("Section [%s] is not recognized."), section.m_name) + Untranslated("\n");
948 }
949
950 if (!warnings.empty()) {
951 InitWarning(warnings);
952 }
953
954 if (!fs::is_directory(args.GetBlocksDirPath())) {
955 return InitError(strprintf(_("Specified blocks directory \"%s\" does not exist."), args.GetArg("-blocksdir", "")));
956 }
957
958 // parse and validate enabled filter types
959 std::string blockfilterindex_value = args.GetArg("-blockfilterindex", DEFAULT_BLOCKFILTERINDEX);
960 if (blockfilterindex_value == "" || blockfilterindex_value == "1") {
961 g_enabled_filter_types = AllBlockFilterTypes();
962 } else if (blockfilterindex_value != "0") {
963 const std::vector<std::string> names = args.GetArgs("-blockfilterindex");
964 for (const auto& name : names) {
965 BlockFilterType filter_type;
966 if (!BlockFilterTypeByName(name, filter_type)) {
967 return InitError(strprintf(_("Unknown -blockfilterindex value %s."), name));
968 }
969 g_enabled_filter_types.insert(filter_type);
970 }
971 }
972
973 // Signal NODE_P2P_V2 if BIP324 v2 transport is enabled.
974 if (args.GetBoolArg("-v2transport", DEFAULT_V2_TRANSPORT)) {
975 g_local_services = ServiceFlags(g_local_services | NODE_P2P_V2);
976 }
977
978 // Signal NODE_COMPACT_FILTERS if peerblockfilters and basic filters index are both enabled.
979 if (args.GetBoolArg("-peerblockfilters", DEFAULT_PEERBLOCKFILTERS)) {
980 if (!g_enabled_filter_types.contains(BlockFilterType::BASIC)) {
981 return InitError(_("Cannot set -peerblockfilters without -blockfilterindex."));
982 }
983
984 g_local_services = ServiceFlags(g_local_services | NODE_COMPACT_FILTERS);
985 }
986
987 if (args.GetIntArg("-prune", 0)) {
988 if (args.GetBoolArg("-txindex", DEFAULT_TXINDEX))
989 return InitError(_("Prune mode is incompatible with -txindex."));
990 if (args.GetBoolArg("-reindex-chainstate", false)) {
991 return InitError(_("Prune mode is incompatible with -reindex-chainstate. Use full -reindex instead."));
992 }
993 }
994
995 // If -forcednsseed is set to true, ensure -dnsseed has not been set to false
996 if (args.GetBoolArg("-forcednsseed", DEFAULT_FORCEDNSSEED) && !args.GetBoolArg("-dnsseed", DEFAULT_DNSSEED)){
997 return InitError(_("Cannot set -forcednsseed to true when setting -dnsseed to false."));
998 }
999
1000 // -bind and -whitebind can't be set when not listening
1001 size_t nUserBind = args.GetArgs("-bind").size() + args.GetArgs("-whitebind").size();
1002 if (nUserBind != 0 && !args.GetBoolArg("-listen", DEFAULT_LISTEN)) {
1003 return InitError(Untranslated("Cannot set -bind or -whitebind together with -listen=0"));
1004 }
1005
1006 // if listen=0, then disallow listenonion=1
1007 if (!args.GetBoolArg("-listen", DEFAULT_LISTEN) && args.GetBoolArg("-listenonion", DEFAULT_LISTEN_ONION)) {
1008 return InitError(Untranslated("Cannot set -listen=0 together with -listenonion=1"));
1009 }
1010
1011 // Make sure enough file descriptors are available. We need to reserve enough FDs to account for the bare minimum,
1012 // plus all manual connections and all bound interfaces. Any remainder will be available for connection sockets
1013
1014 // Number of bound interfaces (we have at least one)
1015 int nBind = std::max(nUserBind, size_t(1));
1016 // Maximum number of connections with other nodes, this accounts for all types of outbounds and inbounds except for manual
1017 int user_max_connection = args.GetIntArg("-maxconnections", DEFAULT_MAX_PEER_CONNECTIONS);
1018 if (user_max_connection < 0) {
1019 return InitError(Untranslated("-maxconnections must be greater or equal than zero"));
1020 }
1021 const size_t max_private{args.GetBoolArg("-privatebroadcast", DEFAULT_PRIVATE_BROADCAST)
1023 : 0};
1024 // Reserve enough FDs to account for the bare minimum, plus any manual connections, plus the bound interfaces
1025 int min_required_fds = MIN_CORE_FDS + MAX_ADDNODE_CONNECTIONS + nBind;
1026
1027 // Try raising the FD limit to what we need (available_fds may be smaller than the requested amount if this fails)
1028 available_fds = RaiseFileDescriptorLimit(user_max_connection + max_private + min_required_fds);
1029 // If we are using select instead of poll, our actual limit may be even smaller
1030#ifndef USE_POLL
1031 available_fds = std::min(FD_SETSIZE, available_fds);
1032#endif
1033 if (available_fds < min_required_fds)
1034 return InitError(strprintf(_("Not enough file descriptors available. %d available, %d required."), available_fds, min_required_fds));
1035
1036 // Trim requested connection counts, to fit into system limitations
1037 nMaxConnections = std::min(available_fds - min_required_fds, user_max_connection);
1038
1039 if (nMaxConnections < user_max_connection)
1040 InitWarning(strprintf(_("Reducing -maxconnections from %d to %d, because of system limitations."), user_max_connection, nMaxConnections));
1041
1042 // ********************************************************* Step 3: parameter-to-internal-flags
1043 if (auto result{init::SetLoggingCategories(args)}; !result) return InitError(util::ErrorString(result));
1044 if (auto result{init::SetLoggingLevel(args)}; !result) return InitError(util::ErrorString(result));
1045
1047 if (nConnectTimeout <= 0) {
1049 }
1050
1051 peer_connect_timeout = args.GetIntArg("-peertimeout", DEFAULT_PEER_CONNECT_TIMEOUT);
1052 if (peer_connect_timeout <= 0) {
1053 return InitError(Untranslated("peertimeout must be a positive integer."));
1054 }
1055
1056 if (const auto arg{args.GetArg("-blockmintxfee")}) {
1057 if (!ParseMoney(*arg)) {
1058 return InitError(AmountErrMsg("blockmintxfee", *arg));
1059 }
1060 }
1061
1062 {
1063 const auto max_block_weight = args.GetIntArg("-blockmaxweight", DEFAULT_BLOCK_MAX_WEIGHT);
1064 if (max_block_weight > MAX_BLOCK_WEIGHT) {
1065 return InitError(strprintf(_("Specified -blockmaxweight (%d) exceeds consensus maximum block weight (%d)"), max_block_weight, MAX_BLOCK_WEIGHT));
1066 }
1067 }
1068
1069 {
1070 const auto block_reserved_weight = args.GetIntArg("-blockreservedweight", DEFAULT_BLOCK_RESERVED_WEIGHT);
1071 if (block_reserved_weight > MAX_BLOCK_WEIGHT) {
1072 return InitError(strprintf(_("Specified -blockreservedweight (%d) exceeds consensus maximum block weight (%d)"), block_reserved_weight, MAX_BLOCK_WEIGHT));
1073 }
1074 if (block_reserved_weight < MINIMUM_BLOCK_RESERVED_WEIGHT) {
1075 return InitError(strprintf(_("Specified -blockreservedweight (%d) is lower than minimum safety value of (%d)"), block_reserved_weight, MINIMUM_BLOCK_RESERVED_WEIGHT));
1076 }
1077 }
1078
1079 nBytesPerSigOp = args.GetIntArg("-bytespersigop", nBytesPerSigOp);
1080
1081 if (!g_wallet_init_interface.ParameterInteraction()) return false;
1082
1083 // Option to startup with mocktime set (used for regression testing):
1084 if (const auto mocktime{args.GetIntArg("-mocktime")}) {
1085 SetMockTime(std::chrono::seconds{*mocktime});
1086 }
1087
1088 if (args.GetBoolArg("-peerbloomfilters", DEFAULT_PEERBLOOMFILTERS))
1089 g_local_services = ServiceFlags(g_local_services | NODE_BLOOM);
1090
1091 const std::vector<std::string> test_options = args.GetArgs("-test");
1092 if (!test_options.empty()) {
1093 if (chainparams.GetChainType() != ChainType::REGTEST) {
1094 return InitError(Untranslated("-test=<option> can only be used with regtest"));
1095 }
1096 for (const std::string& option : test_options) {
1097 auto it = std::find_if(TEST_OPTIONS_DOC.begin(), TEST_OPTIONS_DOC.end(), [&option](const std::string& doc_option) {
1098 size_t pos = doc_option.find(" (");
1099 return (pos != std::string::npos) && (doc_option.substr(0, pos) == option);
1100 });
1101 if (it == TEST_OPTIONS_DOC.end()) {
1102 InitWarning(strprintf(_("Unrecognised option \"%s\" provided in -test=<option>."), option));
1103 }
1104 }
1105 }
1106
1107 // Also report errors from parsing before daemonization
1108 {
1109 kernel::Notifications notifications{};
1110 ChainstateManager::Options chainman_opts_dummy{
1111 .chainparams = chainparams,
1112 .datadir = args.GetDataDirNet(),
1113 .notifications = notifications,
1114 };
1115 auto chainman_result{ApplyArgsManOptions(args, chainman_opts_dummy)};
1116 if (!chainman_result) {
1117 return InitError(util::ErrorString(chainman_result));
1118 }
1119 BlockManager::Options blockman_opts_dummy{
1120 .chainparams = chainman_opts_dummy.chainparams,
1121 .blocks_dir = args.GetBlocksDirPath(),
1122 .notifications = chainman_opts_dummy.notifications,
1123 .block_tree_db_params = DBParams{
1124 .path = args.GetDataDirNet() / "blocks" / "index",
1125 .cache_bytes = 0,
1126 },
1127 };
1128 auto blockman_result{ApplyArgsManOptions(args, blockman_opts_dummy)};
1129 if (!blockman_result) {
1130 return InitError(util::ErrorString(blockman_result));
1131 }
1132 CTxMemPool::Options mempool_opts{};
1133 auto mempool_result{ApplyArgsManOptions(args, chainparams, mempool_opts)};
1134 if (!mempool_result) {
1135 return InitError(util::ErrorString(mempool_result));
1136 }
1137 }
1138
1139 return true;
1140}
1141
1142static bool LockDirectory(const fs::path& dir, bool probeOnly)
1143{
1144 // Make sure only a single process is using the directory.
1145 switch (util::LockDirectory(dir, ".lock", probeOnly)) {
1147 return InitError(strprintf(_("Cannot write to directory '%s'; check permissions."), fs::PathToString(dir)));
1149 return InitError(strprintf(_("Cannot obtain a lock on directory %s. %s is probably already running."), fs::PathToString(dir), CLIENT_NAME));
1150 case util::LockResult::Success: return true;
1151 } // no default case, so the compiler can warn about missing cases
1152 assert(false);
1153}
1154static bool LockDirectories(bool probeOnly)
1155{
1156 return LockDirectory(gArgs.GetDataDirNet(), probeOnly) && \
1157 LockDirectory(gArgs.GetBlocksDirPath(), probeOnly);
1158}
1159
1161{
1162 // ********************************************************* Step 4: sanity checks
1163 auto result{kernel::SanityChecks(kernel)};
1164 if (!result) {
1166 return InitError(strprintf(_("Initialization sanity check failed. %s is shutting down."), CLIENT_NAME));
1167 }
1168
1169 if (!ECC_InitSanityCheck()) {
1170 return InitError(strprintf(_("Elliptic curve cryptography sanity check failure. %s is shutting down."), CLIENT_NAME));
1171 }
1172
1173 // Probe the directory locks to give an early error message, if possible
1174 // We cannot hold the directory locks here, as the forking for daemon() hasn't yet happened,
1175 // and a fork will cause weird behavior to them.
1176 return LockDirectories(true);
1177}
1178
1180{
1181 // After daemonization get the directory locks again and hold on to them until exit
1182 // This creates a slight window for a race condition to happen, however this condition is harmless: it
1183 // will at most make us exit without printing a message to console.
1184 if (!LockDirectories(false)) {
1185 // Detailed error printed inside LockDirectory
1186 return false;
1187 }
1188 return true;
1189}
1190
1192{
1193 node.chain = node.init->makeChain();
1194 node.mining = node.init->makeMining();
1195 return true;
1196}
1197
1199 for (const std::string port_option : {
1200 "-port",
1201 "-rpcport",
1202 }) {
1203 if (const auto port{args.GetArg(port_option)}) {
1204 const auto n{ToIntegral<uint16_t>(*port)};
1205 if (!n || *n == 0) {
1206 return InitError(InvalidPortErrMsg(port_option, *port));
1207 }
1208 }
1209 }
1210
1211 for ([[maybe_unused]] const auto& [param_name, unix, suffix_allowed] : std::vector<std::tuple<std::string, bool, bool>>{
1212 // arg name UNIX socket support =suffix allowed
1213 {"-i2psam", false, false},
1214 {"-onion", true, false},
1215 {"-proxy", true, true},
1216 {"-bind", false, true},
1217 {"-rpcbind", false, false},
1218 {"-torcontrol", false, false},
1219 {"-whitebind", false, false},
1220 {"-zmqpubhashblock", true, false},
1221 {"-zmqpubhashtx", true, false},
1222 {"-zmqpubrawblock", true, false},
1223 {"-zmqpubrawtx", true, false},
1224 {"-zmqpubsequence", true, false},
1225 }) {
1226 for (const std::string& param_value : args.GetArgs(param_name)) {
1227 const std::string param_value_hostport{
1228 suffix_allowed ? param_value.substr(0, param_value.rfind('=')) : param_value};
1229 std::string host_out;
1230 uint16_t port_out{0};
1231 if (!SplitHostPort(param_value_hostport, port_out, host_out)) {
1232#ifdef HAVE_SOCKADDR_UN
1233 // Allow unix domain sockets for some options e.g. unix:/some/file/path
1234 if (!unix || !param_value.starts_with(ADDR_PREFIX_UNIX)) {
1235 return InitError(InvalidPortErrMsg(param_name, param_value));
1236 }
1237#else
1238 return InitError(InvalidPortErrMsg(param_name, param_value));
1239#endif
1240 }
1241 }
1242 }
1243
1244 return true;
1245}
1246
1253static std::optional<CService> CheckBindingConflicts(const CConnman::Options& conn_options)
1254{
1255 std::set<CService> seen;
1256
1257 // Check all whitelisted bindings
1258 for (const auto& wb : conn_options.vWhiteBinds) {
1259 if (!seen.insert(wb.m_service).second) {
1260 return wb.m_service;
1261 }
1262 }
1263
1264 // Check regular bindings
1265 for (const auto& bind : conn_options.vBinds) {
1266 if (!seen.insert(bind).second) {
1267 return bind;
1268 }
1269 }
1270
1271 // Check onion bindings
1272 for (const auto& onion_bind : conn_options.onion_binds) {
1273 if (!seen.insert(onion_bind).second) {
1274 return onion_bind;
1275 }
1276 }
1277
1278 return std::nullopt;
1279}
1280
1281// A GUI user may opt to retry once with do_reindex set if there is a failure during chainstate initialization.
1282// The function therefore has to support re-entry.
1285 bool do_reindex,
1286 const bool do_reindex_chainstate,
1287 const kernel::CacheSizes& cache_sizes,
1288 const ArgsManager& args)
1289{
1290 // This function may be called twice, so any dirty state must be reset.
1291 node.notifications.reset(); // Drop state, such as a cached tip block
1292 node.mempool.reset();
1293 node.chainman.reset(); // Drop state, such as an initialized m_block_tree_db
1294
1295 const CChainParams& chainparams = Params();
1296
1297 Assert(!node.notifications); // Was reset above
1298 node.notifications = std::make_unique<KernelNotifications>(Assert(node.shutdown_request), node.exit_status, *Assert(node.warnings));
1299 ReadNotificationArgs(args, *node.notifications);
1300
1301 CTxMemPool::Options mempool_opts{
1302 .check_ratio = chainparams.DefaultConsistencyChecks() ? 1 : 0,
1303 .signals = node.validation_signals.get(),
1304 };
1305 Assert(ApplyArgsManOptions(args, chainparams, mempool_opts)); // no error can happen, already checked in AppInitParameterInteraction
1306 bilingual_str mempool_error;
1307 Assert(!node.mempool); // Was reset above
1308 node.mempool = std::make_unique<CTxMemPool>(mempool_opts, mempool_error);
1309 if (!mempool_error.empty()) {
1310 return {ChainstateLoadStatus::FAILURE_FATAL, mempool_error};
1311 }
1312 LogInfo("* Using %.1f MiB for in-memory UTXO set (plus up to %.1f MiB of unused mempool space)",
1313 cache_sizes.coins * (1.0 / 1024 / 1024),
1314 mempool_opts.max_size_bytes * (1.0 / 1024 / 1024));
1315 ChainstateManager::Options chainman_opts{
1316 .chainparams = chainparams,
1317 .datadir = args.GetDataDirNet(),
1318 .notifications = *node.notifications,
1319 .signals = node.validation_signals.get(),
1320 };
1321 Assert(ApplyArgsManOptions(args, chainman_opts)); // no error can happen, already checked in AppInitParameterInteraction
1322
1323 BlockManager::Options blockman_opts{
1324 .chainparams = chainman_opts.chainparams,
1325 .blocks_dir = args.GetBlocksDirPath(),
1326 .notifications = chainman_opts.notifications,
1327 .block_tree_db_params = DBParams{
1328 .path = args.GetDataDirNet() / "blocks" / "index",
1329 .cache_bytes = cache_sizes.block_tree_db,
1330 .wipe_data = do_reindex,
1331 },
1332 };
1333 Assert(ApplyArgsManOptions(args, blockman_opts)); // no error can happen, already checked in AppInitParameterInteraction
1334
1335 // Creating the chainstate manager internally creates a BlockManager, opens
1336 // the blocks tree db, and wipes existing block files in case of a reindex.
1337 // The coinsdb is opened at a later point on LoadChainstate.
1338 Assert(!node.chainman); // Was reset above
1339 try {
1340 node.chainman = std::make_unique<ChainstateManager>(*Assert(node.shutdown_signal), chainman_opts, blockman_opts);
1341 } catch (dbwrapper_error& e) {
1342 LogError("%s", e.what());
1343 return {ChainstateLoadStatus::FAILURE, _("Error opening block database")};
1344 } catch (std::exception& e) {
1345 return {ChainstateLoadStatus::FAILURE_FATAL, Untranslated(strprintf("Failed to initialize ChainstateManager: %s", e.what()))};
1346 }
1347 ChainstateManager& chainman = *node.chainman;
1348 if (chainman.m_interrupt) return {ChainstateLoadStatus::INTERRUPTED, {}};
1349
1350 // This is defined and set here instead of inline in validation.h to avoid a hard
1351 // dependency between validation and index/base, since the latter is not in
1352 // libbitcoinkernel.
1353 chainman.snapshot_download_completed = [&node]() {
1354 if (!node.chainman->m_blockman.IsPruneMode()) {
1355 LogInfo("[snapshot] re-enabling NODE_NETWORK services");
1356 node.connman->AddLocalServices(NODE_NETWORK);
1357 }
1358 LogInfo("[snapshot] restarting indexes");
1359 // Drain the validation interface queue to ensure that the old indexes
1360 // don't have any pending work.
1361 Assert(node.validation_signals)->SyncWithValidationInterfaceQueue();
1362 for (auto* index : node.indexes) {
1363 index->Interrupt();
1364 index->Stop();
1365 if (!(index->Init() && index->StartBackgroundSync())) {
1366 LogWarning("[snapshot] Failed to restart index %s on snapshot chain", index->GetName());
1367 }
1368 }
1369 };
1371 options.mempool = Assert(node.mempool.get());
1372 options.wipe_chainstate_db = do_reindex || do_reindex_chainstate;
1373 options.prune = chainman.m_blockman.IsPruneMode();
1374 options.check_blocks = args.GetIntArg("-checkblocks", DEFAULT_CHECKBLOCKS);
1375 options.check_level = args.GetIntArg("-checklevel", DEFAULT_CHECKLEVEL);
1376 options.require_full_verification = args.IsArgSet("-checkblocks") || args.IsArgSet("-checklevel");
1377 options.coins_error_cb = [] {
1378 uiInterface.ThreadSafeMessageBox(
1379 _("Error reading from database, shutting down."),
1381 };
1382 uiInterface.InitMessage(_("Loading block index…"));
1383 auto catch_exceptions = [](auto&& f) -> ChainstateLoadResult {
1384 try {
1385 return f();
1386 } catch (const std::exception& e) {
1387 LogError("%s\n", e.what());
1388 return std::make_tuple(node::ChainstateLoadStatus::FAILURE, _("Error loading databases"));
1389 }
1390 };
1391 auto [status, error] = catch_exceptions([&] { return LoadChainstate(chainman, cache_sizes, options); });
1393 uiInterface.InitMessage(_("Verifying blocks…"));
1394 if (chainman.m_blockman.m_have_pruned && options.check_blocks > MIN_BLOCKS_TO_KEEP) {
1395 LogWarning("pruned datadir may not have more than %d blocks; only checking available blocks\n",
1397 }
1398 std::tie(status, error) = catch_exceptions([&] { return VerifyLoadedChainstate(chainman, options); });
1400 LogInfo("Block index and chainstate loaded");
1401 }
1402 }
1403 return {status, error};
1404};
1405
1407{
1408 const ArgsManager& args = *Assert(node.args);
1409 const CChainParams& chainparams = Params();
1410
1411 auto opt_max_upload = ParseByteUnits(args.GetArg("-maxuploadtarget", DEFAULT_MAX_UPLOAD_TARGET), ByteUnit::M);
1412 if (!opt_max_upload) {
1413 return InitError(strprintf(_("Unable to parse -maxuploadtarget: '%s'"), args.GetArg("-maxuploadtarget", "")));
1414 }
1415
1416 // ********************************************************* Step 4a: application initialization
1417 if (!CreatePidFile(args)) {
1418 // Detailed error printed inside CreatePidFile().
1419 return false;
1420 }
1421 if (!init::StartLogging(args)) {
1422 // Detailed error printed inside StartLogging().
1423 return false;
1424 }
1425
1426 LogInfo("Using at most %i automatic connections (%i file descriptors available)", nMaxConnections, available_fds);
1427
1428 // Warn about relative -datadir path.
1429 if (args.IsArgSet("-datadir") && !args.GetPathArg("-datadir").is_absolute()) {
1430 LogWarning("Relative datadir option '%s' specified, which will be interpreted relative to the "
1431 "current working directory '%s'. This is fragile, because if bitcoin is started in the future "
1432 "from a different location, it will be unable to locate the current data files. There could "
1433 "also be data loss if bitcoin is started while in a temporary directory.",
1434 args.GetArg("-datadir", ""), fs::PathToString(fs::current_path()));
1435 }
1436
1437 assert(!node.scheduler);
1438 node.scheduler = std::make_unique<CScheduler>();
1439 auto& scheduler = *node.scheduler;
1440
1441 // Start the lightweight task scheduler thread
1442 scheduler.m_service_thread = std::thread(util::TraceThread, "scheduler", [&] { scheduler.serviceQueue(); });
1443
1444 // Gather some entropy once per minute.
1445 scheduler.scheduleEvery([]{
1447 }, std::chrono::minutes{1});
1448
1449 // Check disk space every 5 minutes to avoid db corruption.
1450 scheduler.scheduleEvery([&args, &node]{
1451 constexpr uint64_t min_disk_space = 50 << 20; // 50 MB
1452 if (!CheckDiskSpace(args.GetBlocksDirPath(), min_disk_space)) {
1453 LogError("Shutting down due to lack of disk space!\n");
1454 if (!(Assert(node.shutdown_request))()) {
1455 LogError("Failed to send shutdown signal after disk space check\n");
1456 }
1457 }
1458 }, std::chrono::minutes{5});
1459
1460 if (args.GetBoolArg("-logratelimit", BCLog::DEFAULT_LOGRATELIMIT)) {
1462 [&scheduler](auto func, auto window) { scheduler.scheduleEvery(std::move(func), window); },
1465 } else {
1466 LogInfo("Log rate limiting disabled");
1467 }
1468
1469 assert(!node.validation_signals);
1470 node.validation_signals = std::make_unique<ValidationSignals>(std::make_unique<SerialTaskRunner>(scheduler));
1471 auto& validation_signals = *node.validation_signals;
1472
1473 // Create client interfaces for wallets that are supposed to be loaded
1474 // according to -wallet and -disablewallet options. This only constructs
1475 // the interfaces, it doesn't load wallet data. Wallets actually get loaded
1476 // when load() and start() interface methods are called below.
1478 uiInterface.InitWallet();
1479
1480 if (interfaces::Ipc* ipc = node.init->ipc()) {
1481 for (std::string address : gArgs.GetArgs("-ipcbind")) {
1482 try {
1483 ipc->listenAddress(address);
1484 } catch (const std::exception& e) {
1485 return InitError(Untranslated(strprintf("Unable to bind to IPC address '%s'. %s", address, e.what())));
1486 }
1487 LogInfo("Listening for IPC requests on address %s", address);
1488 }
1489 }
1490
1491 /* Register RPC commands regardless of -server setting so they will be
1492 * available in the GUI RPC console even if external calls are disabled.
1493 */
1495 for (const auto& client : node.chain_clients) {
1496 client->registerRpcs();
1497 }
1498#ifdef ENABLE_ZMQ
1500#endif
1501
1502 // Check port numbers
1503 if (!CheckHostPortOptions(args)) return false;
1504
1505 // Configure reachable networks before we start the RPC server.
1506 // This is necessary for -rpcallowip to distinguish CJDNS from other RFC4193
1507 const auto onlynets = args.GetArgs("-onlynet");
1508 if (!onlynets.empty()) {
1510 for (const std::string& snet : onlynets) {
1511 enum Network net = ParseNetwork(snet);
1512 if (net == NET_UNROUTABLE)
1513 return InitError(strprintf(_("Unknown network specified in -onlynet: '%s'"), snet));
1514 g_reachable_nets.Add(net);
1515 }
1516 }
1517
1518 if (!args.IsArgSet("-cjdnsreachable")) {
1519 if (!onlynets.empty() && g_reachable_nets.Contains(NET_CJDNS)) {
1520 return InitError(
1521 _("Outbound connections restricted to CJDNS (-onlynet=cjdns) but "
1522 "-cjdnsreachable is not provided"));
1523 }
1525 }
1526 // Now g_reachable_nets.Contains(NET_CJDNS) is true if:
1527 // 1. -cjdnsreachable is given and
1528 // 2.1. -onlynet is not given or
1529 // 2.2. -onlynet=cjdns is given
1530
1531 /* Start the RPC server already. It will be started in "warmup" mode
1532 * and not really process calls already (but it will signify connections
1533 * that the server is there and will be ready later). Warmup mode will
1534 * be disabled when initialisation is finished.
1535 */
1536 if (args.GetBoolArg("-server", false)) {
1537 uiInterface.InitMessage_connect(SetRPCWarmupStatus);
1538 if (!AppInitServers(node))
1539 return InitError(_("Unable to start HTTP server. See debug log for details."));
1540 }
1541
1542 // ********************************************************* Step 5: verify wallet database integrity
1543 for (const auto& client : node.chain_clients) {
1544 if (!client->verify()) {
1545 return false;
1546 }
1547 }
1548
1549 // ********************************************************* Step 6: network initialization
1550 // Note that we absolutely cannot open any actual connections
1551 // until the very end ("start node") as the UTXO/block state
1552 // is not yet setup and may end up being set up twice if we
1553 // need to reindex later.
1554
1555 fListen = args.GetBoolArg("-listen", DEFAULT_LISTEN);
1556 fDiscover = args.GetBoolArg("-discover", true);
1557
1558 PeerManager::Options peerman_opts{};
1559 ApplyArgsManOptions(args, peerman_opts);
1560
1561 {
1562
1563 // Read asmap file if configured
1564 std::vector<bool> asmap;
1565 if (args.IsArgSet("-asmap") && !args.IsArgNegated("-asmap")) {
1566 fs::path asmap_path = args.GetPathArg("-asmap");
1567 if (asmap_path.empty()) {
1568 InitError(_("-asmap requires a file path. Use -asmap=<file>."));
1569 return false;
1570 }
1571 if (!asmap_path.is_absolute()) {
1572 asmap_path = args.GetDataDirNet() / asmap_path;
1573 }
1574 if (!fs::exists(asmap_path)) {
1575 InitError(strprintf(_("Could not find asmap file %s"), fs::quoted(fs::PathToString(asmap_path))));
1576 return false;
1577 }
1578 asmap = DecodeAsmap(asmap_path);
1579 if (asmap.size() == 0) {
1580 InitError(strprintf(_("Could not parse asmap file %s"), fs::quoted(fs::PathToString(asmap_path))));
1581 return false;
1582 }
1583 const uint256 asmap_version = (HashWriter{} << asmap).GetHash();
1584 LogInfo("Using asmap version %s for IP bucketing", asmap_version.ToString());
1585 } else {
1586 LogInfo("Using /16 prefix for IP bucketing");
1587 }
1588
1589 // Initialize netgroup manager
1590 assert(!node.netgroupman);
1591 node.netgroupman = std::make_unique<NetGroupManager>(std::move(asmap));
1592
1593 // Initialize addrman
1594 assert(!node.addrman);
1595 uiInterface.InitMessage(_("Loading P2P addresses…"));
1596 auto addrman{LoadAddrman(*node.netgroupman, args)};
1597 if (!addrman) return InitError(util::ErrorString(addrman));
1598 node.addrman = std::move(*addrman);
1599 }
1600
1602 assert(!node.banman);
1603 node.banman = std::make_unique<BanMan>(args.GetDataDirNet() / "banlist", &uiInterface, args.GetIntArg("-bantime", DEFAULT_MISBEHAVING_BANTIME));
1604 assert(!node.connman);
1605 node.connman = std::make_unique<CConnman>(rng.rand64(),
1606 rng.rand64(),
1607 *node.addrman, *node.netgroupman, chainparams, args.GetBoolArg("-networkactive", true));
1608
1609 assert(!node.fee_estimator);
1610 // Don't initialize fee estimation with old data if we don't relay transactions,
1611 // as they would never get updated.
1612 if (!peerman_opts.ignore_incoming_txs) {
1613 bool read_stale_estimates = args.GetBoolArg("-acceptstalefeeestimates", DEFAULT_ACCEPT_STALE_FEE_ESTIMATES);
1614 if (read_stale_estimates && (chainparams.GetChainType() != ChainType::REGTEST)) {
1615 return InitError(strprintf(_("acceptstalefeeestimates is not supported on %s chain."), chainparams.GetChainTypeString()));
1616 }
1617 node.fee_estimator = std::make_unique<CBlockPolicyEstimator>(FeeestPath(args), read_stale_estimates);
1618
1619 // Flush estimates to disk periodically
1620 CBlockPolicyEstimator* fee_estimator = node.fee_estimator.get();
1621 scheduler.scheduleEvery([fee_estimator] { fee_estimator->FlushFeeEstimates(); }, FEE_FLUSH_INTERVAL);
1622 validation_signals.RegisterValidationInterface(fee_estimator);
1623 }
1624
1625 for (const std::string& socket_addr : args.GetArgs("-bind")) {
1626 std::string host_out;
1627 uint16_t port_out{0};
1628 std::string bind_socket_addr = socket_addr.substr(0, socket_addr.rfind('='));
1629 if (!SplitHostPort(bind_socket_addr, port_out, host_out)) {
1630 return InitError(InvalidPortErrMsg("-bind", socket_addr));
1631 }
1632 }
1633
1634 // sanitize comments per BIP-0014, format user agent and check total size
1635 std::vector<std::string> uacomments;
1636 for (const std::string& cmt : args.GetArgs("-uacomment")) {
1637 if (cmt != SanitizeString(cmt, SAFE_CHARS_UA_COMMENT))
1638 return InitError(strprintf(_("User Agent comment (%s) contains unsafe characters."), cmt));
1639 uacomments.push_back(cmt);
1640 }
1642 if (strSubVersion.size() > MAX_SUBVERSION_LENGTH) {
1643 return InitError(strprintf(_("Total length of network version string (%i) exceeds maximum length (%i). Reduce the number or size of uacomments."),
1645 }
1646
1647 // Requesting DNS seeds entails connecting to IPv4/IPv6, which -onlynet options may prohibit:
1648 // If -dnsseed=1 is explicitly specified, abort. If it's left unspecified by the user, we skip
1649 // the DNS seeds by adjusting -dnsseed in InitParameterInteraction.
1651 return InitError(strprintf(_("Incompatible options: -dnsseed=1 was explicitly specified, but -onlynet forbids connections to IPv4/IPv6")));
1652 };
1653
1654 // Check for host lookup allowed before parsing any network related parameters
1656
1657 bool proxyRandomize = args.GetBoolArg("-proxyrandomize", DEFAULT_PROXYRANDOMIZE);
1658 // -proxy sets a proxy for outgoing network traffic, possibly per network.
1659 // -noproxy, -proxy=0 or -proxy="" can be used to remove the proxy setting, this is the default
1660 Proxy ipv4_proxy;
1661 Proxy ipv6_proxy;
1662 Proxy onion_proxy;
1663 Proxy name_proxy;
1664 Proxy cjdns_proxy;
1665 for (const std::string& param_value : args.GetArgs("-proxy")) {
1666 const auto eq_pos{param_value.rfind('=')};
1667 const std::string proxy_str{param_value.substr(0, eq_pos)}; // e.g. 127.0.0.1:9050=ipv4 -> 127.0.0.1:9050
1668 std::string net_str;
1669 if (eq_pos != std::string::npos) {
1670 if (eq_pos + 1 == param_value.length()) {
1671 return InitError(strprintf(_("Invalid -proxy address or hostname, ends with '=': '%s'"), param_value));
1672 }
1673 net_str = ToLower(param_value.substr(eq_pos + 1)); // e.g. 127.0.0.1:9050=ipv4 -> ipv4
1674 }
1675
1676 Proxy proxy;
1677 if (!proxy_str.empty() && proxy_str != "0") {
1678 if (IsUnixSocketPath(proxy_str)) {
1679 proxy = Proxy{proxy_str, /*tor_stream_isolation=*/proxyRandomize};
1680 } else {
1681 const std::optional<CService> addr{Lookup(proxy_str, DEFAULT_TOR_SOCKS_PORT, fNameLookup)};
1682 if (!addr.has_value()) {
1683 return InitError(strprintf(_("Invalid -proxy address or hostname: '%s'"), proxy_str));
1684 }
1685 proxy = Proxy{addr.value(), /*tor_stream_isolation=*/proxyRandomize};
1686 }
1687 if (!proxy.IsValid()) {
1688 return InitError(strprintf(_("Invalid -proxy address or hostname: '%s'"), proxy_str));
1689 }
1690 }
1691
1692 if (net_str.empty()) { // For all networks.
1693 ipv4_proxy = ipv6_proxy = name_proxy = cjdns_proxy = onion_proxy = proxy;
1694 } else if (net_str == "ipv4") {
1695 ipv4_proxy = name_proxy = proxy;
1696 } else if (net_str == "ipv6") {
1697 ipv6_proxy = name_proxy = proxy;
1698 } else if (net_str == "onion") {
1699 onion_proxy = proxy;
1700 } else if (net_str == "cjdns") {
1701 cjdns_proxy = proxy;
1702 } else {
1703 return InitError(strprintf(_("Unrecognized network in -proxy='%s': '%s'"), param_value, net_str));
1704 }
1705 }
1706 if (ipv4_proxy.IsValid()) {
1707 SetProxy(NET_IPV4, ipv4_proxy);
1708 }
1709 if (ipv6_proxy.IsValid()) {
1710 SetProxy(NET_IPV6, ipv6_proxy);
1711 }
1712 if (name_proxy.IsValid()) {
1713 SetNameProxy(name_proxy);
1714 }
1715 if (cjdns_proxy.IsValid()) {
1716 SetProxy(NET_CJDNS, cjdns_proxy);
1717 }
1718
1719 const bool onlynet_used_with_onion{!onlynets.empty() && g_reachable_nets.Contains(NET_ONION)};
1720
1721 // -onion can be used to set only a proxy for .onion, or override normal proxy for .onion addresses
1722 // -noonion (or -onion=0) disables connecting to .onion entirely
1723 // An empty string is used to not override the onion proxy (in which case it defaults to -proxy set above, or none)
1724 std::string onionArg = args.GetArg("-onion", "");
1725 if (onionArg != "") {
1726 if (onionArg == "0") { // Handle -noonion/-onion=0
1727 onion_proxy = Proxy{};
1728 if (onlynet_used_with_onion) {
1729 return InitError(
1730 _("Outbound connections restricted to Tor (-onlynet=onion) but the proxy for "
1731 "reaching the Tor network is explicitly forbidden: -onion=0"));
1732 }
1733 } else {
1734 if (IsUnixSocketPath(onionArg)) {
1735 onion_proxy = Proxy(onionArg, /*tor_stream_isolation=*/proxyRandomize);
1736 } else {
1737 const std::optional<CService> addr{Lookup(onionArg, DEFAULT_TOR_SOCKS_PORT, fNameLookup)};
1738 if (!addr.has_value() || !addr->IsValid()) {
1739 return InitError(strprintf(_("Invalid -onion address or hostname: '%s'"), onionArg));
1740 }
1741
1742 onion_proxy = Proxy(addr.value(), /*tor_stream_isolation=*/proxyRandomize);
1743 }
1744 }
1745 }
1746
1747 const bool listenonion{args.GetBoolArg("-listenonion", DEFAULT_LISTEN_ONION)};
1748 if (onion_proxy.IsValid()) {
1749 SetProxy(NET_ONION, onion_proxy);
1750 } else {
1751 // If -listenonion is set, then we will (try to) connect to the Tor control port
1752 // later from the torcontrol thread and may retrieve the onion proxy from there.
1753 if (onlynet_used_with_onion && !listenonion) {
1754 return InitError(
1755 _("Outbound connections restricted to Tor (-onlynet=onion) but the proxy for "
1756 "reaching the Tor network is not provided: none of -proxy, -onion or "
1757 "-listenonion is given"));
1758 }
1760 }
1761
1762 for (const std::string& strAddr : args.GetArgs("-externalip")) {
1763 const std::optional<CService> addrLocal{Lookup(strAddr, GetListenPort(), fNameLookup)};
1764 if (addrLocal.has_value() && addrLocal->IsValid())
1765 AddLocal(addrLocal.value(), LOCAL_MANUAL);
1766 else
1767 return InitError(ResolveErrMsg("externalip", strAddr));
1768 }
1769
1770#ifdef ENABLE_ZMQ
1772 [&chainman = node.chainman](std::vector<std::byte>& block, const CBlockIndex& index) {
1773 assert(chainman);
1774 if (auto ret{chainman->m_blockman.ReadRawBlock(WITH_LOCK(cs_main, return index.GetBlockPos()))}) {
1775 block = std::move(*ret);
1776 return true;
1777 }
1778 return false;
1779 });
1780
1782 validation_signals.RegisterValidationInterface(g_zmq_notification_interface.get());
1783 }
1784#endif
1785
1786 // ********************************************************* Step 7: load block chain
1787
1788 // cache size calculations
1790 const auto [index_cache_sizes, kernel_cache_sizes] = CalculateCacheSizes(args, g_enabled_filter_types.size());
1791
1792 LogInfo("Cache configuration:");
1793 LogInfo("* Using %.1f MiB for block index database", kernel_cache_sizes.block_tree_db * (1.0 / 1024 / 1024));
1794 if (args.GetBoolArg("-txindex", DEFAULT_TXINDEX)) {
1795 LogInfo("* Using %.1f MiB for transaction index database", index_cache_sizes.tx_index * (1.0 / 1024 / 1024));
1796 }
1797 for (BlockFilterType filter_type : g_enabled_filter_types) {
1798 LogInfo("* Using %.1f MiB for %s block filter index database",
1799 index_cache_sizes.filter_index * (1.0 / 1024 / 1024), BlockFilterTypeName(filter_type));
1800 }
1801 LogInfo("* Using %.1f MiB for chain state database", kernel_cache_sizes.coins_db * (1.0 / 1024 / 1024));
1802
1803 assert(!node.mempool);
1804 assert(!node.chainman);
1805
1806 bool do_reindex{args.GetBoolArg("-reindex", false)};
1807 const bool do_reindex_chainstate{args.GetBoolArg("-reindex-chainstate", false)};
1808
1809 // Chainstate initialization and loading may be retried once with reindexing by GUI users
1810 auto [status, error] = InitAndLoadChainstate(
1811 node,
1812 do_reindex,
1813 do_reindex_chainstate,
1814 kernel_cache_sizes,
1815 args);
1816 if (status == ChainstateLoadStatus::FAILURE && !do_reindex && !ShutdownRequested(node)) {
1817 // suggest a reindex
1818 bool do_retry{HasTestOption(args, "reindex_after_failure_noninteractive_yes") ||
1819 uiInterface.ThreadSafeQuestion(
1820 error + Untranslated(".\n\n") + _("Do you want to rebuild the databases now?"),
1821 error.original + ".\nPlease restart with -reindex or -reindex-chainstate to recover.",
1823 if (!do_retry) {
1824 return false;
1825 }
1826 do_reindex = true;
1827 if (!Assert(node.shutdown_signal)->reset()) {
1828 LogError("Internal error: failed to reset shutdown signal.\n");
1829 }
1830 std::tie(status, error) = InitAndLoadChainstate(
1831 node,
1832 do_reindex,
1833 do_reindex_chainstate,
1834 kernel_cache_sizes,
1835 args);
1836 }
1837 if (status != ChainstateLoadStatus::SUCCESS && status != ChainstateLoadStatus::INTERRUPTED) {
1838 return InitError(error);
1839 }
1840
1841 // As LoadBlockIndex can take several minutes, it's possible the user
1842 // requested to kill the GUI during the last operation. If so, exit.
1843 if (ShutdownRequested(node)) {
1844 LogInfo("Shutdown requested. Exiting.");
1845 return true;
1846 }
1847
1848 ChainstateManager& chainman = *Assert(node.chainman);
1849 auto& kernel_notifications{*Assert(node.notifications)};
1850
1851 assert(!node.peerman);
1852 node.peerman = PeerManager::make(*node.connman, *node.addrman,
1853 node.banman.get(), chainman,
1854 *node.mempool, *node.warnings,
1855 peerman_opts);
1856 validation_signals.RegisterValidationInterface(node.peerman.get());
1857
1858 // ********************************************************* Step 8: start indexers
1859
1860 if (args.GetBoolArg("-txindex", DEFAULT_TXINDEX)) {
1861 g_txindex = std::make_unique<TxIndex>(interfaces::MakeChain(node), index_cache_sizes.tx_index, false, do_reindex);
1862 node.indexes.emplace_back(g_txindex.get());
1863 }
1864
1865 for (const auto& filter_type : g_enabled_filter_types) {
1866 InitBlockFilterIndex([&]{ return interfaces::MakeChain(node); }, filter_type, index_cache_sizes.filter_index, false, do_reindex);
1867 node.indexes.emplace_back(GetBlockFilterIndex(filter_type));
1868 }
1869
1870 if (args.GetBoolArg("-coinstatsindex", DEFAULT_COINSTATSINDEX)) {
1871 g_coin_stats_index = std::make_unique<CoinStatsIndex>(interfaces::MakeChain(node), /*cache_size=*/0, false, do_reindex);
1872 node.indexes.emplace_back(g_coin_stats_index.get());
1873 }
1874
1875 // Init indexes
1876 for (auto index : node.indexes) if (!index->Init()) return false;
1877
1878 // ********************************************************* Step 9: load wallet
1879 for (const auto& client : node.chain_clients) {
1880 if (!client->load()) {
1881 return false;
1882 }
1883 }
1884
1885 // ********************************************************* Step 10: data directory maintenance
1886
1887 // if pruning, perform the initial blockstore prune
1888 // after any wallet rescanning has taken place.
1889 if (chainman.m_blockman.IsPruneMode()) {
1890 if (chainman.m_blockman.m_blockfiles_indexed) {
1891 LOCK(cs_main);
1892 for (const auto& chainstate : chainman.m_chainstates) {
1893 uiInterface.InitMessage(_("Pruning blockstore…"));
1894 chainstate->PruneAndFlush();
1895 }
1896 }
1897 } else {
1898 // Prior to setting NODE_NETWORK, check if we can provide historical blocks.
1899 if (!WITH_LOCK(chainman.GetMutex(), return chainman.HistoricalChainstate())) {
1900 LogInfo("Setting NODE_NETWORK in non-prune mode");
1901 g_local_services = ServiceFlags(g_local_services | NODE_NETWORK);
1902 } else {
1903 LogInfo("Running node in NODE_NETWORK_LIMITED mode until snapshot background sync completes");
1904 }
1905 }
1906
1907 // ********************************************************* Step 11: import blocks
1908
1910 InitError(strprintf(_("Error: Disk space is low for %s"), fs::quoted(fs::PathToString(args.GetDataDirNet()))));
1911 return false;
1912 }
1914 InitError(strprintf(_("Error: Disk space is low for %s"), fs::quoted(fs::PathToString(args.GetBlocksDirPath()))));
1915 return false;
1916 }
1917
1918 int chain_active_height = WITH_LOCK(cs_main, return chainman.ActiveChain().Height());
1919
1920 // On first startup, warn on low block storage space
1921 if (!do_reindex && !do_reindex_chainstate && chain_active_height <= 1) {
1922 uint64_t assumed_chain_bytes{chainparams.AssumedBlockchainSize() * 1024 * 1024 * 1024};
1923 uint64_t additional_bytes_needed{
1924 chainman.m_blockman.IsPruneMode() ?
1925 std::min(chainman.m_blockman.GetPruneTarget(), assumed_chain_bytes) :
1926 assumed_chain_bytes};
1927
1928 if (!CheckDiskSpace(args.GetBlocksDirPath(), additional_bytes_needed)) {
1930 "Disk space for %s may not accommodate the block files. " \
1931 "Approximately %u GB of data will be stored in this directory."
1932 ),
1933 fs::quoted(fs::PathToString(args.GetBlocksDirPath())),
1934 chainparams.AssumedBlockchainSize()
1935 ));
1936 }
1937 }
1938
1939#ifdef __APPLE__
1940 auto check_and_warn_fs{[&](const fs::path& path, std::string_view desc) {
1941 const auto path_desc{strprintf("%s (\"%s\")", desc, fs::PathToString(path))};
1942 switch (GetFilesystemType(path)) {
1943 case FSType::EXFAT:
1944 InitWarning(strprintf(_("The %s path uses exFAT, which is known to have intermittent corruption problems on macOS. "
1945 "Move this directory to a different filesystem to avoid data loss."), path_desc));
1946 break;
1947 case FSType::ERROR:
1948 LogInfo("Failed to detect filesystem type for %s", path_desc);
1949 break;
1950 case FSType::OTHER:
1951 break;
1952 }
1953 }};
1954
1955 check_and_warn_fs(args.GetDataDirNet(), "data directory");
1956 check_and_warn_fs(args.GetBlocksDirPath(), "blocks directory");
1957#endif
1958
1959#if HAVE_SYSTEM
1960 const std::string block_notify = args.GetArg("-blocknotify", "");
1961 if (!block_notify.empty()) {
1962 uiInterface.NotifyBlockTip_connect([block_notify](SynchronizationState sync_state, const CBlockIndex& block, double /* verification_progress */) {
1963 if (sync_state != SynchronizationState::POST_INIT) return;
1964 std::string command = block_notify;
1965 ReplaceAll(command, "%s", block.GetBlockHash().GetHex());
1966 std::thread t(runCommand, command);
1967 t.detach(); // thread runs free
1968 });
1969 }
1970#endif
1971
1972 std::vector<fs::path> vImportFiles;
1973 for (const std::string& strFile : args.GetArgs("-loadblock")) {
1974 vImportFiles.push_back(fs::PathFromString(strFile));
1975 }
1976
1977 node.background_init_thread = std::thread(&util::TraceThread, "initload", [=, &chainman, &args, &node] {
1979 // Import blocks and ActivateBestChain()
1980 ImportBlocks(chainman, vImportFiles);
1981 if (args.GetBoolArg("-stopafterblockimport", DEFAULT_STOPAFTERBLOCKIMPORT)) {
1982 LogInfo("Stopping after block import");
1983 if (!(Assert(node.shutdown_request))()) {
1984 LogError("Failed to send shutdown signal after finishing block import\n");
1985 }
1986 return;
1987 }
1988
1989 // Start indexes initial sync
1991 bilingual_str err_str = _("Failed to start indexes, shutting down…");
1992 chainman.GetNotifications().fatalError(err_str);
1993 return;
1994 }
1995 // Load mempool from disk
1996 if (auto* pool{chainman.ActiveChainstate().GetMempool()}) {
1997 LoadMempool(*pool, ShouldPersistMempool(args) ? MempoolPath(args) : fs::path{}, chainman.ActiveChainstate(), {});
1998 pool->SetLoadTried(!chainman.m_interrupt);
1999 }
2000 });
2001
2002 /*
2003 * Wait for genesis block to be processed. Typically kernel_notifications.m_tip_block
2004 * has already been set by a call to LoadChainTip() in CompleteChainstateInitialization().
2005 * But this is skipped if the chainstate doesn't exist yet or is being wiped:
2006 *
2007 * 1. first startup with an empty datadir
2008 * 2. reindex
2009 * 3. reindex-chainstate
2010 *
2011 * In these case it's connected by a call to ActivateBestChain() in the initload thread.
2012 */
2013 {
2014 WAIT_LOCK(kernel_notifications.m_tip_block_mutex, lock);
2015 kernel_notifications.m_tip_block_cv.wait(lock, [&]() EXCLUSIVE_LOCKS_REQUIRED(kernel_notifications.m_tip_block_mutex) {
2016 return kernel_notifications.TipBlock() || ShutdownRequested(node);
2017 });
2018 }
2019
2020 if (ShutdownRequested(node)) {
2021 return true;
2022 }
2023
2024 // ********************************************************* Step 12: start node
2025
2026 int64_t best_block_time{};
2027 {
2028 LOCK(chainman.GetMutex());
2029 const auto& tip{*Assert(chainman.ActiveTip())};
2030 LogInfo("block tree size = %u", chainman.BlockIndex().size());
2031 chain_active_height = tip.nHeight;
2032 best_block_time = tip.GetBlockTime();
2033 if (tip_info) {
2034 tip_info->block_height = chain_active_height;
2035 tip_info->block_time = best_block_time;
2036 tip_info->verification_progress = chainman.GuessVerificationProgress(&tip);
2037 }
2038 if (tip_info && chainman.m_best_header) {
2039 tip_info->header_height = chainman.m_best_header->nHeight;
2040 tip_info->header_time = chainman.m_best_header->GetBlockTime();
2041 }
2042 }
2043 LogInfo("nBestHeight = %d", chain_active_height);
2044 if (node.peerman) node.peerman->SetBestBlock(chain_active_height, std::chrono::seconds{best_block_time});
2045
2046 // Map ports with NAT-PMP
2048
2049 CConnman::Options connOptions;
2050 connOptions.m_local_services = g_local_services;
2051 connOptions.m_max_automatic_connections = nMaxConnections;
2052 connOptions.uiInterface = &uiInterface;
2053 connOptions.m_banman = node.banman.get();
2054 connOptions.m_msgproc = node.peerman.get();
2055 connOptions.nSendBufferMaxSize = 1000 * args.GetIntArg("-maxsendbuffer", DEFAULT_MAXSENDBUFFER);
2056 connOptions.nReceiveFloodSize = 1000 * args.GetIntArg("-maxreceivebuffer", DEFAULT_MAXRECEIVEBUFFER);
2057 connOptions.m_added_nodes = args.GetArgs("-addnode");
2058 connOptions.nMaxOutboundLimit = *opt_max_upload;
2059 connOptions.m_peer_connect_timeout = peer_connect_timeout;
2060 connOptions.whitelist_forcerelay = args.GetBoolArg("-whitelistforcerelay", DEFAULT_WHITELISTFORCERELAY);
2061 connOptions.whitelist_relay = args.GetBoolArg("-whitelistrelay", DEFAULT_WHITELISTRELAY);
2062 connOptions.m_capture_messages = args.GetBoolArg("-capturemessages", false);
2063
2064 // Port to bind to if `-bind=addr` is provided without a `:port` suffix.
2065 const uint16_t default_bind_port =
2066 static_cast<uint16_t>(args.GetIntArg("-port", Params().GetDefaultPort()));
2067
2068 const uint16_t default_bind_port_onion = default_bind_port + 1;
2069
2070 const auto BadPortWarning = [](const char* prefix, uint16_t port) {
2071 return strprintf(_("%s request to listen on port %u. This port is considered \"bad\" and "
2072 "thus it is unlikely that any peer will connect to it. See "
2073 "doc/p2p-bad-ports.md for details and a full list."),
2074 prefix,
2075 port);
2076 };
2077
2078 for (const std::string& bind_arg : args.GetArgs("-bind")) {
2079 std::optional<CService> bind_addr;
2080 const size_t index = bind_arg.rfind('=');
2081 if (index == std::string::npos) {
2082 bind_addr = Lookup(bind_arg, default_bind_port, /*fAllowLookup=*/false);
2083 if (bind_addr.has_value()) {
2084 connOptions.vBinds.push_back(bind_addr.value());
2085 if (IsBadPort(bind_addr.value().GetPort())) {
2086 InitWarning(BadPortWarning("-bind", bind_addr.value().GetPort()));
2087 }
2088 continue;
2089 }
2090 } else {
2091 const std::string network_type = bind_arg.substr(index + 1);
2092 if (network_type == "onion") {
2093 const std::string truncated_bind_arg = bind_arg.substr(0, index);
2094 bind_addr = Lookup(truncated_bind_arg, default_bind_port_onion, false);
2095 if (bind_addr.has_value()) {
2096 connOptions.onion_binds.push_back(bind_addr.value());
2097 continue;
2098 }
2099 }
2100 }
2101 return InitError(ResolveErrMsg("bind", bind_arg));
2102 }
2103
2104 for (const std::string& strBind : args.GetArgs("-whitebind")) {
2105 NetWhitebindPermissions whitebind;
2106 bilingual_str error;
2107 if (!NetWhitebindPermissions::TryParse(strBind, whitebind, error)) return InitError(error);
2108 connOptions.vWhiteBinds.push_back(whitebind);
2109 }
2110
2111 // If the user did not specify -bind= or -whitebind= then we bind
2112 // on any address - 0.0.0.0 (IPv4) and :: (IPv6).
2113 connOptions.bind_on_any = args.GetArgs("-bind").empty() && args.GetArgs("-whitebind").empty();
2114
2115 // Emit a warning if a bad port is given to -port= but only if -bind and -whitebind are not
2116 // given, because if they are, then -port= is ignored.
2117 if (connOptions.bind_on_any && args.IsArgSet("-port")) {
2118 const uint16_t port_arg = args.GetIntArg("-port", 0);
2119 if (IsBadPort(port_arg)) {
2120 InitWarning(BadPortWarning("-port", port_arg));
2121 }
2122 }
2123
2124 CService onion_service_target;
2125 if (!connOptions.onion_binds.empty()) {
2126 onion_service_target = connOptions.onion_binds.front();
2127 } else if (!connOptions.vBinds.empty()) {
2128 onion_service_target = connOptions.vBinds.front();
2129 } else {
2130 onion_service_target = DefaultOnionServiceTarget(default_bind_port_onion);
2131 connOptions.onion_binds.push_back(onion_service_target);
2132 }
2133
2134 if (listenonion) {
2135 if (connOptions.onion_binds.size() > 1) {
2136 InitWarning(strprintf(_("More than one onion bind address is provided. Using %s "
2137 "for the automatically created Tor onion service."),
2138 onion_service_target.ToStringAddrPort()));
2139 }
2140 StartTorControl(onion_service_target);
2141 }
2142
2143 if (connOptions.bind_on_any) {
2144 // Only add all IP addresses of the machine if we would be listening on
2145 // any address - 0.0.0.0 (IPv4) and :: (IPv6).
2146 Discover();
2147 }
2148
2149 for (const auto& net : args.GetArgs("-whitelist")) {
2151 ConnectionDirection connection_direction;
2152 bilingual_str error;
2153 if (!NetWhitelistPermissions::TryParse(net, subnet, connection_direction, error)) return InitError(error);
2154 if (connection_direction & ConnectionDirection::In) {
2155 connOptions.vWhitelistedRangeIncoming.push_back(subnet);
2156 }
2157 if (connection_direction & ConnectionDirection::Out) {
2158 connOptions.vWhitelistedRangeOutgoing.push_back(subnet);
2159 }
2160 }
2161
2162 connOptions.vSeedNodes = args.GetArgs("-seednode");
2163
2164 const auto connect = args.GetArgs("-connect");
2165 if (!connect.empty() || args.IsArgNegated("-connect")) {
2166 // Do not initiate other outgoing connections when connecting to trusted
2167 // nodes, or when -noconnect is specified.
2168 connOptions.m_use_addrman_outgoing = false;
2169
2170 if (connect.size() != 1 || connect[0] != "0") {
2171 connOptions.m_specified_outgoing = connect;
2172 }
2173 if (!connOptions.m_specified_outgoing.empty() && !connOptions.vSeedNodes.empty()) {
2174 LogInfo("-seednode is ignored when -connect is used");
2175 }
2176
2177 if (args.IsArgSet("-dnsseed") && args.GetBoolArg("-dnsseed", DEFAULT_DNSSEED) && args.IsArgSet("-proxy")) {
2178 LogInfo("-dnsseed is ignored when -connect is used and -proxy is specified");
2179 }
2180 }
2181
2182 const std::string& i2psam_arg = args.GetArg("-i2psam", "");
2183 if (!i2psam_arg.empty()) {
2184 const std::optional<CService> addr{Lookup(i2psam_arg, 7656, fNameLookup)};
2185 if (!addr.has_value() || !addr->IsValid()) {
2186 return InitError(strprintf(_("Invalid -i2psam address or hostname: '%s'"), i2psam_arg));
2187 }
2188 SetProxy(NET_I2P, Proxy{addr.value()});
2189 } else {
2190 if (!onlynets.empty() && g_reachable_nets.Contains(NET_I2P)) {
2191 return InitError(
2192 _("Outbound connections restricted to i2p (-onlynet=i2p) but "
2193 "-i2psam is not provided"));
2194 }
2196 }
2197
2198 connOptions.m_i2p_accept_incoming = args.GetBoolArg("-i2pacceptincoming", DEFAULT_I2P_ACCEPT_INCOMING);
2199
2200 if (auto conflict = CheckBindingConflicts(connOptions)) {
2201 return InitError(strprintf(
2202 _("Duplicate binding configuration for address %s. "
2203 "Please check your -bind, -bind=...=onion and -whitebind settings."),
2204 conflict->ToStringAddrPort()));
2205 }
2206
2207 if (args.GetBoolArg("-privatebroadcast", DEFAULT_PRIVATE_BROADCAST)) {
2208 // If -listenonion is set, then NET_ONION may not be reachable now
2209 // but may become reachable later, thus only error here if it is not
2210 // reachable and will not become reachable for sure.
2211 const bool onion_may_become_reachable{listenonion && (!args.IsArgSet("-onlynet") || onlynet_used_with_onion)};
2214 !onion_may_become_reachable) {
2215 return InitError(_("Private broadcast of own transactions requested (-privatebroadcast), "
2216 "but none of Tor or I2P networks is reachable"));
2217 }
2218 if (!connOptions.m_use_addrman_outgoing) {
2219 return InitError(_("Private broadcast of own transactions requested (-privatebroadcast), "
2220 "but -connect is also configured. They are incompatible because the "
2221 "private broadcast needs to open new connections to randomly "
2222 "chosen Tor or I2P peers. Consider using -maxconnections=0 -addnode=... "
2223 "instead"));
2224 }
2225 if (!proxyRandomize && (g_reachable_nets.Contains(NET_ONION) || onion_may_become_reachable)) {
2226 InitWarning(_("Private broadcast of own transactions requested (-privatebroadcast) and "
2227 "-proxyrandomize is disabled. Tor circuits for private broadcast connections "
2228 "may be correlated to other connections over Tor. For maximum privacy set "
2229 "-proxyrandomize=1."));
2230 }
2231 }
2232
2233 if (!node.connman->Start(scheduler, connOptions)) {
2234 return false;
2235 }
2236
2237 // ********************************************************* Step 13: finished
2238
2239 // At this point, the RPC is "started", but still in warmup, which means it
2240 // cannot yet be called. Before we make it callable, we need to make sure
2241 // that the RPC's view of the best block is valid and consistent with
2242 // ChainstateManager's active tip.
2244
2245 uiInterface.InitMessage(_("Done loading"));
2246
2247 for (const auto& client : node.chain_clients) {
2248 client->start(scheduler);
2249 }
2250
2251 BanMan* banman = node.banman.get();
2252 scheduler.scheduleEvery([banman]{
2253 banman->DumpBanlist();
2255
2256 if (node.peerman) node.peerman->StartScheduledTasks(scheduler);
2257
2258#if HAVE_SYSTEM
2259 StartupNotify(args);
2260#endif
2261
2262 return true;
2263}
2264
2266{
2267 // Find the oldest block among all indexes.
2268 // This block is used to verify that we have the required blocks' data stored on disk,
2269 // starting from that point up to the current tip.
2270 // indexes_start_block='nullptr' means "start from height 0".
2271 std::optional<const CBlockIndex*> indexes_start_block;
2272 std::string older_index_name;
2273 ChainstateManager& chainman = *Assert(node.chainman);
2274 const Chainstate& chainstate = WITH_LOCK(::cs_main, return chainman.ValidatedChainstate());
2275 const CChain& index_chain = chainstate.m_chain;
2276
2277 for (auto index : node.indexes) {
2278 const IndexSummary& summary = index->GetSummary();
2279 if (summary.synced) continue;
2280
2281 // Get the last common block between the index best block and the active chain
2282 LOCK(::cs_main);
2283 const CBlockIndex* pindex = chainman.m_blockman.LookupBlockIndex(summary.best_block_hash);
2284 if (!index_chain.Contains(pindex)) {
2285 pindex = index_chain.FindFork(pindex);
2286 }
2287
2288 if (!indexes_start_block || !pindex || pindex->nHeight < indexes_start_block.value()->nHeight) {
2289 indexes_start_block = pindex;
2290 older_index_name = summary.name;
2291 if (!pindex) break; // Starting from genesis so no need to look for earlier block.
2292 }
2293 };
2294
2295 // Verify all blocks needed to sync to current tip are present.
2296 if (indexes_start_block) {
2297 LOCK(::cs_main);
2298 const CBlockIndex* start_block = *indexes_start_block;
2299 if (!start_block) start_block = chainman.ActiveChain().Genesis();
2300 if (!chainman.m_blockman.CheckBlockDataAvailability(*index_chain.Tip(), *Assert(start_block))) {
2301 return InitError(Untranslated(strprintf("%s best block of the index goes beyond pruned data. Please disable the index or reindex (which will download the whole blockchain again)", older_index_name)));
2302 }
2303 }
2304
2305 // Start threads
2306 for (auto index : node.indexes) if (!index->StartBackgroundSync()) return false;
2307 return true;
2308}
util::Result< std::unique_ptr< AddrMan > > LoadAddrman(const NetGroupManager &netgroupman, const ArgsManager &args)
Returns an error string on failure.
Definition: addrdb.cpp:196
static constexpr int32_t DEFAULT_ADDRMAN_CONSISTENCY_CHECKS
Default for -checkaddrman.
Definition: addrman.h:32
const std::vector< std::string > TEST_OPTIONS_DOC
Definition: args.cpp:722
void SetupHelpOptions(ArgsManager &args)
Add help options to the args manager.
Definition: args.cpp:701
const char *const BITCOIN_SETTINGS_FILENAME
Definition: args.cpp:38
ArgsManager gArgs
Definition: args.cpp:40
bool HasTestOption(const ArgsManager &args, const std::string &test_option)
Checks if a particular test option is present in -test command-line arg options.
Definition: args.cpp:728
const char *const BITCOIN_CONF_FILENAME
Definition: args.cpp:37
fs::path AbsPathForConfigVal(const ArgsManager &args, const fs::path &path, bool net_specific=true)
Most paths passed as configuration arguments are treated as relative to the datadir if they are not a...
Definition: config.cpp:226
static constexpr unsigned int DEFAULT_MISBEHAVING_BANTIME
Definition: banman.h:19
static constexpr std::chrono::minutes DUMP_BANS_INTERVAL
How often to dump banned addresses/subnets to disk.
Definition: banman.h:22
void ScheduleBatchPriority()
On platforms that support it, tell the kernel the calling thread is CPU-intensive and non-interactive...
int ret
const auto cmd
int exit_status
const auto command
ArgsManager & args
Definition: bitcoind.cpp:277
static constexpr bool DEFAULT_ACCEPT_STALE_FEE_ESTIMATES
static constexpr std::chrono::hours MAX_FILE_AGE
fee_estimates.dat that are more than 60 hours (2.5 days) old will not be read, as fee estimates are b...
static constexpr std::chrono::hours FEE_FLUSH_INTERVAL
fs::path FeeestPath(const ArgsManager &argsman)
const std::string & BlockFilterTypeName(BlockFilterType filter_type)
Get the human-readable name for a filter type.
const std::set< BlockFilterType > & AllBlockFilterTypes()
Get a list of known filter types.
bool BlockFilterTypeByName(std::string_view name, BlockFilterType &filter_type)
Find a filter type by its human-readable name.
const std::string & ListBlockFilterTypes()
Get a comma-separated list of known filter type names.
BlockFilterType
Definition: blockfilter.h:94
void DestroyAllBlockFilterIndexes()
Destroy all open block filter indexes.
BlockFilterIndex * GetBlockFilterIndex(BlockFilterType filter_type)
Get a block filter index by type.
bool InitBlockFilterIndex(std::function< std::unique_ptr< interfaces::Chain >()> make_chain, BlockFilterType filter_type, size_t n_cache_size, bool f_memory, bool f_wipe)
Initialize a block filter index for the given type if one does not already exist.
static const char *const DEFAULT_BLOCKFILTERINDEX
std::unique_ptr< const CChainParams > CreateChainParams(const ArgsManager &args, const ChainType chain)
Creates and returns a std::unique_ptr<CChainParams> of the chosen chain.
const CChainParams & Params()
Return the currently selected parameters.
std::unique_ptr< CBaseChainParams > CreateBaseChainParams(const ChainType chain)
Port numbers for incoming Tor connections (8334, 18334, 38334, 48334, 18445) have been chosen arbitra...
void SetupChainParamsBaseOptions(ArgsManager &argsman)
Set the arguments for chainparams.
static constexpr int DEFAULT_SCRIPTCHECK_THREADS
-par default (number of script-checking threads, 0 = auto)
static constexpr auto DEFAULT_MAX_TIP_AGE
std::string ChainTypeToString(ChainType chain)
Definition: chaintype.cpp:11
ChainType
Definition: chaintype.h:11
#define Assert(val)
Identity function.
Definition: check.h:113
std::set< std::string > GetUnsuitableSectionOnlyArgs() const
Log warnings for options in m_section_only_args when they are specified in the default section but no...
Definition: args.cpp:134
bool IsArgNegated(const std::string &strArg) const
Return true if the argument was originally passed as a negated option, i.e.
Definition: args.cpp:456
std::list< SectionInfo > GetUnrecognizedSections() const
Log warnings for unrecognized section names in the config file.
Definition: args.cpp:154
@ NETWORK_ONLY
Definition: args.h:120
@ ALLOW_ANY
disable validation
Definition: args.h:106
@ DISALLOW_NEGATION
disallow -nofoo syntax
Definition: args.h:111
@ DISALLOW_ELISION
disallow -foo syntax that doesn't assign any value
Definition: args.h:112
@ DEBUG_ONLY
Definition: args.h:114
@ SENSITIVE
Definition: args.h:122
ChainType GetChainType() const
Returns the appropriate chain type from the program arguments.
Definition: args.cpp:787
std::vector< std::string > GetArgs(const std::string &strArg) const
Return a vector of strings of the given argument.
Definition: args.cpp:366
fs::path GetDataDirNet() const
Get data directory path with appended network identifier.
Definition: args.h:235
bool SoftSetArg(const std::string &strArg, const std::string &strValue)
Set an argument if it doesn't already have a value.
Definition: args.cpp:534
bool IsArgSet(const std::string &strArg) const
Return true if the given argument has been manually set.
Definition: args.cpp:375
int64_t GetIntArg(const std::string &strArg, int64_t nDefault) const
Return integer argument or default value.
Definition: args.cpp:486
fs::path GetBlocksDirPath() const
Get blocks directory path.
Definition: args.cpp:286
std::string GetArg(const std::string &strArg, const std::string &strDefault) const
Return string argument or default value.
Definition: args.cpp:461
bool SoftSetBoolArg(const std::string &strArg, bool fValue)
Set a boolean argument if it doesn't already have a value.
Definition: args.cpp:542
bool GetBoolArg(const std::string &strArg, bool fDefault) const
Return boolean argument or default value.
Definition: args.cpp:511
void AddHiddenArgs(const std::vector< std::string > &args)
Add many hidden arguments.
Definition: args.cpp:589
void AddArg(const std::string &name, const std::string &help, unsigned int flags, const OptionsCategory &cat)
Add argument.
Definition: args.cpp:568
fs::path GetPathArg(std::string arg, const fs::path &default_value={}) const
Return path argument or default value.
Definition: args.cpp:276
static std::shared_ptr< LogRateLimiter > Create(SchedulerFunction &&scheduler_func, uint64_t max_bytes, std::chrono::seconds reset_window)
Definition: logging.cpp:379
void SetRateLimiting(std::shared_ptr< LogRateLimiter > limiter) EXCLUSIVE_LOCKS_REQUIRED(!m_cs)
Definition: logging.h:293
std::atomic< bool > m_reopen_file
Definition: logging.h:254
Definition: banman.h:64
void DumpBanlist() EXCLUSIVE_LOCKS_REQUIRED(!m_banned_mutex)
Definition: banman.cpp:48
The block chain is a tree shaped structure starting with the genesis block at the root,...
Definition: chain.h:95
uint256 GetBlockHash() const
Definition: chain.h:199
int nHeight
height of the entry in the chain. The genesis block has height 0
Definition: chain.h:107
The BlockPolicyEstimator is used for estimating the feerate needed for a transaction to be included i...
void FlushFeeEstimates() EXCLUSIVE_LOCKS_REQUIRED(!m_cs_fee_estimator)
Record current fee estimations.
An in-memory indexed chain of blocks.
Definition: chain.h:381
CBlockIndex * Tip() const
Returns the index entry for the tip of this chain, or nullptr if none.
Definition: chain.h:397
CBlockIndex * Genesis() const
Returns the index entry for the genesis block of this chain, or nullptr if none.
Definition: chain.h:391
int Height() const
Return the maximal height in the chain.
Definition: chain.h:426
const CBlockIndex * FindFork(const CBlockIndex *pindex) const
Find the last common block between this chain and a block index entry.
Definition: chain.cpp:50
bool Contains(const CBlockIndex *pindex) const
Efficiently check whether a block is present in this chain.
Definition: chain.h:411
CChainParams defines various tweakable parameters of a given instance of the Bitcoin system.
Definition: chainparams.h:78
std::string GetChainTypeString() const
Return the chain type string.
Definition: chainparams.h:110
const MessageStartChars & MessageStart() const
Definition: chainparams.h:91
bool DefaultConsistencyChecks() const
Default value for -checkmempool and -checkblockindex argument.
Definition: chainparams.h:97
ChainType GetChainType() const
Return the chain type.
Definition: chainparams.h:112
A combination of a network address (CNetAddr) and a (TCP) port.
Definition: netaddress.h:530
std::string ToStringAddrPort() const
Definition: netaddress.cpp:903
static const int DEFAULT_ZMQ_SNDHWM
static std::unique_ptr< CZMQNotificationInterface > Create(std::function< bool(std::vector< std::byte > &, const CBlockIndex &)> get_block_by_index)
Chainstate stores and provides an API to update our local knowledge of the current best chain.
Definition: validation.h:545
CChain m_chain
The current chain of blockheaders we consult and build on.
Definition: validation.h:619
Interface for managing multiple Chainstate objects, where each chainstate is associated with chainsta...
Definition: validation.h:930
Chainstate * HistoricalChainstate() const EXCLUSIVE_LOCKS_REQUIRED(GetMutex())
Return historical chainstate targeting a specific block, if any.
Definition: validation.h:1118
node::BlockMap & BlockIndex() EXCLUSIVE_LOCKS_REQUIRED(
Definition: validation.h:1160
double GuessVerificationProgress(const CBlockIndex *pindex) const EXCLUSIVE_LOCKS_REQUIRED(GetMutex())
Guess verification progress (as a fraction between 0.0=genesis and 1.0=current tip).
kernel::Notifications & GetNotifications() const
Definition: validation.h:1002
RecursiveMutex & GetMutex() const LOCK_RETURNED(
Alias for cs_main.
Definition: validation.h:1022
CBlockIndex * ActiveTip() const EXCLUSIVE_LOCKS_REQUIRED(GetMutex())
Definition: validation.h:1157
Chainstate & ActiveChainstate() const
Alternatives to CurrentChainstate() used by older code to query latest chainstate information without...
const util::SignalInterrupt & m_interrupt
Definition: validation.h:1024
Chainstate & ValidatedChainstate() const EXCLUSIVE_LOCKS_REQUIRED(GetMutex())
Return fully validated chainstate that should be used for indexing, to support indexes that need to i...
Definition: validation.h:1129
std::function< void()> snapshot_download_completed
Function to restart active indexes; set dynamically to avoid a circular dependency on base/index....
Definition: validation.h:995
CChain & ActiveChain() const EXCLUSIVE_LOCKS_REQUIRED(GetMutex())
Definition: validation.h:1155
node::BlockManager m_blockman
A single BlockManager instance is shared across each constructed chainstate to avoid duplicating bloc...
Definition: validation.h:1028
Fast randomness source.
Definition: random.h:386
uint64_t rand64() noexcept
Generate a random 64-bit integer.
Definition: random.h:404
A writer stream (for serialization) that computes a 256-bit hash.
Definition: hash.h:101
static bool TryParse(const std::string &str, NetWhitebindPermissions &output, bilingual_str &error)
static bool TryParse(const std::string &str, NetWhitelistPermissions &output, ConnectionDirection &output_connection_direction, bilingual_str &error)
static std::unique_ptr< PeerManager > make(CConnman &connman, AddrMan &addrman, BanMan *banman, ChainstateManager &chainman, CTxMemPool &pool, node::Warnings &warnings, Options opts)
Definition: netbase.h:59
bool IsValid() const
Definition: netbase.h:70
void Add(Network net) EXCLUSIVE_LOCKS_REQUIRED(!m_mutex)
Definition: netbase.h:103
bool Contains(Network net) const EXCLUSIVE_LOCKS_REQUIRED(!m_mutex)
Definition: netbase.h:131
void Remove(Network net) EXCLUSIVE_LOCKS_REQUIRED(!m_mutex)
Definition: netbase.h:110
void RemoveAll() EXCLUSIVE_LOCKS_REQUIRED(!m_mutex)
Definition: netbase.h:117
virtual void AddWalletOptions(ArgsManager &argsman) const =0
Get wallet help string.
virtual void Construct(node::NodeContext &node) const =0
Add wallets that should be opened to list of chain clients.
virtual bool ParameterInteraction() const =0
Check wallet parameter interaction.
std::string ToString() const
Definition: uint256.cpp:21
std::string GetHex() const
Definition: uint256.cpp:11
Interface providing access to interprocess-communication (IPC) functionality.
Definition: ipc.h:50
Exception class thrown when a call to remote method fails due to an IPC error, like a socket getting ...
Definition: exception.h:14
A base class defining functions for notifying about certain kernel events.
virtual void fatalError(const bilingual_str &message)
The fatal error notification is sent to notify the user when an error occurs in kernel code that can'...
Maintains a tree of blocks (stored in m_block_index) which is consulted to determine where the most-w...
Definition: blockstorage.h:191
CBlockIndex * LookupBlockIndex(const uint256 &hash) EXCLUSIVE_LOCKS_REQUIRED(cs_main)
std::atomic_bool m_blockfiles_indexed
Whether all blockfiles have been added to the block tree database.
Definition: blockstorage.h:329
uint64_t GetPruneTarget() const
Attempt to stay below this number of bytes of block files.
Definition: blockstorage.h:406
bool IsPruneMode() const
Whether running in -prune mode.
Definition: blockstorage.h:403
bool CheckBlockDataAvailability(const CBlockIndex &upper_block, const CBlockIndex &lower_block) EXCLUSIVE_LOCKS_REQUIRED(const CBlockIndex &GetFirstBlock(const CBlockIndex &upper_block LIFETIMEBOUND, uint32_t status_mask, const CBlockIndex *lower_block LIFETIMEBOUND=nullptr) const EXCLUSIVE_LOCKS_REQUIRED(boo m_have_pruned)
Check if all blocks in the [upper_block, lower_block] range have data available.
Definition: blockstorage.h:448
256-bit opaque blob.
Definition: uint256.h:195
std::string FormatSubVersion(const std::string &name, int nClientVersion, const std::vector< std::string > &comments)
Format the subversion field according to BIP 14 spec (https://github.com/bitcoin/bips/blob/master/bip...
const std::string UA_NAME
static const int CLIENT_VERSION
Definition: clientversion.h:26
std::unique_ptr< CoinStatsIndex > g_coin_stats_index
The global UTXO set hash object.
static constexpr bool DEFAULT_COINSTATSINDEX
bool SetupNetworking()
Definition: system.cpp:100
static const unsigned int MAX_BLOCK_WEIGHT
The maximum allowed weight for a block, see BIP 141 (network rule)
Definition: consensus.h:15
RecursiveMutex cs_main
Mutex to guard access to validation specific variables, such as reading or changing the chainstate.
Definition: cs_main.cpp:8
const std::string CURRENCY_UNIT
Definition: feerate.h:18
static auto quoted(const std::string &s)
Definition: fs.h:101
static bool exists(const path &p)
Definition: fs.h:95
static std::string PathToString(const path &path)
Convert path object to a byte string.
Definition: fs.h:157
int RaiseFileDescriptorLimit(int nMinFD)
this function tries to raise the file descriptor limit to the requested number.
Definition: fs_helpers.cpp:157
bool CheckDiskSpace(const fs::path &dir, uint64_t additional_bytes)
Definition: fs_helpers.cpp:87
std::string HexStr(const std::span< const uint8_t > s)
Convert a span of bytes to a lower-case hexadecimal string.
Definition: hex_base.cpp:30
void InterruptHTTPRPC()
Interrupt HTTP RPC subsystem.
Definition: httprpc.cpp:347
void StopHTTPRPC()
Stop HTTP RPC subsystem.
Definition: httprpc.cpp:352
bool StartHTTPRPC(const std::any &context)
Start HTTP RPC subsystem.
Definition: httprpc.cpp:331
void StartREST(const std::any &context)
Start HTTP REST subsystem.
Definition: rest.cpp:1161
void StopREST()
Stop HTTP REST subsystem.
Definition: rest.cpp:1173
void InterruptREST()
Interrupt RPC REST subsystem.
Definition: rest.cpp:1169
void InterruptHTTPServer()
Interrupt HTTP server threads.
Definition: httpserver.cpp:510
void StartHTTPServer()
Start HTTP server.
Definition: httpserver.cpp:499
bool InitHTTPServer(const util::SignalInterrupt &interrupt)
Initialize HTTP server.
Definition: httpserver.cpp:441
void StopHTTPServer()
Stop HTTP server.
Definition: httpserver.cpp:522
static const int DEFAULT_HTTP_SERVER_TIMEOUT
Definition: httpserver.h:28
static const int DEFAULT_HTTP_WORKQUEUE
The default value for -rpcworkqueue.
Definition: httpserver.h:26
static const int DEFAULT_HTTP_THREADS
The default value for -rpcthreads.
Definition: httpserver.h:20
Common init functions shared by bitcoin-node, bitcoin-wallet, etc.
static bool LockDirectory(const fs::path &dir, bool probeOnly)
Definition: init.cpp:1142
static const char * BITCOIN_PID_FILENAME
The PID file facilities.
Definition: init.cpp:165
static bool CreatePidFile(const ArgsManager &args)
Definition: init.cpp:177
static bool g_generated_pid
True if this process has created a PID file.
Definition: init.cpp:170
static std::optional< util::SignalInterrupt > g_shutdown
Definition: init.cpp:205
static void RemovePidFile(const ArgsManager &args)
Definition: init.cpp:195
void Interrupt(NodeContext &node)
Interrupt threads.
Definition: init.cpp:262
void InitLogging(const ArgsManager &args)
Initialize global loggers.
Definition: init.cpp:839
static bool AppInitServers(NodeContext &node)
Definition: init.cpp:734
static bool LockDirectories(bool probeOnly)
Definition: init.cpp:1154
static constexpr int MIN_CORE_FDS
Definition: init.cpp:160
void Shutdown(NodeContext &node)
Definition: init.cpp:282
static void HandleSIGTERM(int)
Signal handlers are very limited in what they are allowed to do.
Definition: init.cpp:418
static void HandleSIGHUP(int)
Definition: init.cpp:425
bool AppInitBasicSetup(const ArgsManager &args, std::atomic< int > &exit_status)
Initialize bitcoin core: Basic context setup.
Definition: init.cpp:868
static fs::path GetPidFile(const ArgsManager &args)
Definition: init.cpp:172
static constexpr bool DEFAULT_PROXYRANDOMIZE
Definition: init.cpp:146
bool CheckHostPortOptions(const ArgsManager &args)
Definition: init.cpp:1198
static std::optional< CService > CheckBindingConflicts(const CConnman::Options &conn_options)
Checks for duplicate bindings across all binding configurations.
Definition: init.cpp:1253
static ChainstateLoadResult InitAndLoadChainstate(NodeContext &node, bool do_reindex, const bool do_reindex_chainstate, const kernel::CacheSizes &cache_sizes, const ArgsManager &args)
Definition: init.cpp:1283
bool ShutdownRequested(node::NodeContext &node)
Return whether node shutdown was requested.
Definition: init.cpp:244
bool StartIndexBackgroundSync(NodeContext &node)
Validates requirements to run the indexes and spawns each index initial sync thread.
Definition: init.cpp:2265
bool AppInitParameterInteraction(const ArgsManager &args)
Initialization: parameter interaction.
Definition: init.cpp:905
bool AppInitInterfaces(NodeContext &node)
Initialize node and wallet interface pointers.
Definition: init.cpp:1191
static constexpr bool DEFAULT_STOPAFTERBLOCKIMPORT
Definition: init.cpp:149
void InitParameterInteraction(ArgsManager &args)
Parameter interaction: change current parameters depending on various rules.
Definition: init.cpp:750
static constexpr bool DEFAULT_REST_ENABLE
Definition: init.cpp:147
#define MIN_LEVELDB_FDS
Definition: init.cpp:157
static void registerSignalHandler(int signal, void(*handler)(int))
Definition: init.cpp:442
bool AppInitMain(NodeContext &node, interfaces::BlockAndHeaderTipInfo *tip_info)
Bitcoin core main initialization.
Definition: init.cpp:1406
static constexpr bool DEFAULT_I2P_ACCEPT_INCOMING
Definition: init.cpp:148
bool AppInitLockDirectories()
Lock bitcoin core critical directories.
Definition: init.cpp:1179
void SetupServerArgs(ArgsManager &argsman, bool can_listen_ipc)
Register all arguments with the ArgsManager.
Definition: init.cpp:452
void InitContext(NodeContext &node)
Initialize node context shutdown and args variables.
Definition: init.cpp:207
static void new_handler_terminate()
Definition: init.cpp:855
bool AppInitSanityChecks(const kernel::Context &kernel)
Initialization sanity checks.
Definition: init.cpp:1160
static constexpr bool DEFAULT_DAEMON
Default value for -daemon option.
Definition: init.h:12
static constexpr bool DEFAULT_DAEMONWAIT
Default value for -daemonwait option.
Definition: init.h:14
CClientUIInterface uiInterface
void InitWarning(const bilingual_str &str)
Show warning message.
bool InitError(const bilingual_str &str)
Show error message.
static constexpr size_t DEFAULT_DB_CACHE_BATCH
Default LevelDB write batch size.
Definition: caches.h:15
bool ECC_InitSanityCheck()
Check that required EC support is available at runtime.
Definition: key.cpp:565
BCLog::Logger & LogInstance()
Definition: logging.cpp:26
#define LogWarning(...)
Definition: logging.h:393
#define LogInfo(...)
Definition: logging.h:392
#define LogError(...)
Definition: logging.h:394
#define LogDebug(category,...)
Definition: logging.h:412
void StopMapPort()
Definition: mapport.cpp:154
void InterruptMapPort()
Definition: mapport.cpp:147
void StartMapPort(bool enable)
Definition: mapport.cpp:137
static constexpr bool DEFAULT_NATPMP
Definition: mapport.h:8
static constexpr unsigned int DEFAULT_MAX_MEMPOOL_SIZE_MB
Default for -maxmempool, maximum megabytes of mempool memory usage.
static constexpr bool DEFAULT_ACCEPT_NON_STD_TXN
Default for -acceptnonstdtxn.
static constexpr unsigned int DEFAULT_MEMPOOL_EXPIRY_HOURS
Default for -mempoolexpiry, expiration time for mempool transactions in hours.
static constexpr unsigned int DEFAULT_BLOCKSONLY_MAX_MEMPOOL_SIZE_MB
Default for -maxmempool when blocksonly is set.
static constexpr bool DEFAULT_PERSIST_V1_DAT
Whether to fall back to legacy V1 serialization when writing mempool.dat.
std::optional< CAmount > ParseMoney(const std::string &money_string)
Parse an amount denoted in full coins.
Definition: moneystr.cpp:45
std::string FormatMoney(const CAmount n)
Money parsing/formatting utilities.
Definition: moneystr.cpp:19
constexpr auto RATELIMIT_WINDOW
Definition: logging.h:132
constexpr bool DEFAULT_LOGRATELIMIT
Definition: logging.h:133
constexpr uint64_t RATELIMIT_MAX_BYTES
Definition: logging.h:131
@ IPC
Definition: logging.h:110
bilingual_str AmountErrMsg(const std::string &optname, const std::string &strValue)
Definition: messages.cpp:168
bilingual_str ResolveErrMsg(const std::string &optname, const std::string &strBind)
Definition: messages.cpp:153
bilingual_str InvalidPortErrMsg(const std::string &optname, const std::string &invalid_value)
Definition: messages.cpp:158
void AddLoggingArgs(ArgsManager &argsman)
Definition: common.cpp:27
util::Result< void > SetLoggingCategories(const ArgsManager &args)
Definition: common.cpp:79
bool StartLogging(const ArgsManager &args)
Definition: common.cpp:104
util::Result< void > SetLoggingLevel(const ArgsManager &args)
Definition: common.cpp:60
void SetLoggingOptions(const ArgsManager &args)
Definition: common.cpp:46
void LogPackageVersion()
Definition: common.cpp:145
std::unique_ptr< Chain > MakeChain(node::NodeContext &node)
Return implementation of Chain interface.
Definition: interfaces.cpp:999
Definition: ipc.h:12
static constexpr bool DEFAULT_XOR_BLOCKSDIR
util::Result< void > SanityChecks(const Context &)
Ensure a usable environment with all necessary library support.
Definition: checks.cpp:15
Definition: messages.h:21
ChainstateLoadStatus
Chainstate load status.
Definition: chainstate.h:44
@ FAILURE
Generic failure which reindexing may fix.
std::tuple< ChainstateLoadStatus, bilingual_str > ChainstateLoadResult
Chainstate load status code and optional error string.
Definition: chainstate.h:54
CacheSizes CalculateCacheSizes(const ArgsManager &args, size_t n_indexes)
Definition: caches.cpp:40
fs::path MempoolPath(const ArgsManager &argsman)
void LogOversizedDbCache(const ArgsManager &args) noexcept
Definition: caches.cpp:55
util::Result< void > ApplyArgsManOptions(const ArgsManager &args, BlockManager::Options &opts)
static const bool DEFAULT_PRINT_MODIFIED_FEE
Definition: miner.h:40
bool ShouldPersistMempool(const ArgsManager &argsman)
void ReadNotificationArgs(const ArgsManager &args, KernelNotifications &notifications)
ChainstateLoadResult LoadChainstate(ChainstateManager &chainman, const CacheSizes &cache_sizes, const ChainstateLoadOptions &options)
Definition: chainstate.cpp:144
ChainstateLoadResult VerifyLoadedChainstate(ChainstateManager &chainman, const ChainstateLoadOptions &options)
Definition: chainstate.cpp:233
bool LoadMempool(CTxMemPool &pool, const fs::path &load_path, Chainstate &active_chainstate, ImportMempoolOptions &&opts)
Import the file and attempt to add its contents to the mempool.
static constexpr bool DEFAULT_PERSIST_MEMPOOL
Default for -persistmempool, indicating whether the node should attempt to automatically load the mem...
static constexpr int DEFAULT_STOPATHEIGHT
void ImportBlocks(ChainstateManager &chainman, std::span< const fs::path > import_paths)
bool DumpMempool(const CTxMemPool &pool, const fs::path &dump_path, FopenFn mockable_fopen_function, bool skip_file_commit)
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 ThreadRename(const std::string &)
Rename a thread both in terms of an internal (in-memory) name as well as its system thread name.
Definition: threadnames.cpp:55
bilingual_str ErrorString(const Result< T > &result)
Definition: result.h:93
void TraceThread(std::string_view thread_name, std::function< void()> thread_func)
A wrapper for do-something-once thread functions.
Definition: thread.cpp:16
std::string ToString(const T &t)
Locale-independent version of std::to_string.
Definition: string.h:245
auto Join(const C &container, const S &separator, UnaryOp unary_op)
Join all container items.
Definition: string.h:204
void ReplaceAll(std::string &in_out, const std::string &search, const std::string &substitute)
Definition: string.cpp:11
LockResult LockDirectory(const fs::path &directory, const fs::path &lockfile_name, bool probe_only)
Definition: fs_helpers.cpp:47
uint16_t GetListenPort()
Definition: net.cpp:138
bool fDiscover
Definition: net.cpp:116
bool AddLocal(const CService &addr_, int nScore)
Definition: net.cpp:277
bool fListen
Definition: net.cpp:117
std::string strSubVersion
Subversion as sent to the P2P network in version messages.
Definition: net.cpp:120
void Discover()
Look up IP addresses from all interfaces on the machine and add them to the list of local addresses t...
Definition: net.cpp:3356
static const unsigned int DEFAULT_MAX_PEER_CONNECTIONS
The maximum number of peer connections to maintain.
Definition: net.h:81
static constexpr bool DEFAULT_PRIVATE_BROADCAST
Default for -privatebroadcast.
Definition: net.h:89
static const unsigned int MAX_SUBVERSION_LENGTH
Maximum length of the user agent string in version message.
Definition: net.h:67
static const int MAX_ADDNODE_CONNECTIONS
Maximum number of addnode outgoing nodes.
Definition: net.h:71
static const size_t DEFAULT_MAXSENDBUFFER
Definition: net.h:99
static const int NUM_FDS_MESSAGE_CAPTURE
Number of file descriptors required for message capture.
Definition: net.h:91
static constexpr bool DEFAULT_FIXEDSEEDS
Definition: net.h:97
static const bool DEFAULT_BLOCKSONLY
Default for blocks only.
Definition: net.h:85
static const size_t DEFAULT_MAXRECEIVEBUFFER
Definition: net.h:98
static const std::string DEFAULT_MAX_UPLOAD_TARGET
The default for -maxuploadtarget.
Definition: net.h:83
static constexpr bool DEFAULT_FORCEDNSSEED
Definition: net.h:95
static constexpr size_t MAX_PRIVATE_BROADCAST_CONNECTIONS
Maximum number of private broadcast connections.
Definition: net.h:77
static constexpr bool DEFAULT_DNSSEED
Definition: net.h:96
static const bool DEFAULT_LISTEN
-listen default
Definition: net.h:79
static const int64_t DEFAULT_PEER_CONNECT_TIMEOUT
-peertimeout default
Definition: net.h:87
@ LOCAL_MANUAL
Definition: net.h:158
static constexpr bool DEFAULT_V2_TRANSPORT
Definition: net.h:101
const std::vector< std::string > NET_PERMISSIONS_DOC
constexpr bool DEFAULT_WHITELISTFORCERELAY
Default for -whitelistforcerelay.
constexpr bool DEFAULT_WHITELISTRELAY
Default for -whitelistrelay.
static const uint32_t DEFAULT_BLOCK_RECONSTRUCTION_EXTRA_TXN
Default number of non-mempool transactions to keep around for block reconstruction.
static constexpr bool DEFAULT_TXRECONCILIATION_ENABLE
Whether transaction reconciliation protocol should be enabled by default.
static const bool DEFAULT_PEERBLOCKFILTERS
static const bool DEFAULT_PEERBLOOMFILTERS
Network
A network type.
Definition: netaddress.h:33
@ NET_I2P
I2P.
Definition: netaddress.h:47
@ NET_CJDNS
CJDNS.
Definition: netaddress.h:50
@ NET_ONION
TOR (v2 or v3)
Definition: netaddress.h:44
@ NET_IPV6
IPv6.
Definition: netaddress.h:41
@ NET_IPV4
IPv4.
Definition: netaddress.h:38
@ NET_UNROUTABLE
Addresses from these networks are not publicly routable on the global Internet.
Definition: netaddress.h:35
bool SetNameProxy(const Proxy &addrProxy)
Set the name proxy to use for all connections to nodes specified by a hostname.
Definition: netbase.cpp:718
enum Network ParseNetwork(const std::string &net_in)
Definition: netbase.cpp:100
bool SetProxy(enum Network net, const Proxy &addrProxy)
Definition: netbase.cpp:700
std::vector< CService > Lookup(const std::string &name, uint16_t portDefault, bool fAllowLookup, unsigned int nMaxSolutions, DNSLookupFn dns_lookup_function)
Resolve a service string to its corresponding service.
Definition: netbase.cpp:191
ReachableNets g_reachable_nets
Definition: netbase.cpp:43
bool fNameLookup
Definition: netbase.cpp:37
int nConnectTimeout
Definition: netbase.cpp:36
bool IsUnixSocketPath(const std::string &name)
Check if a string is a valid UNIX domain socket path.
Definition: netbase.cpp:226
bool IsBadPort(uint16_t port)
Determine if a port is "bad" from the perspective of attempting to connect to a node on that port.
Definition: netbase.cpp:847
std::vector< std::string > GetNetworkNames(bool append_unroutable)
Return a vector of publicly routable Network names; optionally append NET_UNROUTABLE.
Definition: netbase.cpp:130
ConnectionDirection
Definition: netbase.h:33
static const int DEFAULT_NAME_LOOKUP
-dns default
Definition: netbase.h:28
const std::string ADDR_PREFIX_UNIX
Prefix for unix domain socket addresses (which are local filesystem paths)
Definition: netbase.h:31
static const int DEFAULT_CONNECT_TIMEOUT
-timeout default
Definition: netbase.h:26
static constexpr size_t MIN_DB_CACHE
min. -dbcache (bytes)
Definition: caches.h:16
static constexpr size_t DEFAULT_DB_CACHE
-dbcache default (bytes)
Definition: caches.h:18
unsigned int nBytesPerSigOp
Definition: settings.cpp:10
static const unsigned int MAX_OP_RETURN_RELAY
Default setting for -datacarriersize in vbytes.
Definition: policy.h:81
static constexpr unsigned int DEFAULT_BLOCK_MIN_TX_FEE
Default for -blockmintxfee, which sets the minimum feerate for a transaction in blocks created by min...
Definition: policy.h:33
static constexpr unsigned int DEFAULT_INCREMENTAL_RELAY_FEE
Default for -incrementalrelayfee, which sets the minimum feerate increase for mempool limiting or rep...
Definition: policy.h:45
static constexpr bool DEFAULT_PERMIT_BAREMULTISIG
Default for -permitbaremultisig.
Definition: policy.h:49
static constexpr unsigned int DUST_RELAY_TX_FEE
Min feerate for defining dust.
Definition: policy.h:65
static constexpr unsigned int DEFAULT_DESCENDANT_LIMIT
Default for -limitdescendantcount, max number of in-mempool descendants.
Definition: policy.h:75
static constexpr unsigned int DEFAULT_BYTES_PER_SIGOP
Default for -bytespersigop.
Definition: policy.h:47
static constexpr unsigned int DEFAULT_BLOCK_MAX_WEIGHT
Default for -blockmaxweight, which controls the range of block weights the mining code will create.
Definition: policy.h:24
static constexpr unsigned int DEFAULT_CLUSTER_SIZE_LIMIT_KVB
Maximum size of cluster in virtual kilobytes.
Definition: policy.h:71
static constexpr unsigned int DEFAULT_BLOCK_RESERVED_WEIGHT
Default for -blockreservedweight.
Definition: policy.h:26
static const bool DEFAULT_ACCEPT_DATACARRIER
Default for -datacarrier.
Definition: policy.h:77
static constexpr unsigned int DEFAULT_ANCESTOR_LIMIT
Default for -limitancestorcount, max number of in-mempool ancestors.
Definition: policy.h:73
static constexpr unsigned int MINIMUM_BLOCK_RESERVED_WEIGHT
This accounts for the block header, var_int encoding of the transaction count and a minimally viable ...
Definition: policy.h:31
static constexpr unsigned int DEFAULT_CLUSTER_LIMIT
Maximum number of transactions per cluster (default)
Definition: policy.h:69
static constexpr unsigned int DEFAULT_MIN_RELAY_TX_FEE
Default for -minrelaytxfee, minimum relay fee for transactions.
Definition: policy.h:67
ServiceFlags
nServices flags
Definition: protocol.h:309
@ NODE_P2P_V2
Definition: protocol.h:330
@ NODE_WITNESS
Definition: protocol.h:320
@ NODE_NETWORK_LIMITED
Definition: protocol.h:327
@ NODE_BLOOM
Definition: protocol.h:317
@ NODE_NETWORK
Definition: protocol.h:315
@ NODE_COMPACT_FILTERS
Definition: protocol.h:323
void RandAddPeriodic() noexcept
Gather entropy from various expensive sources, and feed them to the PRNG state.
Definition: random.cpp:612
static void RegisterAllCoreRPCCommands(CRPCTable &t)
Definition: register.h:26
const char * prefix
Definition: rest.cpp:1142
bool(* handler)(const std::any &context, HTTPRequest *req, const std::string &strReq)
Definition: rest.cpp:1143
const char * name
Definition: rest.cpp:48
const std::string UNIX_EPOCH_TIME
String used to describe UNIX epoch time in documentation, factored out to a constant for consistency.
Definition: util.cpp:43
static constexpr bool DEFAULT_RPC_DOC_CHECK
Definition: util.h:46
void SetRPCWarmupFinished()
Definition: server.cpp:324
void StartRPC()
Definition: server.cpp:273
void StopRPC()
Definition: server.cpp:290
void InterruptRPC()
Definition: server.cpp:279
void SetRPCWarmupStatus(const std::string &newStatus)
Set the RPC warmup status.
Definition: server.cpp:312
CRPCTable tableRPC
Definition: server.cpp:544
void RpcInterruptionPoint()
Throw JSONRPCError if RPC is not running.
Definition: server.cpp:307
static constexpr size_t DEFAULT_VALIDATION_CACHE_BYTES
Definition: sigcache.h:28
@ SAFE_CHARS_UA_COMMENT
BIP-0014 subset.
Definition: strencodings.h:33
unsigned int nReceiveFloodSize
Definition: net.h:1083
std::vector< NetWhitebindPermissions > vWhiteBinds
Definition: net.h:1089
uint64_t nMaxOutboundLimit
Definition: net.h:1084
CClientUIInterface * uiInterface
Definition: net.h:1079
std::vector< NetWhitelistPermissions > vWhitelistedRangeIncoming
Definition: net.h:1087
std::vector< CService > onion_binds
Definition: net.h:1091
std::vector< std::string > m_specified_outgoing
Definition: net.h:1096
bool whitelist_relay
Definition: net.h:1100
NetEventsInterface * m_msgproc
Definition: net.h:1080
std::vector< std::string > m_added_nodes
Definition: net.h:1097
int64_t m_peer_connect_timeout
Definition: net.h:1085
std::vector< CService > vBinds
Definition: net.h:1090
bool m_capture_messages
Definition: net.h:1101
unsigned int nSendBufferMaxSize
Definition: net.h:1082
int m_max_automatic_connections
Definition: net.h:1078
ServiceFlags m_local_services
Definition: net.h:1077
bool m_i2p_accept_incoming
Definition: net.h:1098
std::vector< std::string > vSeedNodes
Definition: net.h:1086
BanMan * m_banman
Definition: net.h:1081
bool m_use_addrman_outgoing
Definition: net.h:1095
bool whitelist_forcerelay
Definition: net.h:1099
bool bind_on_any
True if the user did not specify -bind= or -whitebind= and thus we should bind on 0....
Definition: net.h:1094
std::vector< NetWhitelistPermissions > vWhitelistedRangeOutgoing
Definition: net.h:1088
Application-specific storage settings.
Definition: dbwrapper.h:33
fs::path path
Location in the filesystem where leveldb data will be stored.
Definition: dbwrapper.h:35
std::string name
Definition: base.h:31
bool synced
Definition: base.h:32
uint256 best_block_hash
Definition: base.h:34
Bilingual messages:
Definition: translation.h:24
bool empty() const
Definition: translation.h:35
Block and header tip information.
Definition: node.h:50
size_t block_tree_db
Definition: caches.h:24
size_t coins
Definition: caches.h:26
An options struct for ChainstateManager, more ergonomically referred to as ChainstateManager::Options...
Context struct holding the kernel library's logically global state, and passed to external libbitcoin...
Definition: context.h:16
Options struct containing options for constructing a CTxMemPool.
bool require_full_verification
Setting require_full_verification to true will require all checks at check_level (below) to succeed f...
Definition: chainstate.h:34
std::function< void()> coins_error_cb
Definition: chainstate.h:37
NodeContext struct containing references to chain state and connection state.
Definition: context.h:56
#define WAIT_LOCK(cs, name)
Definition: sync.h:265
#define LOCK(cs)
Definition: sync.h:259
#define WITH_LOCK(cs, code)
Run code while locking a mutex.
Definition: sync.h:290
#define TRY_LOCK(cs, name)
Definition: sync.h:264
std::string SysErrorString(int err)
Return system error string from errno value.
Definition: syserror.cpp:17
#define EXCLUSIVE_LOCKS_REQUIRED(...)
Definition: threadsafety.h:51
#define strprintf
Format arguments and return the string or write to given std::ostream (see tinyformat::format doc for...
Definition: tinyformat.h:1172
const std::string DEFAULT_TOR_CONTROL
Default control ip and port.
Definition: torcontrol.cpp:51
void InterruptTorControl()
Definition: torcontrol.cpp:706
CService DefaultOnionServiceTarget(uint16_t port)
Definition: torcontrol.cpp:725
void StartTorControl(CService onion_service_target)
Definition: torcontrol.cpp:687
void StopTorControl()
Definition: torcontrol.cpp:716
constexpr uint16_t DEFAULT_TOR_SOCKS_PORT
Functionality for communicating with Tor.
Definition: torcontrol.h:22
static const bool DEFAULT_LISTEN_ONION
Definition: torcontrol.h:25
constexpr int DEFAULT_TOR_CONTROL_PORT
Definition: torcontrol.h:23
consteval auto _(util::TranslatedLiteral str)
Definition: translation.h:79
bilingual_str Untranslated(std::string original)
Mark a bilingual_str as untranslated.
Definition: translation.h:82
static constexpr unsigned MAX_CLUSTER_COUNT_LIMIT
Definition: txgraph.h:17
std::unique_ptr< TxIndex > g_txindex
The global transaction index, used in GetTransaction. May be null.
Definition: txindex.cpp:35
static constexpr bool DEFAULT_TXINDEX
Definition: txindex.h:19
std::vector< bool > DecodeAsmap(fs::path path)
Read asmap from provided binary file.
Definition: asmap.cpp:197
bool SplitHostPort(std::string_view in, uint16_t &portOut, std::string &hostOut)
Splits socket address string into host string and port value.
std::optional< uint64_t > ParseByteUnits(std::string_view str, ByteUnit default_multiplier)
Parse a string with suffix unit [k|K|m|M|g|G|t|T].
std::string ToLower(std::string_view str)
Returns the lowercase equivalent of the given string.
std::string SanitizeString(std::string_view str, int rule)
Remove unsafe chars.
void SetMockTime(int64_t nMockTimeIn)
DEPRECATED Use SetMockTime with chrono type.
Definition: time.cpp:40
const std::vector< std::string > CHECKLEVEL_DOC
Documentation for argument 'checklevel'.
Definition: validation.cpp:102
assert(!tx.IsCoinBase())
static constexpr int MAX_SCRIPTCHECK_THREADS
Maximum number of dedicated script-checking threads allowed.
Definition: validation.h:89
static constexpr int DEFAULT_CHECKLEVEL
Definition: validation.h:77
static const uint64_t MIN_DISK_SPACE_FOR_BLOCK_FILES
Definition: validation.h:86
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:75
SynchronizationState
Current sync state passed to tip changed callbacks.
Definition: validation.h:92
static const signed int DEFAULT_CHECKBLOCKS
Definition: validation.h:76
const WalletInitInterface & g_wallet_init_interface
Definition: init.cpp:117
std::unique_ptr< CZMQNotificationInterface > g_zmq_notification_interface
void RegisterZMQRPCCommands(CRPCTable &t)
Definition: zmqrpc.cpp:66