Coverage Report

Created: 2024-08-21 05:08

/workdir/bitcoin/src/init.cpp
Line
Count
Source (jump to first uncovered line)
1
// Copyright (c) 2009-2010 Satoshi Nakamoto
2
// Copyright (c) 2009-2022 The Bitcoin Core developers
3
// Distributed under the MIT software license, see the accompanying
4
// file COPYING or http://www.opensource.org/licenses/mit-license.php.
5
6
#include <config/bitcoin-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 <deploymentstatus.h>
23
#include <hash.h>
24
#include <httprpc.h>
25
#include <httpserver.h>
26
#include <index/blockfilterindex.h>
27
#include <index/coinstatsindex.h>
28
#include <index/txindex.h>
29
#include <init/common.h>
30
#include <interfaces/chain.h>
31
#include <interfaces/init.h>
32
#include <interfaces/mining.h>
33
#include <interfaces/node.h>
34
#include <kernel/context.h>
35
#include <key.h>
36
#include <logging.h>
37
#include <mapport.h>
38
#include <net.h>
39
#include <net_permissions.h>
40
#include <net_processing.h>
41
#include <netbase.h>
42
#include <netgroup.h>
43
#include <node/blockmanager_args.h>
44
#include <node/blockstorage.h>
45
#include <node/caches.h>
46
#include <node/chainstate.h>
47
#include <node/chainstatemanager_args.h>
48
#include <node/context.h>
49
#include <node/interface_ui.h>
50
#include <node/kernel_notifications.h>
51
#include <node/mempool_args.h>
52
#include <node/mempool_persist.h>
53
#include <node/mempool_persist_args.h>
54
#include <node/miner.h>
55
#include <node/peerman_args.h>
56
#include <policy/feerate.h>
57
#include <policy/fees.h>
58
#include <policy/fees_args.h>
59
#include <policy/policy.h>
60
#include <policy/settings.h>
61
#include <protocol.h>
62
#include <rpc/blockchain.h>
63
#include <rpc/register.h>
64
#include <rpc/server.h>
65
#include <rpc/util.h>
66
#include <scheduler.h>
67
#include <script/sigcache.h>
68
#include <sync.h>
69
#include <torcontrol.h>
70
#include <txdb.h>
71
#include <txmempool.h>
72
#include <util/asmap.h>
73
#include <util/batchpriority.h>
74
#include <util/chaintype.h>
75
#include <util/check.h>
76
#include <util/fs.h>
77
#include <util/fs_helpers.h>
78
#include <util/moneystr.h>
79
#include <util/result.h>
80
#include <util/signalinterrupt.h>
81
#include <util/strencodings.h>
82
#include <util/string.h>
83
#include <util/syserror.h>
84
#include <util/thread.h>
85
#include <util/threadnames.h>
86
#include <util/time.h>
87
#include <util/translation.h>
88
#include <validation.h>
89
#include <validationinterface.h>
90
#include <walletinitinterface.h>
91
92
#include <algorithm>
93
#include <condition_variable>
94
#include <cstdint>
95
#include <cstdio>
96
#include <fstream>
97
#include <functional>
98
#include <set>
99
#include <string>
100
#include <thread>
101
#include <vector>
102
103
#ifndef WIN32
104
#include <cerrno>
105
#include <signal.h>
106
#include <sys/stat.h>
107
#endif
108
109
#include <boost/signals2/signal.hpp>
110
111
#ifdef ENABLE_ZMQ
112
#include <zmq/zmqabstractnotifier.h>
113
#include <zmq/zmqnotificationinterface.h>
114
#include <zmq/zmqrpc.h>
115
#endif
116
117
using common::AmountErrMsg;
118
using common::InvalidPortErrMsg;
119
using common::ResolveErrMsg;
120
121
using node::ApplyArgsManOptions;
122
using node::BlockManager;
123
using node::CacheSizes;
124
using node::CalculateCacheSizes;
125
using node::DEFAULT_PERSIST_MEMPOOL;
126
using node::DEFAULT_PRINT_MODIFIED_FEE;
127
using node::DEFAULT_STOPATHEIGHT;
128
using node::DumpMempool;
129
using node::LoadMempool;
130
using node::KernelNotifications;
131
using node::LoadChainstate;
132
using node::MempoolPath;
133
using node::NodeContext;
134
using node::ShouldPersistMempool;
135
using node::ImportBlocks;
136
using node::VerifyLoadedChainstate;
137
using util::Join;
138
using util::ReplaceAll;
139
using util::ToString;
140
141
static constexpr bool DEFAULT_PROXYRANDOMIZE{true};
142
static constexpr bool DEFAULT_REST_ENABLE{false};
143
static constexpr bool DEFAULT_I2P_ACCEPT_INCOMING{true};
144
static constexpr bool DEFAULT_STOPAFTERBLOCKIMPORT{false};
145
146
#ifdef WIN32
147
// Win32 LevelDB doesn't use filedescriptors, and the ones used for
148
// accessing block files don't count towards the fd_set size limit
149
// anyway.
150
#define MIN_CORE_FILEDESCRIPTORS 0
151
#else
152
0
#define MIN_CORE_FILEDESCRIPTORS 150
153
#endif
154
155
static const char* DEFAULT_ASMAP_FILENAME="ip_asn.map";
156
157
/**
158
 * The PID file facilities.
159
 */
160
static const char* BITCOIN_PID_FILENAME = "bitcoind.pid";
161
/**
162
 * True if this process has created a PID file.
163
 * Used to determine whether we should remove the PID file on shutdown.
164
 */
165
static bool g_generated_pid{false};
166
167
static fs::path GetPidFile(const ArgsManager& args)
168
0
{
169
0
    return AbsPathForConfigVal(args, args.GetPathArg("-pid", BITCOIN_PID_FILENAME));
170
0
}
171
172
[[nodiscard]] static bool CreatePidFile(const ArgsManager& args)
173
0
{
174
0
    std::ofstream file{GetPidFile(args)};
175
0
    if (file) {
  Branch (175:9): [True: 0, False: 0]
176
#ifdef WIN32
177
        tfm::format(file, "%d\n", GetCurrentProcessId());
178
#else
179
0
        tfm::format(file, "%d\n", getpid());
180
0
#endif
181
0
        g_generated_pid = true;
182
0
        return true;
183
0
    } else {
184
0
        return InitError(strprintf(_("Unable to create the PID file '%s': %s"), fs::PathToString(GetPidFile(args)), SysErrorString(errno)));
185
0
    }
186
0
}
187
188
static void RemovePidFile(const ArgsManager& args)
189
0
{
190
0
    if (!g_generated_pid) return;
  Branch (190:9): [True: 0, False: 0]
191
0
    const auto pid_path{GetPidFile(args)};
192
0
    if (std::error_code error; !fs::remove(pid_path, error)) {
  Branch (192:32): [True: 0, False: 0]
193
0
        std::string msg{error ? error.message() : "File does not exist"};
  Branch (193:25): [True: 0, False: 0]
194
0
        LogPrintf("Unable to remove PID file (%s): %s\n", fs::PathToString(pid_path), msg);
195
0
    }
196
0
}
197
198
static std::optional<util::SignalInterrupt> g_shutdown;
199
200
void InitContext(NodeContext& node)
201
0
{
202
0
    assert(!g_shutdown);
203
0
    g_shutdown.emplace();
204
205
0
    node.args = &gArgs;
206
0
    node.shutdown = &*g_shutdown;
207
0
}
208
209
//////////////////////////////////////////////////////////////////////////////
210
//
211
// Shutdown
212
//
213
214
//
215
// Thread management and startup/shutdown:
216
//
217
// The network-processing threads are all part of a thread group
218
// created by AppInit() or the Qt main() function.
219
//
220
// A clean exit happens when the SignalInterrupt object is triggered, which
221
// makes the main thread's SignalInterrupt::wait() call return, and join all
222
// other ongoing threads in the thread group to the main thread.
223
// Shutdown() is then called to clean up database connections, and stop other
224
// threads that should only be stopped after the main network-processing
225
// threads have exited.
226
//
227
// Shutdown for Qt is very similar, only it uses a QTimer to detect
228
// ShutdownRequested() getting set, and then does the normal Qt
229
// shutdown thing.
230
//
231
232
bool ShutdownRequested(node::NodeContext& node)
233
0
{
234
0
    return bool{*Assert(node.shutdown)};
235
0
}
236
237
#if HAVE_SYSTEM
238
static void ShutdownNotify(const ArgsManager& args)
239
0
{
240
0
    std::vector<std::thread> threads;
241
0
    for (const auto& cmd : args.GetArgs("-shutdownnotify")) {
  Branch (241:26): [True: 0, False: 0]
242
0
        threads.emplace_back(runCommand, cmd);
243
0
    }
244
0
    for (auto& t : threads) {
  Branch (244:18): [True: 0, False: 0]
245
0
        t.join();
246
0
    }
247
0
}
248
#endif
249
250
void Interrupt(NodeContext& node)
251
0
{
252
0
#if HAVE_SYSTEM
253
0
    ShutdownNotify(*node.args);
254
0
#endif
255
0
    InterruptHTTPServer();
256
0
    InterruptHTTPRPC();
257
0
    InterruptRPC();
258
0
    InterruptREST();
259
0
    InterruptTorControl();
260
0
    InterruptMapPort();
261
0
    if (node.connman)
  Branch (261:9): [True: 0, False: 0]
262
0
        node.connman->Interrupt();
263
0
    for (auto* index : node.indexes) {
  Branch (263:22): [True: 0, False: 0]
264
0
        index->Interrupt();
265
0
    }
266
0
}
267
268
void Shutdown(NodeContext& node)
269
0
{
270
0
    static Mutex g_shutdown_mutex;
271
0
    TRY_LOCK(g_shutdown_mutex, lock_shutdown);
272
0
    if (!lock_shutdown) return;
  Branch (272:9): [True: 0, False: 0]
273
0
    LogPrintf("%s: In progress...\n", __func__);
274
0
    Assert(node.args);
275
276
    /// Note: Shutdown() must be able to handle cases in which initialization failed part of the way,
277
    /// for example if the data directory was found to be locked.
278
    /// Be sure that anything that writes files or flushes caches only does this if the respective
279
    /// module was initialized.
280
0
    util::ThreadRename("shutoff");
281
0
    if (node.mempool) node.mempool->AddTransactionsUpdated(1);
  Branch (281:9): [True: 0, False: 0]
282
283
0
    StopHTTPRPC();
284
0
    StopREST();
285
0
    StopRPC();
286
0
    StopHTTPServer();
287
0
    for (const auto& client : node.chain_clients) {
  Branch (287:29): [True: 0, False: 0]
288
0
        client->flush();
289
0
    }
290
0
    StopMapPort();
291
292
    // Because these depend on each-other, we make sure that neither can be
293
    // using the other before destroying them.
294
0
    if (node.peerman && node.validation_signals) node.validation_signals->UnregisterValidationInterface(node.peerman.get());
  Branch (294:9): [True: 0, False: 0]
  Branch (294:25): [True: 0, False: 0]
295
0
    if (node.connman) node.connman->Stop();
  Branch (295:9): [True: 0, False: 0]
296
297
0
    StopTorControl();
298
299
0
    if (node.chainman && node.chainman->m_thread_load.joinable()) node.chainman->m_thread_load.join();
  Branch (299:9): [True: 0, False: 0]
  Branch (299:26): [True: 0, False: 0]
300
    // After everything has been shut down, but before things get flushed, stop the
301
    // the scheduler. After this point, SyncWithValidationInterfaceQueue() should not be called anymore
302
    // as this would prevent the shutdown from completing.
303
0
    if (node.scheduler) node.scheduler->stop();
  Branch (303:9): [True: 0, False: 0]
304
305
    // After the threads that potentially access these pointers have been stopped,
306
    // destruct and reset all to nullptr.
307
0
    node.peerman.reset();
308
0
    node.connman.reset();
309
0
    node.banman.reset();
310
0
    node.addrman.reset();
311
0
    node.netgroupman.reset();
312
313
0
    if (node.mempool && node.mempool->GetLoadTried() && ShouldPersistMempool(*node.args)) {
  Branch (313:9): [True: 0, False: 0]
  Branch (313:25): [True: 0, False: 0]
  Branch (313:57): [True: 0, False: 0]
314
0
        DumpMempool(*node.mempool, MempoolPath(*node.args));
315
0
    }
316
317
    // Drop transactions we were still watching, record fee estimations and unregister
318
    // fee estimator from validation interface.
319
0
    if (node.fee_estimator) {
  Branch (319:9): [True: 0, False: 0]
320
0
        node.fee_estimator->Flush();
321
0
        if (node.validation_signals) {
  Branch (321:13): [True: 0, False: 0]
322
0
            node.validation_signals->UnregisterValidationInterface(node.fee_estimator.get());
323
0
        }
324
0
    }
325
326
    // FlushStateToDisk generates a ChainStateFlushed callback, which we should avoid missing
327
0
    if (node.chainman) {
  Branch (327:9): [True: 0, False: 0]
328
0
        LOCK(cs_main);
329
0
        for (Chainstate* chainstate : node.chainman->GetAll()) {
  Branch (329:37): [True: 0, False: 0]
330
0
            if (chainstate->CanFlushToDisk()) {
  Branch (330:17): [True: 0, False: 0]
331
0
                chainstate->ForceFlushStateToDisk();
332
0
            }
333
0
        }
334
0
    }
335
336
    // After there are no more peers/RPC left to give us new data which may generate
337
    // CValidationInterface callbacks, flush them...
338
0
    if (node.validation_signals) node.validation_signals->FlushBackgroundCallbacks();
  Branch (338:9): [True: 0, False: 0]
339
340
    // Stop and delete all indexes only after flushing background callbacks.
341
0
    for (auto* index : node.indexes) index->Stop();
  Branch (341:22): [True: 0, False: 0]
342
0
    if (g_txindex) g_txindex.reset();
  Branch (342:9): [True: 0, False: 0]
343
0
    if (g_coin_stats_index) g_coin_stats_index.reset();
  Branch (343:9): [True: 0, False: 0]
344
0
    DestroyAllBlockFilterIndexes();
345
0
    node.indexes.clear(); // all instances are nullptr now
346
347
    // Any future callbacks will be dropped. This should absolutely be safe - if
348
    // missing a callback results in an unrecoverable situation, unclean shutdown
349
    // would too. The only reason to do the above flushes is to let the wallet catch
350
    // up with our current chain to avoid any strange pruning edge cases and make
351
    // next startup faster by avoiding rescan.
352
353
0
    if (node.chainman) {
  Branch (353:9): [True: 0, False: 0]
354
0
        LOCK(cs_main);
355
0
        for (Chainstate* chainstate : node.chainman->GetAll()) {
  Branch (355:37): [True: 0, False: 0]
356
0
            if (chainstate->CanFlushToDisk()) {
  Branch (356:17): [True: 0, False: 0]
357
0
                chainstate->ForceFlushStateToDisk();
358
0
                chainstate->ResetCoinsViews();
359
0
            }
360
0
        }
361
0
    }
362
0
    for (const auto& client : node.chain_clients) {
  Branch (362:29): [True: 0, False: 0]
363
0
        client->stop();
364
0
    }
365
366
#ifdef ENABLE_ZMQ
367
    if (g_zmq_notification_interface) {
368
        if (node.validation_signals) node.validation_signals->UnregisterValidationInterface(g_zmq_notification_interface.get());
369
        g_zmq_notification_interface.reset();
370
    }
371
#endif
372
373
0
    node.chain_clients.clear();
374
0
    if (node.validation_signals) {
  Branch (374:9): [True: 0, False: 0]
375
0
        node.validation_signals->UnregisterAllValidationInterfaces();
376
0
    }
377
0
    node.mempool.reset();
378
0
    node.fee_estimator.reset();
379
0
    node.chainman.reset();
380
0
    node.validation_signals.reset();
381
0
    node.scheduler.reset();
382
0
    node.ecc_context.reset();
383
0
    node.kernel.reset();
384
385
0
    RemovePidFile(*node.args);
386
387
0
    LogPrintf("%s: done\n", __func__);
388
0
}
389
390
/**
391
 * Signal handlers are very limited in what they are allowed to do.
392
 * The execution context the handler is invoked in is not guaranteed,
393
 * so we restrict handler operations to just touching variables:
394
 */
395
#ifndef WIN32
396
static void HandleSIGTERM(int)
397
0
{
398
    // Return value is intentionally ignored because there is not a better way
399
    // of handling this failure in a signal handler.
400
0
    (void)(*Assert(g_shutdown))();
401
0
}
402
403
static void HandleSIGHUP(int)
404
0
{
405
0
    LogInstance().m_reopen_file = true;
406
0
}
407
#else
408
static BOOL WINAPI consoleCtrlHandler(DWORD dwCtrlType)
409
{
410
    if (!(*Assert(g_shutdown))()) {
411
        LogError("Failed to send shutdown signal on Ctrl-C\n");
412
        return false;
413
    }
414
    Sleep(INFINITE);
415
    return true;
416
}
417
#endif
418
419
#ifndef WIN32
420
static void registerSignalHandler(int signal, void(*handler)(int))
421
0
{
422
0
    struct sigaction sa;
423
0
    sa.sa_handler = handler;
424
0
    sigemptyset(&sa.sa_mask);
425
0
    sa.sa_flags = 0;
426
0
    sigaction(signal, &sa, nullptr);
427
0
}
428
#endif
429
430
static boost::signals2::connection rpc_notify_block_change_connection;
431
static void OnRPCStarted()
432
0
{
433
0
    rpc_notify_block_change_connection = uiInterface.NotifyBlockTip_connect(std::bind(RPCNotifyBlockChange, std::placeholders::_2));
434
0
}
435
436
static void OnRPCStopped()
437
0
{
438
0
    rpc_notify_block_change_connection.disconnect();
439
0
    RPCNotifyBlockChange(nullptr);
440
0
    g_best_block_cv.notify_all();
441
0
    LogPrint(BCLog::RPC, "RPC stopped.\n");
442
0
}
443
444
void SetupServerArgs(ArgsManager& argsman)
445
0
{
446
0
    SetupHelpOptions(argsman);
447
0
    argsman.AddArg("-help-debug", "Print help message with debugging options and exit", ArgsManager::ALLOW_ANY, OptionsCategory::DEBUG_TEST); // server-only for now
448
449
0
    init::AddLoggingArgs(argsman);
450
451
0
    const auto defaultBaseParams = CreateBaseChainParams(ChainType::MAIN);
452
0
    const auto testnetBaseParams = CreateBaseChainParams(ChainType::TESTNET);
453
0
    const auto testnet4BaseParams = CreateBaseChainParams(ChainType::TESTNET4);
454
0
    const auto signetBaseParams = CreateBaseChainParams(ChainType::SIGNET);
455
0
    const auto regtestBaseParams = CreateBaseChainParams(ChainType::REGTEST);
456
0
    const auto defaultChainParams = CreateChainParams(argsman, ChainType::MAIN);
457
0
    const auto testnetChainParams = CreateChainParams(argsman, ChainType::TESTNET);
458
0
    const auto testnet4ChainParams = CreateChainParams(argsman, ChainType::TESTNET4);
459
0
    const auto signetChainParams = CreateChainParams(argsman, ChainType::SIGNET);
460
0
    const auto regtestChainParams = CreateChainParams(argsman, ChainType::REGTEST);
461
462
    // Hidden Options
463
0
    std::vector<std::string> hidden_args = {
464
0
        "-dbcrashratio", "-forcecompactdb",
465
        // GUI args. These will be overwritten by SetupUIArgs for the GUI
466
0
        "-choosedatadir", "-lang=<lang>", "-min", "-resetguisettings", "-splash", "-uiplatform"};
467
468
0
    argsman.AddArg("-version", "Print version and exit", ArgsManager::ALLOW_ANY, OptionsCategory::OPTIONS);
469
0
#if HAVE_SYSTEM
470
0
    argsman.AddArg("-alertnotify=<cmd>", "Execute command when an alert is raised (%s in cmd is replaced by message)", ArgsManager::ALLOW_ANY, OptionsCategory::OPTIONS);
471
0
#endif
472
0
    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);
473
0
    argsman.AddArg("-blocksdir=<dir>", "Specify directory to hold blocks subdirectory for *.dat files (default: <datadir>)", ArgsManager::ALLOW_ANY, OptionsCategory::OPTIONS);
474
0
    argsman.AddArg("-blocksxor",
475
0
                   strprintf("Whether an XOR-key applies to blocksdir *.dat files. "
476
0
                             "The created XOR-key will be zeros for an existing blocksdir or when `-blocksxor=0` is "
477
0
                             "set, and random for a freshly initialized blocksdir. "
478
0
                             "(default: %u)",
479
0
                             kernel::DEFAULT_XOR_BLOCKSDIR),
480
0
                   ArgsManager::ALLOW_ANY, OptionsCategory::OPTIONS);
481
0
    argsman.AddArg("-fastprune", "Use smaller block files and lower minimum prune height for testing purposes", ArgsManager::ALLOW_ANY | ArgsManager::DEBUG_ONLY, OptionsCategory::DEBUG_TEST);
482
0
#if HAVE_SYSTEM
483
0
    argsman.AddArg("-blocknotify=<cmd>", "Execute command when the best block changes (%s in cmd is replaced by block hash)", ArgsManager::ALLOW_ANY, OptionsCategory::OPTIONS);
484
0
#endif
485
0
    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);
486
0
    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);
487
0
    argsman.AddArg("-coinstatsindex", strprintf("Maintain coinstats index used by the gettxoutsetinfo RPC (default: %u)", DEFAULT_COINSTATSINDEX), ArgsManager::ALLOW_ANY, OptionsCategory::OPTIONS);
488
0
    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);
489
0
    argsman.AddArg("-datadir=<dir>", "Specify data directory", ArgsManager::ALLOW_ANY, OptionsCategory::OPTIONS);
490
0
    argsman.AddArg("-dbbatchsize", strprintf("Maximum database write batch size in bytes (default: %u)", nDefaultDbBatchSize), ArgsManager::ALLOW_ANY | ArgsManager::DEBUG_ONLY, OptionsCategory::OPTIONS);
491
0
    argsman.AddArg("-dbcache=<n>", strprintf("Maximum database cache size <n> MiB (%d to %d, default: %d). In addition, unused mempool memory is shared for this cache (see -maxmempool).", nMinDbCache, nMaxDbCache, nDefaultDbCache), ArgsManager::ALLOW_ANY, OptionsCategory::OPTIONS);
492
0
    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);
493
0
    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);
494
0
    argsman.AddArg("-loadblock=<file>", "Imports blocks from external file on startup", ArgsManager::ALLOW_ANY, OptionsCategory::OPTIONS);
495
0
    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);
496
0
    argsman.AddArg("-maxorphantx=<n>", strprintf("Keep at most <n> unconnectable transactions in memory (default: %u)", DEFAULT_MAX_ORPHAN_TRANSACTIONS), ArgsManager::ALLOW_ANY, OptionsCategory::OPTIONS);
497
0
    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);
498
0
    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);
499
0
    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)",
500
0
        MAX_SCRIPTCHECK_THREADS, DEFAULT_SCRIPTCHECK_THREADS), ArgsManager::ALLOW_ANY, OptionsCategory::OPTIONS);
501
0
    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);
502
0
    argsman.AddArg("-persistmempoolv1",
503
0
                   strprintf("Whether a mempool.dat file created by -persistmempool or the savemempool RPC will be written in the legacy format "
504
0
                             "(version 1) or the current format (version 2). This temporary option will be removed in the future. (default: %u)",
505
0
                             DEFAULT_PERSIST_V1_DAT),
506
0
                   ArgsManager::ALLOW_ANY, OptionsCategory::OPTIONS);
507
0
    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);
508
0
    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. "
509
0
            "Warning: Reverting this setting requires re-downloading the entire blockchain. "
510
0
            "(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);
511
0
    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);
512
0
    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);
513
0
    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);
514
0
#if HAVE_SYSTEM
515
0
    argsman.AddArg("-startupnotify=<cmd>", "Execute command on startup.", ArgsManager::ALLOW_ANY, OptionsCategory::OPTIONS);
516
0
    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);
517
0
#endif
518
0
    argsman.AddArg("-txindex", strprintf("Maintain a full transaction index, used by the getrawtransaction rpc call (default: %u)", DEFAULT_TXINDEX), ArgsManager::ALLOW_ANY, OptionsCategory::OPTIONS);
519
0
    argsman.AddArg("-blockfilterindex=<type>",
520
0
                 strprintf("Maintain an index of compact filters by block (default: %s, values: %s).", DEFAULT_BLOCKFILTERINDEX, ListBlockFilterTypes()) +
521
0
                 " If <type> is not supplied or if <type> = 1, indexes for all known types are enabled.",
522
0
                 ArgsManager::ALLOW_ANY, OptionsCategory::OPTIONS);
523
524
0
    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);
525
0
    argsman.AddArg("-asmap=<file>", strprintf("Specify asn mapping used for bucketing of the peers (default: %s). Relative paths will be prefixed by the net-specific datadir location.", DEFAULT_ASMAP_FILENAME), ArgsManager::ALLOW_ANY, OptionsCategory::CONNECTION);
526
0
    argsman.AddArg("-bantime=<n>", strprintf("Default duration (in seconds) of manually configured bans (default: %u)", DEFAULT_MISBEHAVING_BANTIME), ArgsManager::ALLOW_ANY, OptionsCategory::CONNECTION);
527
0
    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)", defaultBaseParams->OnionServiceTargetPort(), testnetBaseParams->OnionServiceTargetPort(), testnet4BaseParams->OnionServiceTargetPort(), signetBaseParams->OnionServiceTargetPort(), regtestBaseParams->OnionServiceTargetPort()), ArgsManager::ALLOW_ANY | ArgsManager::NETWORK_ONLY, OptionsCategory::CONNECTION);
528
0
    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);
529
0
    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);
530
0
    argsman.AddArg("-discover", "Discover own IP addresses (default: 1 when listening and no -externalip or -proxy)", ArgsManager::ALLOW_ANY, OptionsCategory::CONNECTION);
531
0
    argsman.AddArg("-dns", strprintf("Allow DNS lookups for -addnode, -seednode and -connect (default: %u)", DEFAULT_NAME_LOOKUP), ArgsManager::ALLOW_ANY, OptionsCategory::CONNECTION);
532
0
    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);
533
0
    argsman.AddArg("-externalip=<ip>", "Specify your own public address", ArgsManager::ALLOW_ANY, OptionsCategory::CONNECTION);
534
0
    argsman.AddArg("-fixedseeds", strprintf("Allow fixed seeds if DNS seeds don't provide peers (default: %u)", DEFAULT_FIXEDSEEDS), ArgsManager::ALLOW_ANY, OptionsCategory::CONNECTION);
535
0
    argsman.AddArg("-forcednsseed", strprintf("Always query for peer addresses via DNS lookup (default: %u)", DEFAULT_FORCEDNSSEED), ArgsManager::ALLOW_ANY, OptionsCategory::CONNECTION);
536
0
    argsman.AddArg("-listen", strprintf("Accept connections from outside (default: %u if no -proxy, -connect or -maxconnections=0)", DEFAULT_LISTEN), ArgsManager::ALLOW_ANY, OptionsCategory::CONNECTION);
537
0
    argsman.AddArg("-listenonion", strprintf("Automatically create Tor onion service (default: %d)", DEFAULT_LISTEN_ONION), ArgsManager::ALLOW_ANY, OptionsCategory::CONNECTION);
538
0
    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.", DEFAULT_MAX_PEER_CONNECTIONS, MAX_ADDNODE_CONNECTIONS), ArgsManager::ALLOW_ANY, OptionsCategory::CONNECTION);
539
0
    argsman.AddArg("-maxreceivebuffer=<n>", strprintf("Maximum per-connection receive buffer, <n>*1000 bytes (default: %u)", DEFAULT_MAXRECEIVEBUFFER), ArgsManager::ALLOW_ANY, OptionsCategory::CONNECTION);
540
0
    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);
541
0
    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);
542
0
#ifdef HAVE_SOCKADDR_UN
543
0
    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);
544
#else
545
    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);
546
#endif
547
0
    argsman.AddArg("-i2psam=<ip:port>", "I2P SAM proxy to reach I2P peers and accept I2P connections (default: none)", ArgsManager::ALLOW_ANY, OptionsCategory::CONNECTION);
548
0
    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);
549
0
    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);
550
0
    argsman.AddArg("-v2transport", strprintf("Support v2 transport (default: %u)", DEFAULT_V2_TRANSPORT), ArgsManager::ALLOW_ANY, OptionsCategory::CONNECTION);
551
0
    argsman.AddArg("-peerbloomfilters", strprintf("Support filtering of blocks and transaction with bloom filters (default: %u)", DEFAULT_PEERBLOOMFILTERS), ArgsManager::ALLOW_ANY, OptionsCategory::CONNECTION);
552
0
    argsman.AddArg("-peerblockfilters", strprintf("Serve compact block filters to peers per BIP 157 (default: %u)", DEFAULT_PEERBLOCKFILTERS), ArgsManager::ALLOW_ANY, OptionsCategory::CONNECTION);
553
0
    argsman.AddArg("-txreconciliation", strprintf("Enable transaction reconciliations per BIP 330 (default: %d)", DEFAULT_TXRECONCILIATION_ENABLE), ArgsManager::ALLOW_ANY | ArgsManager::DEBUG_ONLY, OptionsCategory::CONNECTION);
554
0
    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).", defaultChainParams->GetDefaultPort(), testnetChainParams->GetDefaultPort(), testnet4ChainParams->GetDefaultPort(), signetChainParams->GetDefaultPort(), regtestChainParams->GetDefaultPort()), ArgsManager::ALLOW_ANY | ArgsManager::NETWORK_ONLY, OptionsCategory::CONNECTION);
555
0
#ifdef HAVE_SOCKADDR_UN
556
0
    argsman.AddArg("-proxy=<ip:port|path>", "Connect through SOCKS5 proxy, set -noproxy to disable (default: disabled). May be a local file path prefixed with 'unix:' if the proxy supports it.", ArgsManager::ALLOW_ANY | ArgsManager::DISALLOW_ELISION, OptionsCategory::CONNECTION);
557
#else
558
    argsman.AddArg("-proxy=<ip:port>", "Connect through SOCKS5 proxy, set -noproxy to disable (default: disabled)", ArgsManager::ALLOW_ANY | ArgsManager::DISALLOW_ELISION, OptionsCategory::CONNECTION);
559
#endif
560
0
    argsman.AddArg("-proxyrandomize", strprintf("Randomize credentials for every proxy connection. This enables Tor stream isolation (default: %u)", DEFAULT_PROXYRANDOMIZE), ArgsManager::ALLOW_ANY, OptionsCategory::CONNECTION);
561
0
    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);
562
0
    argsman.AddArg("-networkactive", "Enable all P2P network activity (default: 1). Can be changed by the setnetworkactive RPC command", ArgsManager::ALLOW_ANY, OptionsCategory::CONNECTION);
563
0
    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);
564
0
    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);
565
0
    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);
566
0
    argsman.AddArg("-torpassword=<pass>", "Tor control port password (default: empty)", ArgsManager::ALLOW_ANY | ArgsManager::SENSITIVE, OptionsCategory::CONNECTION);
567
#ifdef USE_UPNP
568
    argsman.AddArg("-upnp", strprintf("Use UPnP to map the listening port (default: %u)", DEFAULT_UPNP), ArgsManager::ALLOW_ANY, OptionsCategory::CONNECTION);
569
#else
570
0
    hidden_args.emplace_back("-upnp");
571
0
#endif
572
#ifdef USE_NATPMP
573
    argsman.AddArg("-natpmp", strprintf("Use NAT-PMP to map the listening port (default: %u)", DEFAULT_NATPMP), ArgsManager::ALLOW_ANY, OptionsCategory::CONNECTION);
574
#else
575
0
    hidden_args.emplace_back("-natpmp");
576
0
#endif // USE_NATPMP
577
0
    argsman.AddArg("-whitebind=<[permissions@]addr>", "Bind to the given address and add permission flags to the peers connecting to it. "
578
0
        "Use [host]:port notation for IPv6. Allowed permissions: " + Join(NET_PERMISSIONS_DOC, ", ") + ". "
579
0
        "Specify multiple permissions separated by commas (default: download,noban,mempool,relay). Can be specified multiple times.", ArgsManager::ALLOW_ANY, OptionsCategory::CONNECTION);
580
581
0
    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 "
582
0
        "CIDR-notated network (e.g. 1.2.3.0/24). Uses the same permissions as "
583
0
        "-whitebind. "
584
0
        "Additional flags \"in\" and \"out\" control whether permissions apply to incoming connections and/or manual (default: incoming only). "
585
0
        "Can be specified multiple times.", ArgsManager::ALLOW_ANY, OptionsCategory::CONNECTION);
586
587
0
    g_wallet_init_interface.AddWalletOptions(argsman);
588
589
#ifdef ENABLE_ZMQ
590
    argsman.AddArg("-zmqpubhashblock=<address>", "Enable publish hash block in <address>", ArgsManager::ALLOW_ANY, OptionsCategory::ZMQ);
591
    argsman.AddArg("-zmqpubhashtx=<address>", "Enable publish hash transaction in <address>", ArgsManager::ALLOW_ANY, OptionsCategory::ZMQ);
592
    argsman.AddArg("-zmqpubrawblock=<address>", "Enable publish raw block in <address>", ArgsManager::ALLOW_ANY, OptionsCategory::ZMQ);
593
    argsman.AddArg("-zmqpubrawtx=<address>", "Enable publish raw transaction in <address>", ArgsManager::ALLOW_ANY, OptionsCategory::ZMQ);
594
    argsman.AddArg("-zmqpubsequence=<address>", "Enable publish hash block and tx sequence in <address>", ArgsManager::ALLOW_ANY, OptionsCategory::ZMQ);
595
    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);
596
    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);
597
    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);
598
    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);
599
    argsman.AddArg("-zmqpubsequencehwm=<n>", strprintf("Set publish hash sequence message high water mark (default: %d)", CZMQAbstractNotifier::DEFAULT_ZMQ_SNDHWM), ArgsManager::ALLOW_ANY, OptionsCategory::ZMQ);
600
#else
601
0
    hidden_args.emplace_back("-zmqpubhashblock=<address>");
602
0
    hidden_args.emplace_back("-zmqpubhashtx=<address>");
603
0
    hidden_args.emplace_back("-zmqpubrawblock=<address>");
604
0
    hidden_args.emplace_back("-zmqpubrawtx=<address>");
605
0
    hidden_args.emplace_back("-zmqpubsequence=<n>");
606
0
    hidden_args.emplace_back("-zmqpubhashblockhwm=<n>");
607
0
    hidden_args.emplace_back("-zmqpubhashtxhwm=<n>");
608
0
    hidden_args.emplace_back("-zmqpubrawblockhwm=<n>");
609
0
    hidden_args.emplace_back("-zmqpubrawtxhwm=<n>");
610
0
    hidden_args.emplace_back("-zmqpubsequencehwm=<n>");
611
0
#endif
612
613
0
    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);
614
0
    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);
615
0
    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);
616
0
    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);
617
0
    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);
618
0
    argsman.AddArg("-checkpoints", strprintf("Enable rejection of any forks from the known historical chain until block %s (default: %u)", defaultChainParams->Checkpoints().GetHeight(), DEFAULT_CHECKPOINTS_ENABLED), ArgsManager::ALLOW_ANY | ArgsManager::DEBUG_ONLY, OptionsCategory::DEBUG_TEST);
619
0
    argsman.AddArg("-deprecatedrpc=<method>", "Allows deprecated RPC method(s) to be used", ArgsManager::ALLOW_ANY | ArgsManager::DEBUG_ONLY, OptionsCategory::DEBUG_TEST);
620
0
    argsman.AddArg("-stopafterblockimport", strprintf("Stop running after importing blocks from disk (default: %u)", DEFAULT_STOPAFTERBLOCKIMPORT), ArgsManager::ALLOW_ANY | ArgsManager::DEBUG_ONLY, OptionsCategory::DEBUG_TEST);
621
0
    argsman.AddArg("-stopatheight", strprintf("Stop running after reaching the given height in the main chain (default: %u)", DEFAULT_STOPATHEIGHT), ArgsManager::ALLOW_ANY | ArgsManager::DEBUG_ONLY, OptionsCategory::DEBUG_TEST);
622
0
    argsman.AddArg("-limitancestorcount=<n>", strprintf("Do not accept transactions if number of in-mempool ancestors is <n> or more (default: %u)", DEFAULT_ANCESTOR_LIMIT), ArgsManager::ALLOW_ANY | ArgsManager::DEBUG_ONLY, OptionsCategory::DEBUG_TEST);
623
0
    argsman.AddArg("-limitancestorsize=<n>", strprintf("Do not accept transactions whose size with all in-mempool ancestors exceeds <n> kilobytes (default: %u)", DEFAULT_ANCESTOR_SIZE_LIMIT_KVB), ArgsManager::ALLOW_ANY | ArgsManager::DEBUG_ONLY, OptionsCategory::DEBUG_TEST);
624
0
    argsman.AddArg("-limitdescendantcount=<n>", strprintf("Do not accept transactions if any ancestor would have <n> or more in-mempool descendants (default: %u)", DEFAULT_DESCENDANT_LIMIT), ArgsManager::ALLOW_ANY | ArgsManager::DEBUG_ONLY, OptionsCategory::DEBUG_TEST);
625
0
    argsman.AddArg("-limitdescendantsize=<n>", strprintf("Do not accept transactions if any ancestor would have more than <n> kilobytes of in-mempool descendants (default: %u).", DEFAULT_DESCENDANT_SIZE_LIMIT_KVB), ArgsManager::ALLOW_ANY | ArgsManager::DEBUG_ONLY, OptionsCategory::DEBUG_TEST);
626
0
    argsman.AddArg("-test=<option>", "Pass a test-only option. Options include : " + Join(TEST_OPTIONS_DOC, ", ") + ".", ArgsManager::ALLOW_ANY | ArgsManager::DEBUG_ONLY, OptionsCategory::DEBUG_TEST);
627
0
    argsman.AddArg("-capturemessages", "Capture all P2P messages to disk", ArgsManager::ALLOW_ANY | ArgsManager::DEBUG_ONLY, OptionsCategory::DEBUG_TEST);
628
0
    argsman.AddArg("-mocktime=<n>", "Replace actual time with " + UNIX_EPOCH_TIME + " (default: 0)", ArgsManager::ALLOW_ANY | ArgsManager::DEBUG_ONLY, OptionsCategory::DEBUG_TEST);
629
0
    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);
630
0
    argsman.AddArg("-maxtipage=<n>",
631
0
                   strprintf("Maximum tip age in seconds to consider node in initial block download (default: %u)",
632
0
                             Ticks<std::chrono::seconds>(DEFAULT_MAX_TIP_AGE)),
633
0
                   ArgsManager::ALLOW_ANY | ArgsManager::DEBUG_ONLY, OptionsCategory::DEBUG_TEST);
634
0
    argsman.AddArg("-printpriority", strprintf("Log transaction fee rate in " + CURRENCY_UNIT + "/kvB when mining blocks (default: %u)", DEFAULT_PRINT_MODIFIED_FEE), ArgsManager::ALLOW_ANY | ArgsManager::DEBUG_ONLY, OptionsCategory::DEBUG_TEST);
635
0
    argsman.AddArg("-uacomment=<cmt>", "Append comment to the user agent string", ArgsManager::ALLOW_ANY, OptionsCategory::DEBUG_TEST);
636
637
0
    SetupChainParamsBaseOptions(argsman);
638
639
0
    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);
640
0
    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);
641
0
    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);
642
0
    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);
643
0
    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);
644
0
    argsman.AddArg("-datacarrier", strprintf("Relay and mine data carrier transactions (default: %u)", DEFAULT_ACCEPT_DATACARRIER), ArgsManager::ALLOW_ANY, OptionsCategory::NODE_RELAY);
645
0
    argsman.AddArg("-datacarriersize",
646
0
                   strprintf("Relay and mine transactions whose data-carrying raw scriptPubKey "
647
0
                             "is of this size or less (default: %u)",
648
0
                             MAX_OP_RETURN_RELAY),
649
0
                   ArgsManager::ALLOW_ANY, OptionsCategory::NODE_RELAY);
650
0
    argsman.AddArg("-mempoolfullrbf", strprintf("(DEPRECATED) Accept transaction replace-by-fee without requiring replaceability signaling (default: %u)", DEFAULT_MEMPOOL_FULL_RBF), ArgsManager::ALLOW_ANY, OptionsCategory::NODE_RELAY);
651
0
    argsman.AddArg("-permitbaremultisig", strprintf("Relay transactions creating non-P2SH multisig outputs (default: %u)", DEFAULT_PERMIT_BAREMULTISIG), ArgsManager::ALLOW_ANY,
652
0
                   OptionsCategory::NODE_RELAY);
653
0
    argsman.AddArg("-minrelaytxfee=<amt>", strprintf("Fees (in %s/kvB) smaller than this are considered zero fee for relaying, mining and transaction creation (default: %s)",
654
0
        CURRENCY_UNIT, FormatMoney(DEFAULT_MIN_RELAY_TX_FEE)), ArgsManager::ALLOW_ANY, OptionsCategory::NODE_RELAY);
655
0
    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);
656
0
    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);
657
658
659
0
    argsman.AddArg("-blockmaxweight=<n>", strprintf("Set maximum BIP141 block weight (default: %d)", DEFAULT_BLOCK_MAX_WEIGHT), ArgsManager::ALLOW_ANY, OptionsCategory::BLOCK_CREATION);
660
0
    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);
661
0
    argsman.AddArg("-blockversion=<n>", "Override block version to test forking scenarios", ArgsManager::ALLOW_ANY | ArgsManager::DEBUG_ONLY, OptionsCategory::BLOCK_CREATION);
662
663
0
    argsman.AddArg("-rest", strprintf("Accept public REST requests (default: %u)", DEFAULT_REST_ENABLE), ArgsManager::ALLOW_ANY, OptionsCategory::RPC);
664
0
    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). This option can be specified multiple times", ArgsManager::ALLOW_ANY, OptionsCategory::RPC);
665
0
    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);
666
0
    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);
667
0
    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);
668
0
    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);
669
0
    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);
670
0
    argsman.AddArg("-rpcpassword=<pw>", "Password for JSON-RPC connections", ArgsManager::ALLOW_ANY | ArgsManager::SENSITIVE, OptionsCategory::RPC);
671
0
    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);
672
0
    argsman.AddArg("-rpcservertimeout=<n>", strprintf("Timeout during HTTP requests (default: %d)", DEFAULT_HTTP_SERVER_TIMEOUT), ArgsManager::ALLOW_ANY | ArgsManager::DEBUG_ONLY, OptionsCategory::RPC);
673
0
    argsman.AddArg("-rpcthreads=<n>", strprintf("Set the number of threads to service RPC calls (default: %d)", DEFAULT_HTTP_THREADS), ArgsManager::ALLOW_ANY, OptionsCategory::RPC);
674
0
    argsman.AddArg("-rpcuser=<user>", "Username for JSON-RPC connections", ArgsManager::ALLOW_ANY | ArgsManager::SENSITIVE, OptionsCategory::RPC);
675
0
    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);
676
0
    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);
677
0
    argsman.AddArg("-rpcworkqueue=<n>", strprintf("Set the depth of the work queue to service RPC calls (default: %d)", DEFAULT_HTTP_WORKQUEUE), ArgsManager::ALLOW_ANY | ArgsManager::DEBUG_ONLY, OptionsCategory::RPC);
678
0
    argsman.AddArg("-server", "Accept command line and JSON-RPC commands", ArgsManager::ALLOW_ANY, OptionsCategory::RPC);
679
680
0
#if HAVE_DECL_FORK
681
0
    argsman.AddArg("-daemon", strprintf("Run in the background as a daemon and accept commands (default: %d)", DEFAULT_DAEMON), ArgsManager::ALLOW_ANY, OptionsCategory::OPTIONS);
682
0
    argsman.AddArg("-daemonwait", strprintf("Wait for initialization to be finished before exiting. This implies -daemon (default: %d)", DEFAULT_DAEMONWAIT), ArgsManager::ALLOW_ANY, OptionsCategory::OPTIONS);
683
#else
684
    hidden_args.emplace_back("-daemon");
685
    hidden_args.emplace_back("-daemonwait");
686
#endif
687
688
    // Add the hidden options
689
0
    argsman.AddHiddenArgs(hidden_args);
690
0
}
691
692
static bool fHaveGenesis = false;
693
static GlobalMutex g_genesis_wait_mutex;
694
static std::condition_variable g_genesis_wait_cv;
695
696
static void BlockNotifyGenesisWait(const CBlockIndex* pBlockIndex)
697
0
{
698
0
    if (pBlockIndex != nullptr) {
  Branch (698:9): [True: 0, False: 0]
699
0
        {
700
0
            LOCK(g_genesis_wait_mutex);
701
0
            fHaveGenesis = true;
702
0
        }
703
0
        g_genesis_wait_cv.notify_all();
704
0
    }
705
0
}
706
707
#if HAVE_SYSTEM
708
static void StartupNotify(const ArgsManager& args)
709
0
{
710
0
    std::string cmd = args.GetArg("-startupnotify", "");
711
0
    if (!cmd.empty()) {
  Branch (711:9): [True: 0, False: 0]
712
0
        std::thread t(runCommand, cmd);
713
0
        t.detach(); // thread runs free
714
0
    }
715
0
}
716
#endif
717
718
static bool AppInitServers(NodeContext& node)
719
0
{
720
0
    const ArgsManager& args = *Assert(node.args);
721
0
    RPCServer::OnStarted(&OnRPCStarted);
722
0
    RPCServer::OnStopped(&OnRPCStopped);
723
0
    if (!InitHTTPServer(*Assert(node.shutdown))) {
  Branch (723:9): [True: 0, False: 0]
724
0
        return false;
725
0
    }
726
0
    StartRPC();
727
0
    node.rpc_interruption_point = RpcInterruptionPoint;
728
0
    if (!StartHTTPRPC(&node))
  Branch (728:9): [True: 0, False: 0]
729
0
        return false;
730
0
    if (args.GetBoolArg("-rest", DEFAULT_REST_ENABLE)) StartREST(&node);
  Branch (730:9): [True: 0, False: 0]
731
0
    StartHTTPServer();
732
0
    return true;
733
0
}
734
735
// Parameter interaction based on rules
736
void InitParameterInteraction(ArgsManager& args)
737
0
{
738
    // when specifying an explicit binding address, you want to listen on it
739
    // even when -connect or -proxy is specified
740
0
    if (args.IsArgSet("-bind")) {
  Branch (740:9): [True: 0, False: 0]
741
0
        if (args.SoftSetBoolArg("-listen", true))
  Branch (741:13): [True: 0, False: 0]
742
0
            LogInfo("parameter interaction: -bind set -> setting -listen=1\n");
743
0
    }
744
0
    if (args.IsArgSet("-whitebind")) {
  Branch (744:9): [True: 0, False: 0]
745
0
        if (args.SoftSetBoolArg("-listen", true))
  Branch (745:13): [True: 0, False: 0]
746
0
            LogInfo("parameter interaction: -whitebind set -> setting -listen=1\n");
747
0
    }
748
749
0
    if (args.IsArgSet("-connect") || args.GetIntArg("-maxconnections", DEFAULT_MAX_PEER_CONNECTIONS) <= 0) {
  Branch (749:9): [True: 0, False: 0]
  Branch (749:9): [True: 0, False: 0]
  Branch (749:38): [True: 0, False: 0]
750
        // when only connecting to trusted nodes, do not seed via DNS, or listen by default
751
0
        if (args.SoftSetBoolArg("-dnsseed", false))
  Branch (751:13): [True: 0, False: 0]
752
0
            LogInfo("parameter interaction: -connect or -maxconnections=0 set -> setting -dnsseed=0\n");
753
0
        if (args.SoftSetBoolArg("-listen", false))
  Branch (753:13): [True: 0, False: 0]
754
0
            LogInfo("parameter interaction: -connect or -maxconnections=0 set -> setting -listen=0\n");
755
0
    }
756
757
0
    std::string proxy_arg = args.GetArg("-proxy", "");
758
0
    if (proxy_arg != "" && proxy_arg != "0") {
  Branch (758:9): [True: 0, False: 0]
  Branch (758:28): [True: 0, False: 0]
759
        // to protect privacy, do not listen by default if a default proxy server is specified
760
0
        if (args.SoftSetBoolArg("-listen", false))
  Branch (760:13): [True: 0, False: 0]
761
0
            LogInfo("parameter interaction: -proxy set -> setting -listen=0\n");
762
        // to protect privacy, do not map ports when a proxy is set. The user may still specify -listen=1
763
        // to listen locally, so don't rely on this happening through -listen below.
764
0
        if (args.SoftSetBoolArg("-upnp", false))
  Branch (764:13): [True: 0, False: 0]
765
0
            LogInfo("parameter interaction: -proxy set -> setting -upnp=0\n");
766
0
        if (args.SoftSetBoolArg("-natpmp", false)) {
  Branch (766:13): [True: 0, False: 0]
767
0
            LogInfo("parameter interaction: -proxy set -> setting -natpmp=0\n");
768
0
        }
769
        // to protect privacy, do not discover addresses by default
770
0
        if (args.SoftSetBoolArg("-discover", false))
  Branch (770:13): [True: 0, False: 0]
771
0
            LogInfo("parameter interaction: -proxy set -> setting -discover=0\n");
772
0
    }
773
774
0
    if (!args.GetBoolArg("-listen", DEFAULT_LISTEN)) {
  Branch (774:9): [True: 0, False: 0]
775
        // do not map ports or try to retrieve public IP when not listening (pointless)
776
0
        if (args.SoftSetBoolArg("-upnp", false))
  Branch (776:13): [True: 0, False: 0]
777
0
            LogInfo("parameter interaction: -listen=0 -> setting -upnp=0\n");
778
0
        if (args.SoftSetBoolArg("-natpmp", false)) {
  Branch (778:13): [True: 0, False: 0]
779
0
            LogInfo("parameter interaction: -listen=0 -> setting -natpmp=0\n");
780
0
        }
781
0
        if (args.SoftSetBoolArg("-discover", false))
  Branch (781:13): [True: 0, False: 0]
782
0
            LogInfo("parameter interaction: -listen=0 -> setting -discover=0\n");
783
0
        if (args.SoftSetBoolArg("-listenonion", false))
  Branch (783:13): [True: 0, False: 0]
784
0
            LogInfo("parameter interaction: -listen=0 -> setting -listenonion=0\n");
785
0
        if (args.SoftSetBoolArg("-i2pacceptincoming", false)) {
  Branch (785:13): [True: 0, False: 0]
786
0
            LogInfo("parameter interaction: -listen=0 -> setting -i2pacceptincoming=0\n");
787
0
        }
788
0
    }
789
790
0
    if (args.IsArgSet("-externalip")) {
  Branch (790:9): [True: 0, False: 0]
791
        // if an explicit public IP is specified, do not try to find others
792
0
        if (args.SoftSetBoolArg("-discover", false))
  Branch (792:13): [True: 0, False: 0]
793
0
            LogInfo("parameter interaction: -externalip set -> setting -discover=0\n");
794
0
    }
795
796
0
    if (args.GetBoolArg("-blocksonly", DEFAULT_BLOCKSONLY)) {
  Branch (796:9): [True: 0, False: 0]
797
        // disable whitelistrelay in blocksonly mode
798
0
        if (args.SoftSetBoolArg("-whitelistrelay", false))
  Branch (798:13): [True: 0, False: 0]
799
0
            LogInfo("parameter interaction: -blocksonly=1 -> setting -whitelistrelay=0\n");
800
        // Reduce default mempool size in blocksonly mode to avoid unexpected resource usage
801
0
        if (args.SoftSetArg("-maxmempool", ToString(DEFAULT_BLOCKSONLY_MAX_MEMPOOL_SIZE_MB)))
  Branch (801:13): [True: 0, False: 0]
802
0
            LogInfo("parameter interaction: -blocksonly=1 -> setting -maxmempool=%d\n", DEFAULT_BLOCKSONLY_MAX_MEMPOOL_SIZE_MB);
803
0
    }
804
805
    // Forcing relay from whitelisted hosts implies we will accept relays from them in the first place.
806
0
    if (args.GetBoolArg("-whitelistforcerelay", DEFAULT_WHITELISTFORCERELAY)) {
  Branch (806:9): [True: 0, False: 0]
807
0
        if (args.SoftSetBoolArg("-whitelistrelay", true))
  Branch (807:13): [True: 0, False: 0]
808
0
            LogInfo("parameter interaction: -whitelistforcerelay=1 -> setting -whitelistrelay=1\n");
809
0
    }
810
0
    if (args.IsArgSet("-onlynet")) {
  Branch (810:9): [True: 0, False: 0]
811
0
        const auto onlynets = args.GetArgs("-onlynet");
812
0
        bool clearnet_reachable = std::any_of(onlynets.begin(), onlynets.end(), [](const auto& net) {
813
0
            const auto n = ParseNetwork(net);
814
0
            return n == NET_IPV4 || n == NET_IPV6;
  Branch (814:20): [True: 0, False: 0]
  Branch (814:37): [True: 0, False: 0]
815
0
        });
816
0
        if (!clearnet_reachable && args.SoftSetBoolArg("-dnsseed", false)) {
  Branch (816:13): [True: 0, False: 0]
  Branch (816:13): [True: 0, False: 0]
  Branch (816:36): [True: 0, False: 0]
817
0
            LogInfo("parameter interaction: -onlynet excludes IPv4 and IPv6 -> setting -dnsseed=0\n");
818
0
        }
819
0
    }
820
0
}
821
822
/**
823
 * Initialize global loggers.
824
 *
825
 * Note that this is called very early in the process lifetime, so you should be
826
 * careful about what global state you rely on here.
827
 */
828
void InitLogging(const ArgsManager& args)
829
0
{
830
0
    init::SetLoggingOptions(args);
831
0
    init::LogPackageVersion();
832
0
}
833
834
namespace { // Variables internal to initialization process only
835
836
int nMaxConnections;
837
int nUserMaxConnections;
838
int nFD;
839
ServiceFlags nLocalServices = ServiceFlags(NODE_NETWORK_LIMITED | NODE_WITNESS);
840
int64_t peer_connect_timeout;
841
std::set<BlockFilterType> g_enabled_filter_types;
842
843
} // namespace
844
845
[[noreturn]] static void new_handler_terminate()
846
0
{
847
    // Rather than throwing std::bad-alloc if allocation fails, terminate
848
    // immediately to (try to) avoid chain corruption.
849
    // Since logging may itself allocate memory, set the handler directly
850
    // to terminate first.
851
0
    std::set_new_handler(std::terminate);
852
0
    LogError("Out of memory. Terminating.\n");
853
854
    // The log was successful, terminate now.
855
0
    std::terminate();
856
0
};
857
858
bool AppInitBasicSetup(const ArgsManager& args, std::atomic<int>& exit_status)
859
0
{
860
    // ********************************************************* Step 1: setup
861
#ifdef _MSC_VER
862
    // Turn off Microsoft heap dump noise
863
    _CrtSetReportMode(_CRT_WARN, _CRTDBG_MODE_FILE);
864
    _CrtSetReportFile(_CRT_WARN, CreateFileA("NUL", GENERIC_WRITE, 0, nullptr, OPEN_EXISTING, 0, 0));
865
    // Disable confusing "helpful" text message on abort, Ctrl-C
866
    _set_abort_behavior(0, _WRITE_ABORT_MSG | _CALL_REPORTFAULT);
867
#endif
868
#ifdef WIN32
869
    // Enable heap terminate-on-corruption
870
    HeapSetInformation(nullptr, HeapEnableTerminationOnCorruption, nullptr, 0);
871
#endif
872
0
    if (!SetupNetworking()) {
  Branch (872:9): [True: 0, False: 0]
873
0
        return InitError(Untranslated("Initializing networking failed."));
874
0
    }
875
876
0
#ifndef WIN32
877
    // Clean shutdown on SIGTERM
878
0
    registerSignalHandler(SIGTERM, HandleSIGTERM);
879
0
    registerSignalHandler(SIGINT, HandleSIGTERM);
880
881
    // Reopen debug.log on SIGHUP
882
0
    registerSignalHandler(SIGHUP, HandleSIGHUP);
883
884
    // Ignore SIGPIPE, otherwise it will bring the daemon down if the client closes unexpectedly
885
0
    signal(SIGPIPE, SIG_IGN);
886
#else
887
    SetConsoleCtrlHandler(consoleCtrlHandler, true);
888
#endif
889
890
0
    std::set_new_handler(new_handler_terminate);
891
892
0
    return true;
893
0
}
894
895
bool AppInitParameterInteraction(const ArgsManager& args)
896
0
{
897
0
    const CChainParams& chainparams = Params();
898
    // ********************************************************* Step 2: parameter interactions
899
900
    // also see: InitParameterInteraction()
901
902
    // Error if network-specific options (-addnode, -connect, etc) are
903
    // specified in default section of config file, but not overridden
904
    // on the command line or in this chain's section of the config file.
905
0
    ChainType chain = args.GetChainType();
906
0
    if (chain == ChainType::SIGNET) {
  Branch (906:9): [True: 0, False: 0]
907
0
        LogPrintf("Signet derived magic (message start): %s\n", HexStr(chainparams.MessageStart()));
908
0
    }
909
0
    bilingual_str errors;
910
0
    for (const auto& arg : args.GetUnsuitableSectionOnlyArgs()) {
  Branch (910:26): [True: 0, False: 0]
911
0
        errors += strprintf(_("Config setting for %s only applied on %s network when in [%s] section.") + Untranslated("\n"), arg, ChainTypeToString(chain), ChainTypeToString(chain));
912
0
    }
913
914
0
    if (!errors.empty()) {
  Branch (914:9): [True: 0, False: 0]
915
0
        return InitError(errors);
916
0
    }
917
918
    // Testnet3 deprecation warning
919
0
    if (chain == ChainType::TESTNET) {
  Branch (919:9): [True: 0, False: 0]
920
0
        LogInfo("Warning: Support for testnet3 is deprecated and will be removed in an upcoming release. Consider switching to testnet4.\n");
921
0
    }
922
923
    // Warn if unrecognized section name are present in the config file.
924
0
    bilingual_str warnings;
925
0
    for (const auto& section : args.GetUnrecognizedSections()) {
  Branch (925:30): [True: 0, False: 0]
926
0
        warnings += strprintf(Untranslated("%s:%i ") + _("Section [%s] is not recognized.") + Untranslated("\n"), section.m_file, section.m_line, section.m_name);
927
0
    }
928
929
0
    if (!warnings.empty()) {
  Branch (929:9): [True: 0, False: 0]
930
0
        InitWarning(warnings);
931
0
    }
932
933
0
    if (!fs::is_directory(args.GetBlocksDirPath())) {
  Branch (933:9): [True: 0, False: 0]
934
0
        return InitError(strprintf(_("Specified blocks directory \"%s\" does not exist."), args.GetArg("-blocksdir", "")));
935
0
    }
936
937
    // parse and validate enabled filter types
938
0
    std::string blockfilterindex_value = args.GetArg("-blockfilterindex", DEFAULT_BLOCKFILTERINDEX);
939
0
    if (blockfilterindex_value == "" || blockfilterindex_value == "1") {
  Branch (939:9): [True: 0, False: 0]
  Branch (939:41): [True: 0, False: 0]
940
0
        g_enabled_filter_types = AllBlockFilterTypes();
941
0
    } else if (blockfilterindex_value != "0") {
  Branch (941:16): [True: 0, False: 0]
942
0
        const std::vector<std::string> names = args.GetArgs("-blockfilterindex");
943
0
        for (const auto& name : names) {
  Branch (943:31): [True: 0, False: 0]
944
0
            BlockFilterType filter_type;
945
0
            if (!BlockFilterTypeByName(name, filter_type)) {
  Branch (945:17): [True: 0, False: 0]
946
0
                return InitError(strprintf(_("Unknown -blockfilterindex value %s."), name));
947
0
            }
948
0
            g_enabled_filter_types.insert(filter_type);
949
0
        }
950
0
    }
951
952
    // Signal NODE_P2P_V2 if BIP324 v2 transport is enabled.
953
0
    if (args.GetBoolArg("-v2transport", DEFAULT_V2_TRANSPORT)) {
  Branch (953:9): [True: 0, False: 0]
954
0
        nLocalServices = ServiceFlags(nLocalServices | NODE_P2P_V2);
955
0
    }
956
957
    // Signal NODE_COMPACT_FILTERS if peerblockfilters and basic filters index are both enabled.
958
0
    if (args.GetBoolArg("-peerblockfilters", DEFAULT_PEERBLOCKFILTERS)) {
  Branch (958:9): [True: 0, False: 0]
959
0
        if (g_enabled_filter_types.count(BlockFilterType::BASIC) != 1) {
  Branch (959:13): [True: 0, False: 0]
960
0
            return InitError(_("Cannot set -peerblockfilters without -blockfilterindex."));
961
0
        }
962
963
0
        nLocalServices = ServiceFlags(nLocalServices | NODE_COMPACT_FILTERS);
964
0
    }
965
966
0
    if (args.GetIntArg("-prune", 0)) {
  Branch (966:9): [True: 0, False: 0]
967
0
        if (args.GetBoolArg("-txindex", DEFAULT_TXINDEX))
  Branch (967:13): [True: 0, False: 0]
968
0
            return InitError(_("Prune mode is incompatible with -txindex."));
969
0
        if (args.GetBoolArg("-reindex-chainstate", false)) {
  Branch (969:13): [True: 0, False: 0]
970
0
            return InitError(_("Prune mode is incompatible with -reindex-chainstate. Use full -reindex instead."));
971
0
        }
972
0
    }
973
974
    // If -forcednsseed is set to true, ensure -dnsseed has not been set to false
975
0
    if (args.GetBoolArg("-forcednsseed", DEFAULT_FORCEDNSSEED) && !args.GetBoolArg("-dnsseed", DEFAULT_DNSSEED)){
  Branch (975:9): [True: 0, False: 0]
  Branch (975:9): [True: 0, False: 0]
  Branch (975:67): [True: 0, False: 0]
976
0
        return InitError(_("Cannot set -forcednsseed to true when setting -dnsseed to false."));
977
0
    }
978
979
    // -bind and -whitebind can't be set when not listening
980
0
    size_t nUserBind = args.GetArgs("-bind").size() + args.GetArgs("-whitebind").size();
981
0
    if (nUserBind != 0 && !args.GetBoolArg("-listen", DEFAULT_LISTEN)) {
  Branch (981:9): [True: 0, False: 0]
  Branch (981:9): [True: 0, False: 0]
  Branch (981:27): [True: 0, False: 0]
982
0
        return InitError(Untranslated("Cannot set -bind or -whitebind together with -listen=0"));
983
0
    }
984
985
    // if listen=0, then disallow listenonion=1
986
0
    if (!args.GetBoolArg("-listen", DEFAULT_LISTEN) && args.GetBoolArg("-listenonion", DEFAULT_LISTEN_ONION)) {
  Branch (986:9): [True: 0, False: 0]
  Branch (986:9): [True: 0, False: 0]
  Branch (986:56): [True: 0, False: 0]
987
0
        return InitError(Untranslated("Cannot set -listen=0 together with -listenonion=1"));
988
0
    }
989
990
    // Make sure enough file descriptors are available
991
0
    int nBind = std::max(nUserBind, size_t(1));
992
0
    nUserMaxConnections = args.GetIntArg("-maxconnections", DEFAULT_MAX_PEER_CONNECTIONS);
993
0
    nMaxConnections = std::max(nUserMaxConnections, 0);
994
995
0
    nFD = RaiseFileDescriptorLimit(nMaxConnections + MIN_CORE_FILEDESCRIPTORS + MAX_ADDNODE_CONNECTIONS + nBind + NUM_FDS_MESSAGE_CAPTURE);
996
997
0
#ifdef USE_POLL
998
0
    int fd_max = nFD;
999
#else
1000
    int fd_max = FD_SETSIZE;
1001
#endif
1002
    // Trim requested connection counts, to fit into system limitations
1003
    // <int> in std::min<int>(...) to work around FreeBSD compilation issue described in #2695
1004
0
    nMaxConnections = std::max(std::min<int>(nMaxConnections, fd_max - nBind - MIN_CORE_FILEDESCRIPTORS - MAX_ADDNODE_CONNECTIONS - NUM_FDS_MESSAGE_CAPTURE), 0);
1005
0
    if (nFD < MIN_CORE_FILEDESCRIPTORS)
  Branch (1005:9): [True: 0, False: 0]
1006
0
        return InitError(_("Not enough file descriptors available."));
1007
0
    nMaxConnections = std::min(nFD - MIN_CORE_FILEDESCRIPTORS - MAX_ADDNODE_CONNECTIONS - NUM_FDS_MESSAGE_CAPTURE, nMaxConnections);
1008
1009
0
    if (nMaxConnections < nUserMaxConnections)
  Branch (1009:9): [True: 0, False: 0]
1010
0
        InitWarning(strprintf(_("Reducing -maxconnections from %d to %d, because of system limitations."), nUserMaxConnections, nMaxConnections));
1011
1012
    // ********************************************************* Step 3: parameter-to-internal-flags
1013
0
    if (auto result{init::SetLoggingCategories(args)}; !result) return InitError(util::ErrorString(result));
  Branch (1013:56): [True: 0, False: 0]
1014
0
    if (auto result{init::SetLoggingLevel(args)}; !result) return InitError(util::ErrorString(result));
  Branch (1014:51): [True: 0, False: 0]
1015
1016
0
    nConnectTimeout = args.GetIntArg("-timeout", DEFAULT_CONNECT_TIMEOUT);
1017
0
    if (nConnectTimeout <= 0) {
  Branch (1017:9): [True: 0, False: 0]
1018
0
        nConnectTimeout = DEFAULT_CONNECT_TIMEOUT;
1019
0
    }
1020
1021
0
    peer_connect_timeout = args.GetIntArg("-peertimeout", DEFAULT_PEER_CONNECT_TIMEOUT);
1022
0
    if (peer_connect_timeout <= 0) {
  Branch (1022:9): [True: 0, False: 0]
1023
0
        return InitError(Untranslated("peertimeout must be a positive integer."));
1024
0
    }
1025
1026
    // Sanity check argument for min fee for including tx in block
1027
    // TODO: Harmonize which arguments need sanity checking and where that happens
1028
0
    if (args.IsArgSet("-blockmintxfee")) {
  Branch (1028:9): [True: 0, False: 0]
1029
0
        if (!ParseMoney(args.GetArg("-blockmintxfee", ""))) {
  Branch (1029:13): [True: 0, False: 0]
1030
0
            return InitError(AmountErrMsg("blockmintxfee", args.GetArg("-blockmintxfee", "")));
1031
0
        }
1032
0
    }
1033
1034
0
    nBytesPerSigOp = args.GetIntArg("-bytespersigop", nBytesPerSigOp);
1035
1036
0
    if (!g_wallet_init_interface.ParameterInteraction()) return false;
  Branch (1036:9): [True: 0, False: 0]
1037
1038
    // Option to startup with mocktime set (used for regression testing):
1039
0
    SetMockTime(args.GetIntArg("-mocktime", 0)); // SetMockTime(0) is a no-op
1040
1041
0
    if (args.GetBoolArg("-peerbloomfilters", DEFAULT_PEERBLOOMFILTERS))
  Branch (1041:9): [True: 0, False: 0]
1042
0
        nLocalServices = ServiceFlags(nLocalServices | NODE_BLOOM);
1043
1044
0
    if (args.IsArgSet("-test")) {
  Branch (1044:9): [True: 0, False: 0]
1045
0
        if (chainparams.GetChainType() != ChainType::REGTEST) {
  Branch (1045:13): [True: 0, False: 0]
1046
0
            return InitError(Untranslated("-test=<option> can only be used with regtest"));
1047
0
        }
1048
0
        const std::vector<std::string> options = args.GetArgs("-test");
1049
0
        for (const std::string& option : options) {
  Branch (1049:40): [True: 0, False: 0]
1050
0
            auto it = std::find_if(TEST_OPTIONS_DOC.begin(), TEST_OPTIONS_DOC.end(), [&option](const std::string& doc_option) {
1051
0
                size_t pos = doc_option.find(" (");
1052
0
                return (pos != std::string::npos) && (doc_option.substr(0, pos) == option);
  Branch (1052:24): [True: 0, False: 0]
  Branch (1052:54): [True: 0, False: 0]
1053
0
            });
1054
0
            if (it == TEST_OPTIONS_DOC.end()) {
  Branch (1054:17): [True: 0, False: 0]
1055
0
                InitWarning(strprintf(_("Unrecognised option \"%s\" provided in -test=<option>."), option));
1056
0
            }
1057
0
        }
1058
0
    }
1059
1060
    // Also report errors from parsing before daemonization
1061
0
    {
1062
0
        kernel::Notifications notifications{};
1063
0
        ChainstateManager::Options chainman_opts_dummy{
1064
0
            .chainparams = chainparams,
1065
0
            .datadir = args.GetDataDirNet(),
1066
0
            .notifications = notifications,
1067
0
        };
1068
0
        auto chainman_result{ApplyArgsManOptions(args, chainman_opts_dummy)};
1069
0
        if (!chainman_result) {
  Branch (1069:13): [True: 0, False: 0]
1070
0
            return InitError(util::ErrorString(chainman_result));
1071
0
        }
1072
0
        BlockManager::Options blockman_opts_dummy{
1073
0
            .chainparams = chainman_opts_dummy.chainparams,
1074
0
            .blocks_dir = args.GetBlocksDirPath(),
1075
0
            .notifications = chainman_opts_dummy.notifications,
1076
0
        };
1077
0
        auto blockman_result{ApplyArgsManOptions(args, blockman_opts_dummy)};
1078
0
        if (!blockman_result) {
  Branch (1078:13): [True: 0, False: 0]
1079
0
            return InitError(util::ErrorString(blockman_result));
1080
0
        }
1081
0
    }
1082
1083
0
    return true;
1084
0
}
1085
1086
static bool LockDataDirectory(bool probeOnly)
1087
0
{
1088
    // Make sure only a single Bitcoin process is using the data directory.
1089
0
    const fs::path& datadir = gArgs.GetDataDirNet();
1090
0
    switch (util::LockDirectory(datadir, ".lock", probeOnly)) {
  Branch (1090:13): [True: 0, False: 0]
1091
0
    case util::LockResult::ErrorWrite:
  Branch (1091:5): [True: 0, False: 0]
1092
0
        return InitError(strprintf(_("Cannot write to data directory '%s'; check permissions."), fs::PathToString(datadir)));
1093
0
    case util::LockResult::ErrorLock:
  Branch (1093:5): [True: 0, False: 0]
1094
0
        return InitError(strprintf(_("Cannot obtain a lock on data directory %s. %s is probably already running."), fs::PathToString(datadir), PACKAGE_NAME));
1095
0
    case util::LockResult::Success: return true;
  Branch (1095:5): [True: 0, False: 0]
1096
0
    } // no default case, so the compiler can warn about missing cases
1097
0
    assert(false);
1098
0
}
1099
1100
bool AppInitSanityChecks(const kernel::Context& kernel)
1101
0
{
1102
    // ********************************************************* Step 4: sanity checks
1103
0
    auto result{kernel::SanityChecks(kernel)};
1104
0
    if (!result) {
  Branch (1104:9): [True: 0, False: 0]
1105
0
        InitError(util::ErrorString(result));
1106
0
        return InitError(strprintf(_("Initialization sanity check failed. %s is shutting down."), PACKAGE_NAME));
1107
0
    }
1108
1109
0
    if (!ECC_InitSanityCheck()) {
  Branch (1109:9): [True: 0, False: 0]
1110
0
        return InitError(strprintf(_("Elliptic curve cryptography sanity check failure. %s is shutting down."), PACKAGE_NAME));
1111
0
    }
1112
1113
    // Probe the data directory lock to give an early error message, if possible
1114
    // We cannot hold the data directory lock here, as the forking for daemon() hasn't yet happened,
1115
    // and a fork will cause weird behavior to it.
1116
0
    return LockDataDirectory(true);
1117
0
}
1118
1119
bool AppInitLockDataDirectory()
1120
0
{
1121
    // After daemonization get the data directory lock again and hold on to it until exit
1122
    // This creates a slight window for a race condition to happen, however this condition is harmless: it
1123
    // will at most make us exit without printing a message to console.
1124
0
    if (!LockDataDirectory(false)) {
  Branch (1124:9): [True: 0, False: 0]
1125
        // Detailed error printed inside LockDataDirectory
1126
0
        return false;
1127
0
    }
1128
0
    return true;
1129
0
}
1130
1131
bool AppInitInterfaces(NodeContext& node)
1132
0
{
1133
0
    node.chain = node.init->makeChain();
1134
0
    node.mining = node.init->makeMining();
1135
0
    return true;
1136
0
}
1137
1138
bool AppInitMain(NodeContext& node, interfaces::BlockAndHeaderTipInfo* tip_info)
1139
0
{
1140
0
    const ArgsManager& args = *Assert(node.args);
1141
0
    const CChainParams& chainparams = Params();
1142
1143
0
    auto opt_max_upload = ParseByteUnits(args.GetArg("-maxuploadtarget", DEFAULT_MAX_UPLOAD_TARGET), ByteUnit::M);
1144
0
    if (!opt_max_upload) {
  Branch (1144:9): [True: 0, False: 0]
1145
0
        return InitError(strprintf(_("Unable to parse -maxuploadtarget: '%s'"), args.GetArg("-maxuploadtarget", "")));
1146
0
    }
1147
1148
    // ********************************************************* Step 4a: application initialization
1149
0
    if (!CreatePidFile(args)) {
  Branch (1149:9): [True: 0, False: 0]
1150
        // Detailed error printed inside CreatePidFile().
1151
0
        return false;
1152
0
    }
1153
0
    if (!init::StartLogging(args)) {
  Branch (1153:9): [True: 0, False: 0]
1154
        // Detailed error printed inside StartLogging().
1155
0
        return false;
1156
0
    }
1157
1158
0
    LogPrintf("Using at most %i automatic connections (%i file descriptors available)\n", nMaxConnections, nFD);
1159
1160
    // Warn about relative -datadir path.
1161
0
    if (args.IsArgSet("-datadir") && !args.GetPathArg("-datadir").is_absolute()) {
  Branch (1161:9): [True: 0, False: 0]
  Branch (1161:9): [True: 0, False: 0]
  Branch (1161:38): [True: 0, False: 0]
1162
0
        LogPrintf("Warning: relative datadir option '%s' specified, which will be interpreted relative to the "
1163
0
                  "current working directory '%s'. This is fragile, because if bitcoin is started in the future "
1164
0
                  "from a different location, it will be unable to locate the current data files. There could "
1165
0
                  "also be data loss if bitcoin is started while in a temporary directory.\n",
1166
0
                  args.GetArg("-datadir", ""), fs::PathToString(fs::current_path()));
1167
0
    }
1168
1169
0
    assert(!node.scheduler);
1170
0
    node.scheduler = std::make_unique<CScheduler>();
1171
0
    auto& scheduler = *node.scheduler;
1172
1173
    // Start the lightweight task scheduler thread
1174
0
    scheduler.m_service_thread = std::thread(util::TraceThread, "scheduler", [&] { scheduler.serviceQueue(); });
1175
1176
    // Gather some entropy once per minute.
1177
0
    scheduler.scheduleEvery([]{
1178
0
        RandAddPeriodic();
1179
0
    }, std::chrono::minutes{1});
1180
1181
    // Check disk space every 5 minutes to avoid db corruption.
1182
0
    scheduler.scheduleEvery([&args, &node]{
1183
0
        constexpr uint64_t min_disk_space = 50 << 20; // 50 MB
1184
0
        if (!CheckDiskSpace(args.GetBlocksDirPath(), min_disk_space)) {
  Branch (1184:13): [True: 0, False: 0]
1185
0
            LogError("Shutting down due to lack of disk space!\n");
1186
0
            if (!(*Assert(node.shutdown))()) {
  Branch (1186:17): [True: 0, False: 0]
1187
0
                LogError("Failed to send shutdown signal after disk space check\n");
1188
0
            }
1189
0
        }
1190
0
    }, std::chrono::minutes{5});
1191
1192
0
    assert(!node.validation_signals);
1193
0
    node.validation_signals = std::make_unique<ValidationSignals>(std::make_unique<SerialTaskRunner>(scheduler));
1194
0
    auto& validation_signals = *node.validation_signals;
1195
1196
    // Create client interfaces for wallets that are supposed to be loaded
1197
    // according to -wallet and -disablewallet options. This only constructs
1198
    // the interfaces, it doesn't load wallet data. Wallets actually get loaded
1199
    // when load() and start() interface methods are called below.
1200
0
    g_wallet_init_interface.Construct(node);
1201
0
    uiInterface.InitWallet();
1202
1203
    /* Register RPC commands regardless of -server setting so they will be
1204
     * available in the GUI RPC console even if external calls are disabled.
1205
     */
1206
0
    RegisterAllCoreRPCCommands(tableRPC);
1207
0
    for (const auto& client : node.chain_clients) {
  Branch (1207:29): [True: 0, False: 0]
1208
0
        client->registerRpcs();
1209
0
    }
1210
#ifdef ENABLE_ZMQ
1211
    RegisterZMQRPCCommands(tableRPC);
1212
#endif
1213
1214
    /* Start the RPC server already.  It will be started in "warmup" mode
1215
     * and not really process calls already (but it will signify connections
1216
     * that the server is there and will be ready later).  Warmup mode will
1217
     * be disabled when initialisation is finished.
1218
     */
1219
0
    if (args.GetBoolArg("-server", false)) {
  Branch (1219:9): [True: 0, False: 0]
1220
0
        uiInterface.InitMessage_connect(SetRPCWarmupStatus);
1221
0
        if (!AppInitServers(node))
  Branch (1221:13): [True: 0, False: 0]
1222
0
            return InitError(_("Unable to start HTTP server. See debug log for details."));
1223
0
    }
1224
1225
    // ********************************************************* Step 5: verify wallet database integrity
1226
0
    for (const auto& client : node.chain_clients) {
  Branch (1226:29): [True: 0, False: 0]
1227
0
        if (!client->verify()) {
  Branch (1227:13): [True: 0, False: 0]
1228
0
            return false;
1229
0
        }
1230
0
    }
1231
1232
    // ********************************************************* Step 6: network initialization
1233
    // Note that we absolutely cannot open any actual connections
1234
    // until the very end ("start node") as the UTXO/block state
1235
    // is not yet setup and may end up being set up twice if we
1236
    // need to reindex later.
1237
1238
0
    fListen = args.GetBoolArg("-listen", DEFAULT_LISTEN);
1239
0
    fDiscover = args.GetBoolArg("-discover", true);
1240
1241
0
    PeerManager::Options peerman_opts{};
1242
0
    ApplyArgsManOptions(args, peerman_opts);
1243
1244
0
    {
1245
1246
        // Read asmap file if configured
1247
0
        std::vector<bool> asmap;
1248
0
        if (args.IsArgSet("-asmap")) {
  Branch (1248:13): [True: 0, False: 0]
1249
0
            fs::path asmap_path = args.GetPathArg("-asmap", DEFAULT_ASMAP_FILENAME);
1250
0
            if (!asmap_path.is_absolute()) {
  Branch (1250:17): [True: 0, False: 0]
1251
0
                asmap_path = args.GetDataDirNet() / asmap_path;
1252
0
            }
1253
0
            if (!fs::exists(asmap_path)) {
  Branch (1253:17): [True: 0, False: 0]
1254
0
                InitError(strprintf(_("Could not find asmap file %s"), fs::quoted(fs::PathToString(asmap_path))));
1255
0
                return false;
1256
0
            }
1257
0
            asmap = DecodeAsmap(asmap_path);
1258
0
            if (asmap.size() == 0) {
  Branch (1258:17): [True: 0, False: 0]
1259
0
                InitError(strprintf(_("Could not parse asmap file %s"), fs::quoted(fs::PathToString(asmap_path))));
1260
0
                return false;
1261
0
            }
1262
0
            const uint256 asmap_version = (HashWriter{} << asmap).GetHash();
1263
0
            LogPrintf("Using asmap version %s for IP bucketing\n", asmap_version.ToString());
1264
0
        } else {
1265
0
            LogPrintf("Using /16 prefix for IP bucketing\n");
1266
0
        }
1267
1268
        // Initialize netgroup manager
1269
0
        assert(!node.netgroupman);
1270
0
        node.netgroupman = std::make_unique<NetGroupManager>(std::move(asmap));
1271
1272
        // Initialize addrman
1273
0
        assert(!node.addrman);
1274
0
        uiInterface.InitMessage(_("Loading P2P addresses…").translated);
1275
0
        auto addrman{LoadAddrman(*node.netgroupman, args)};
1276
0
        if (!addrman) return InitError(util::ErrorString(addrman));
  Branch (1276:13): [True: 0, False: 0]
1277
0
        node.addrman = std::move(*addrman);
1278
0
    }
1279
1280
0
    FastRandomContext rng;
1281
0
    assert(!node.banman);
1282
0
    node.banman = std::make_unique<BanMan>(args.GetDataDirNet() / "banlist", &uiInterface, args.GetIntArg("-bantime", DEFAULT_MISBEHAVING_BANTIME));
1283
0
    assert(!node.connman);
1284
0
    node.connman = std::make_unique<CConnman>(rng.rand64(),
1285
0
                                              rng.rand64(),
1286
0
                                              *node.addrman, *node.netgroupman, chainparams, args.GetBoolArg("-networkactive", true));
1287
1288
0
    assert(!node.fee_estimator);
1289
    // Don't initialize fee estimation with old data if we don't relay transactions,
1290
    // as they would never get updated.
1291
0
    if (!peerman_opts.ignore_incoming_txs) {
  Branch (1291:9): [True: 0, False: 0]
1292
0
        bool read_stale_estimates = args.GetBoolArg("-acceptstalefeeestimates", DEFAULT_ACCEPT_STALE_FEE_ESTIMATES);
1293
0
        if (read_stale_estimates && (chainparams.GetChainType() != ChainType::REGTEST)) {
  Branch (1293:13): [True: 0, False: 0]
  Branch (1293:37): [True: 0, False: 0]
1294
0
            return InitError(strprintf(_("acceptstalefeeestimates is not supported on %s chain."), chainparams.GetChainTypeString()));
1295
0
        }
1296
0
        node.fee_estimator = std::make_unique<CBlockPolicyEstimator>(FeeestPath(args), read_stale_estimates);
1297
1298
        // Flush estimates to disk periodically
1299
0
        CBlockPolicyEstimator* fee_estimator = node.fee_estimator.get();
1300
0
        scheduler.scheduleEvery([fee_estimator] { fee_estimator->FlushFeeEstimates(); }, FEE_FLUSH_INTERVAL);
1301
0
        validation_signals.RegisterValidationInterface(fee_estimator);
1302
0
    }
1303
1304
    // Check port numbers
1305
0
    for (const std::string port_option : {
  Branch (1305:40): [True: 0, False: 0]
1306
0
        "-port",
1307
0
        "-rpcport",
1308
0
    }) {
1309
0
        if (args.IsArgSet(port_option)) {
  Branch (1309:13): [True: 0, False: 0]
1310
0
            const std::string port = args.GetArg(port_option, "");
1311
0
            uint16_t n;
1312
0
            if (!ParseUInt16(port, &n) || n == 0) {
  Branch (1312:17): [True: 0, False: 0]
  Branch (1312:43): [True: 0, False: 0]
1313
0
                return InitError(InvalidPortErrMsg(port_option, port));
1314
0
            }
1315
0
        }
1316
0
    }
1317
1318
0
    for ([[maybe_unused]] const auto& [arg, unix] : std::vector<std::pair<std::string, bool>>{
  Branch (1318:51): [True: 0, False: 0]
1319
        // arg name            UNIX socket support
1320
0
        {"-i2psam",                 false},
1321
0
        {"-onion",                  true},
1322
0
        {"-proxy",                  true},
1323
0
        {"-rpcbind",                false},
1324
0
        {"-torcontrol",             false},
1325
0
        {"-whitebind",              false},
1326
0
        {"-zmqpubhashblock",        true},
1327
0
        {"-zmqpubhashtx",           true},
1328
0
        {"-zmqpubrawblock",         true},
1329
0
        {"-zmqpubrawtx",            true},
1330
0
        {"-zmqpubsequence",         true},
1331
0
    }) {
1332
0
        for (const std::string& socket_addr : args.GetArgs(arg)) {
  Branch (1332:45): [True: 0, False: 0]
1333
0
            std::string host_out;
1334
0
            uint16_t port_out{0};
1335
0
            if (!SplitHostPort(socket_addr, port_out, host_out)) {
  Branch (1335:17): [True: 0, False: 0]
1336
0
#ifdef HAVE_SOCKADDR_UN
1337
                // Allow unix domain sockets for some options e.g. unix:/some/file/path
1338
0
                if (!unix || socket_addr.find(ADDR_PREFIX_UNIX) != 0) {
  Branch (1338:21): [True: 0, False: 0]
  Branch (1338:30): [True: 0, False: 0]
1339
0
                    return InitError(InvalidPortErrMsg(arg, socket_addr));
1340
0
                }
1341
#else
1342
                return InitError(InvalidPortErrMsg(arg, socket_addr));
1343
#endif
1344
0
            }
1345
0
        }
1346
0
    }
1347
1348
0
    for (const std::string& socket_addr : args.GetArgs("-bind")) {
  Branch (1348:41): [True: 0, False: 0]
1349
0
        std::string host_out;
1350
0
        uint16_t port_out{0};
1351
0
        std::string bind_socket_addr = socket_addr.substr(0, socket_addr.rfind('='));
1352
0
        if (!SplitHostPort(bind_socket_addr, port_out, host_out)) {
  Branch (1352:13): [True: 0, False: 0]
1353
0
            return InitError(InvalidPortErrMsg("-bind", socket_addr));
1354
0
        }
1355
0
    }
1356
1357
    // sanitize comments per BIP-0014, format user agent and check total size
1358
0
    std::vector<std::string> uacomments;
1359
0
    for (const std::string& cmt : args.GetArgs("-uacomment")) {
  Branch (1359:33): [True: 0, False: 0]
1360
0
        if (cmt != SanitizeString(cmt, SAFE_CHARS_UA_COMMENT))
  Branch (1360:13): [True: 0, False: 0]
1361
0
            return InitError(strprintf(_("User Agent comment (%s) contains unsafe characters."), cmt));
1362
0
        uacomments.push_back(cmt);
1363
0
    }
1364
0
    strSubVersion = FormatSubVersion(CLIENT_NAME, CLIENT_VERSION, uacomments);
1365
0
    if (strSubVersion.size() > MAX_SUBVERSION_LENGTH) {
  Branch (1365:9): [True: 0, False: 0]
1366
0
        return InitError(strprintf(_("Total length of network version string (%i) exceeds maximum length (%i). Reduce the number or size of uacomments."),
1367
0
            strSubVersion.size(), MAX_SUBVERSION_LENGTH));
1368
0
    }
1369
1370
0
    if (args.IsArgSet("-onlynet")) {
  Branch (1370:9): [True: 0, False: 0]
1371
0
        g_reachable_nets.RemoveAll();
1372
0
        for (const std::string& snet : args.GetArgs("-onlynet")) {
  Branch (1372:38): [True: 0, False: 0]
1373
0
            enum Network net = ParseNetwork(snet);
1374
0
            if (net == NET_UNROUTABLE)
  Branch (1374:17): [True: 0, False: 0]
1375
0
                return InitError(strprintf(_("Unknown network specified in -onlynet: '%s'"), snet));
1376
0
            g_reachable_nets.Add(net);
1377
0
        }
1378
0
    }
1379
1380
0
    if (!args.IsArgSet("-cjdnsreachable")) {
  Branch (1380:9): [True: 0, False: 0]
1381
0
        if (args.IsArgSet("-onlynet") && g_reachable_nets.Contains(NET_CJDNS)) {
  Branch (1381:13): [True: 0, False: 0]
  Branch (1381:13): [True: 0, False: 0]
  Branch (1381:42): [True: 0, False: 0]
1382
0
            return InitError(
1383
0
                _("Outbound connections restricted to CJDNS (-onlynet=cjdns) but "
1384
0
                  "-cjdnsreachable is not provided"));
1385
0
        }
1386
0
        g_reachable_nets.Remove(NET_CJDNS);
1387
0
    }
1388
    // Now g_reachable_nets.Contains(NET_CJDNS) is true if:
1389
    // 1. -cjdnsreachable is given and
1390
    // 2.1. -onlynet is not given or
1391
    // 2.2. -onlynet=cjdns is given
1392
1393
    // Requesting DNS seeds entails connecting to IPv4/IPv6, which -onlynet options may prohibit:
1394
    // If -dnsseed=1 is explicitly specified, abort. If it's left unspecified by the user, we skip
1395
    // the DNS seeds by adjusting -dnsseed in InitParameterInteraction.
1396
0
    if (args.GetBoolArg("-dnsseed") == true && !g_reachable_nets.Contains(NET_IPV4) && !g_reachable_nets.Contains(NET_IPV6)) {
  Branch (1396:9): [True: 0, False: 0]
  Branch (1396:9): [True: 0, False: 0]
  Branch (1396:48): [True: 0, False: 0]
  Branch (1396:88): [True: 0, False: 0]
1397
0
        return InitError(strprintf(_("Incompatible options: -dnsseed=1 was explicitly specified, but -onlynet forbids connections to IPv4/IPv6")));
1398
0
    };
1399
1400
    // Check for host lookup allowed before parsing any network related parameters
1401
0
    fNameLookup = args.GetBoolArg("-dns", DEFAULT_NAME_LOOKUP);
1402
1403
0
    Proxy onion_proxy;
1404
1405
0
    bool proxyRandomize = args.GetBoolArg("-proxyrandomize", DEFAULT_PROXYRANDOMIZE);
1406
    // -proxy sets a proxy for all outgoing network traffic
1407
    // -noproxy (or -proxy=0) as well as the empty string can be used to not set a proxy, this is the default
1408
0
    std::string proxyArg = args.GetArg("-proxy", "");
1409
0
    if (proxyArg != "" && proxyArg != "0") {
  Branch (1409:9): [True: 0, False: 0]
  Branch (1409:27): [True: 0, False: 0]
1410
0
        Proxy addrProxy;
1411
0
        if (IsUnixSocketPath(proxyArg)) {
  Branch (1411:13): [True: 0, False: 0]
1412
0
            addrProxy = Proxy(proxyArg, proxyRandomize);
1413
0
        } else {
1414
0
            const std::optional<CService> proxyAddr{Lookup(proxyArg, 9050, fNameLookup)};
1415
0
            if (!proxyAddr.has_value()) {
  Branch (1415:17): [True: 0, False: 0]
1416
0
                return InitError(strprintf(_("Invalid -proxy address or hostname: '%s'"), proxyArg));
1417
0
            }
1418
1419
0
            addrProxy = Proxy(proxyAddr.value(), proxyRandomize);
1420
0
        }
1421
1422
0
        if (!addrProxy.IsValid())
  Branch (1422:13): [True: 0, False: 0]
1423
0
            return InitError(strprintf(_("Invalid -proxy address or hostname: '%s'"), proxyArg));
1424
1425
0
        SetProxy(NET_IPV4, addrProxy);
1426
0
        SetProxy(NET_IPV6, addrProxy);
1427
0
        SetProxy(NET_CJDNS, addrProxy);
1428
0
        SetNameProxy(addrProxy);
1429
0
        onion_proxy = addrProxy;
1430
0
    }
1431
1432
0
    const bool onlynet_used_with_onion{args.IsArgSet("-onlynet") && g_reachable_nets.Contains(NET_ONION)};
  Branch (1432:40): [True: 0, False: 0]
  Branch (1432:69): [True: 0, False: 0]
1433
1434
    // -onion can be used to set only a proxy for .onion, or override normal proxy for .onion addresses
1435
    // -noonion (or -onion=0) disables connecting to .onion entirely
1436
    // An empty string is used to not override the onion proxy (in which case it defaults to -proxy set above, or none)
1437
0
    std::string onionArg = args.GetArg("-onion", "");
1438
0
    if (onionArg != "") {
  Branch (1438:9): [True: 0, False: 0]
1439
0
        if (onionArg == "0") { // Handle -noonion/-onion=0
  Branch (1439:13): [True: 0, False: 0]
1440
0
            onion_proxy = Proxy{};
1441
0
            if (onlynet_used_with_onion) {
  Branch (1441:17): [True: 0, False: 0]
1442
0
                return InitError(
1443
0
                    _("Outbound connections restricted to Tor (-onlynet=onion) but the proxy for "
1444
0
                      "reaching the Tor network is explicitly forbidden: -onion=0"));
1445
0
            }
1446
0
        } else {
1447
0
            if (IsUnixSocketPath(onionArg)) {
  Branch (1447:17): [True: 0, False: 0]
1448
0
                onion_proxy = Proxy(onionArg, proxyRandomize);
1449
0
            } else {
1450
0
                const std::optional<CService> addr{Lookup(onionArg, 9050, fNameLookup)};
1451
0
                if (!addr.has_value() || !addr->IsValid()) {
  Branch (1451:21): [True: 0, False: 0]
  Branch (1451:42): [True: 0, False: 0]
1452
0
                    return InitError(strprintf(_("Invalid -onion address or hostname: '%s'"), onionArg));
1453
0
                }
1454
1455
0
                onion_proxy = Proxy(addr.value(), proxyRandomize);
1456
0
            }
1457
0
        }
1458
0
    }
1459
1460
0
    if (onion_proxy.IsValid()) {
  Branch (1460:9): [True: 0, False: 0]
1461
0
        SetProxy(NET_ONION, onion_proxy);
1462
0
    } else {
1463
        // If -listenonion is set, then we will (try to) connect to the Tor control port
1464
        // later from the torcontrol thread and may retrieve the onion proxy from there.
1465
0
        const bool listenonion_disabled{!args.GetBoolArg("-listenonion", DEFAULT_LISTEN_ONION)};
1466
0
        if (onlynet_used_with_onion && listenonion_disabled) {
  Branch (1466:13): [True: 0, False: 0]
  Branch (1466:40): [True: 0, False: 0]
1467
0
            return InitError(
1468
0
                _("Outbound connections restricted to Tor (-onlynet=onion) but the proxy for "
1469
0
                  "reaching the Tor network is not provided: none of -proxy, -onion or "
1470
0
                  "-listenonion is given"));
1471
0
        }
1472
0
        g_reachable_nets.Remove(NET_ONION);
1473
0
    }
1474
1475
0
    for (const std::string& strAddr : args.GetArgs("-externalip")) {
  Branch (1475:37): [True: 0, False: 0]
1476
0
        const std::optional<CService> addrLocal{Lookup(strAddr, GetListenPort(), fNameLookup)};
1477
0
        if (addrLocal.has_value() && addrLocal->IsValid())
  Branch (1477:13): [True: 0, False: 0]
  Branch (1477:38): [True: 0, False: 0]
1478
0
            AddLocal(addrLocal.value(), LOCAL_MANUAL);
1479
0
        else
1480
0
            return InitError(ResolveErrMsg("externalip", strAddr));
1481
0
    }
1482
1483
#ifdef ENABLE_ZMQ
1484
    g_zmq_notification_interface = CZMQNotificationInterface::Create(
1485
        [&chainman = node.chainman](std::vector<uint8_t>& block, const CBlockIndex& index) {
1486
            assert(chainman);
1487
            return chainman->m_blockman.ReadRawBlockFromDisk(block, WITH_LOCK(cs_main, return index.GetBlockPos()));
1488
        });
1489
1490
    if (g_zmq_notification_interface) {
1491
        validation_signals.RegisterValidationInterface(g_zmq_notification_interface.get());
1492
    }
1493
#endif
1494
1495
    // ********************************************************* Step 7: load block chain
1496
1497
0
    node.notifications = std::make_unique<KernelNotifications>(*Assert(node.shutdown), node.exit_status, *Assert(node.warnings));
1498
0
    ReadNotificationArgs(args, *node.notifications);
1499
0
    ChainstateManager::Options chainman_opts{
1500
0
        .chainparams = chainparams,
1501
0
        .datadir = args.GetDataDirNet(),
1502
0
        .notifications = *node.notifications,
1503
0
        .signals = &validation_signals,
1504
0
    };
1505
0
    Assert(ApplyArgsManOptions(args, chainman_opts)); // no error can happen, already checked in AppInitParameterInteraction
1506
1507
0
    BlockManager::Options blockman_opts{
1508
0
        .chainparams = chainman_opts.chainparams,
1509
0
        .blocks_dir = args.GetBlocksDirPath(),
1510
0
        .notifications = chainman_opts.notifications,
1511
0
    };
1512
0
    Assert(ApplyArgsManOptions(args, blockman_opts)); // no error can happen, already checked in AppInitParameterInteraction
1513
1514
    // cache size calculations
1515
0
    CacheSizes cache_sizes = CalculateCacheSizes(args, g_enabled_filter_types.size());
1516
1517
0
    LogPrintf("Cache configuration:\n");
1518
0
    LogPrintf("* Using %.1f MiB for block index database\n", cache_sizes.block_tree_db * (1.0 / 1024 / 1024));
1519
0
    if (args.GetBoolArg("-txindex", DEFAULT_TXINDEX)) {
  Branch (1519:9): [True: 0, False: 0]
1520
0
        LogPrintf("* Using %.1f MiB for transaction index database\n", cache_sizes.tx_index * (1.0 / 1024 / 1024));
1521
0
    }
1522
0
    for (BlockFilterType filter_type : g_enabled_filter_types) {
  Branch (1522:38): [True: 0, False: 0]
1523
0
        LogPrintf("* Using %.1f MiB for %s block filter index database\n",
1524
0
                  cache_sizes.filter_index * (1.0 / 1024 / 1024), BlockFilterTypeName(filter_type));
1525
0
    }
1526
0
    LogPrintf("* Using %.1f MiB for chain state database\n", cache_sizes.coins_db * (1.0 / 1024 / 1024));
1527
1528
0
    assert(!node.mempool);
1529
0
    assert(!node.chainman);
1530
1531
0
    CTxMemPool::Options mempool_opts{
1532
0
        .check_ratio = chainparams.DefaultConsistencyChecks() ? 1 : 0,
  Branch (1532:24): [True: 0, False: 0]
1533
0
        .signals = &validation_signals,
1534
0
    };
1535
0
    auto result{ApplyArgsManOptions(args, chainparams, mempool_opts)};
1536
0
    if (!result) {
  Branch (1536:9): [True: 0, False: 0]
1537
0
        return InitError(util::ErrorString(result));
1538
0
    }
1539
1540
0
    bool do_reindex{args.GetBoolArg("-reindex", false)};
1541
0
    const bool do_reindex_chainstate{args.GetBoolArg("-reindex-chainstate", false)};
1542
1543
0
    for (bool fLoaded = false; !fLoaded && !ShutdownRequested(node);) {
  Branch (1543:32): [True: 0, False: 0]
  Branch (1543:44): [True: 0, False: 0]
1544
0
        bilingual_str mempool_error;
1545
0
        node.mempool = std::make_unique<CTxMemPool>(mempool_opts, mempool_error);
1546
0
        if (!mempool_error.empty()) {
  Branch (1546:13): [True: 0, False: 0]
1547
0
            return InitError(mempool_error);
1548
0
        }
1549
0
        LogPrintf("* Using %.1f MiB for in-memory UTXO set (plus up to %.1f MiB of unused mempool space)\n", cache_sizes.coins * (1.0 / 1024 / 1024), mempool_opts.max_size_bytes * (1.0 / 1024 / 1024));
1550
1551
0
        try {
1552
0
            node.chainman = std::make_unique<ChainstateManager>(*Assert(node.shutdown), chainman_opts, blockman_opts);
1553
0
        } catch (std::exception& e) {
1554
0
            return InitError(strprintf(Untranslated("Failed to initialize ChainstateManager: %s"), e.what()));
1555
0
        }
1556
0
        ChainstateManager& chainman = *node.chainman;
1557
1558
        // This is defined and set here instead of inline in validation.h to avoid a hard
1559
        // dependency between validation and index/base, since the latter is not in
1560
        // libbitcoinkernel.
1561
0
        chainman.restart_indexes = [&node]() {
1562
0
            LogPrintf("[snapshot] restarting indexes\n");
1563
1564
            // Drain the validation interface queue to ensure that the old indexes
1565
            // don't have any pending work.
1566
0
            Assert(node.validation_signals)->SyncWithValidationInterfaceQueue();
1567
1568
0
            for (auto* index : node.indexes) {
  Branch (1568:30): [True: 0, False: 0]
1569
0
                index->Interrupt();
1570
0
                index->Stop();
1571
0
                if (!(index->Init() && index->StartBackgroundSync())) {
  Branch (1571:23): [True: 0, False: 0]
  Branch (1571:40): [True: 0, False: 0]
1572
0
                    LogPrintf("[snapshot] WARNING failed to restart index %s on snapshot chain\n", index->GetName());
1573
0
                }
1574
0
            }
1575
0
        };
1576
1577
0
        node::ChainstateLoadOptions options;
1578
0
        options.mempool = Assert(node.mempool.get());
1579
0
        options.wipe_block_tree_db = do_reindex;
1580
0
        options.wipe_chainstate_db = do_reindex || do_reindex_chainstate;
  Branch (1580:38): [True: 0, False: 0]
  Branch (1580:52): [True: 0, False: 0]
1581
0
        options.prune = chainman.m_blockman.IsPruneMode();
1582
0
        options.check_blocks = args.GetIntArg("-checkblocks", DEFAULT_CHECKBLOCKS);
1583
0
        options.check_level = args.GetIntArg("-checklevel", DEFAULT_CHECKLEVEL);
1584
0
        options.require_full_verification = args.IsArgSet("-checkblocks") || args.IsArgSet("-checklevel");
  Branch (1584:45): [True: 0, False: 0]
  Branch (1584:78): [True: 0, False: 0]
1585
0
        options.coins_error_cb = [] {
1586
0
            uiInterface.ThreadSafeMessageBox(
1587
0
                _("Error reading from database, shutting down."),
1588
0
                "", CClientUIInterface::MSG_ERROR);
1589
0
        };
1590
1591
0
        uiInterface.InitMessage(_("Loading block index…").translated);
1592
0
        const auto load_block_index_start_time{SteadyClock::now()};
1593
0
        auto catch_exceptions = [](auto&& f) {
1594
0
            try {
1595
0
                return f();
1596
0
            } catch (const std::exception& e) {
1597
0
                LogError("%s\n", e.what());
1598
0
                return std::make_tuple(node::ChainstateLoadStatus::FAILURE, _("Error opening block database"));
1599
0
            }
1600
0
        };
Unexecuted instantiation: init.cpp:auto AppInitMain(node::NodeContext&, interfaces::BlockAndHeaderTipInfo*)::$_5::operator()<AppInitMain(node::NodeContext&, interfaces::BlockAndHeaderTipInfo*)::$_6>(AppInitMain(node::NodeContext&, interfaces::BlockAndHeaderTipInfo*)::$_6&&) const
Unexecuted instantiation: init.cpp:auto AppInitMain(node::NodeContext&, interfaces::BlockAndHeaderTipInfo*)::$_5::operator()<AppInitMain(node::NodeContext&, interfaces::BlockAndHeaderTipInfo*)::$_7>(AppInitMain(node::NodeContext&, interfaces::BlockAndHeaderTipInfo*)::$_7&&) const
1601
0
        auto [status, error] = catch_exceptions([&]{ return LoadChainstate(chainman, cache_sizes, options); });
1602
0
        if (status == node::ChainstateLoadStatus::SUCCESS) {
  Branch (1602:13): [True: 0, False: 0]
1603
0
            uiInterface.InitMessage(_("Verifying blocks…").translated);
1604
0
            if (chainman.m_blockman.m_have_pruned && options.check_blocks > MIN_BLOCKS_TO_KEEP) {
  Branch (1604:17): [True: 0, False: 0]
  Branch (1604:54): [True: 0, False: 0]
1605
0
                LogWarning("pruned datadir may not have more than %d blocks; only checking available blocks\n",
1606
0
                                  MIN_BLOCKS_TO_KEEP);
1607
0
            }
1608
0
            std::tie(status, error) = catch_exceptions([&]{ return VerifyLoadedChainstate(chainman, options);});
1609
0
            if (status == node::ChainstateLoadStatus::SUCCESS) {
  Branch (1609:17): [True: 0, False: 0]
1610
0
                fLoaded = true;
1611
0
                LogPrintf(" block index %15dms\n", Ticks<std::chrono::milliseconds>(SteadyClock::now() - load_block_index_start_time));
1612
0
            }
1613
0
        }
1614
1615
0
        if (status == node::ChainstateLoadStatus::FAILURE_FATAL || status == node::ChainstateLoadStatus::FAILURE_INCOMPATIBLE_DB || status == node::ChainstateLoadStatus::FAILURE_INSUFFICIENT_DBCACHE) {
  Branch (1615:13): [True: 0, False: 0]
  Branch (1615:68): [True: 0, False: 0]
  Branch (1615:133): [True: 0, False: 0]
1616
0
            return InitError(error);
1617
0
        }
1618
1619
0
        if (!fLoaded && !ShutdownRequested(node)) {
  Branch (1619:13): [True: 0, False: 0]
  Branch (1619:25): [True: 0, False: 0]
1620
            // first suggest a reindex
1621
0
            if (!do_reindex) {
  Branch (1621:17): [True: 0, False: 0]
1622
0
                bool fRet = uiInterface.ThreadSafeQuestion(
1623
0
                    error + Untranslated(".\n\n") + _("Do you want to rebuild the block database now?"),
1624
0
                    error.original + ".\nPlease restart with -reindex or -reindex-chainstate to recover.",
1625
0
                    "", CClientUIInterface::MSG_ERROR | CClientUIInterface::BTN_ABORT);
1626
0
                if (fRet) {
  Branch (1626:21): [True: 0, False: 0]
1627
0
                    do_reindex = true;
1628
0
                    if (!Assert(node.shutdown)->reset()) {
  Branch (1628:25): [True: 0, False: 0]
1629
0
                        LogError("Internal error: failed to reset shutdown signal.\n");
1630
0
                    }
1631
0
                } else {
1632
0
                    LogError("Aborted block database rebuild. Exiting.\n");
1633
0
                    return false;
1634
0
                }
1635
0
            } else {
1636
0
                return InitError(error);
1637
0
            }
1638
0
        }
1639
0
    }
1640
1641
    // As LoadBlockIndex can take several minutes, it's possible the user
1642
    // requested to kill the GUI during the last operation. If so, exit.
1643
    // As the program has not fully started yet, Shutdown() is possibly overkill.
1644
0
    if (ShutdownRequested(node)) {
  Branch (1644:9): [True: 0, False: 0]
1645
0
        LogPrintf("Shutdown requested. Exiting.\n");
1646
0
        return false;
1647
0
    }
1648
1649
0
    ChainstateManager& chainman = *Assert(node.chainman);
1650
1651
0
    assert(!node.peerman);
1652
0
    node.peerman = PeerManager::make(*node.connman, *node.addrman,
1653
0
                                     node.banman.get(), chainman,
1654
0
                                     *node.mempool, *node.warnings,
1655
0
                                     peerman_opts);
1656
0
    validation_signals.RegisterValidationInterface(node.peerman.get());
1657
1658
    // ********************************************************* Step 8: start indexers
1659
1660
0
    if (args.GetBoolArg("-txindex", DEFAULT_TXINDEX)) {
  Branch (1660:9): [True: 0, False: 0]
1661
0
        g_txindex = std::make_unique<TxIndex>(interfaces::MakeChain(node), cache_sizes.tx_index, false, do_reindex);
1662
0
        node.indexes.emplace_back(g_txindex.get());
1663
0
    }
1664
1665
0
    for (const auto& filter_type : g_enabled_filter_types) {
  Branch (1665:34): [True: 0, False: 0]
1666
0
        InitBlockFilterIndex([&]{ return interfaces::MakeChain(node); }, filter_type, cache_sizes.filter_index, false, do_reindex);
1667
0
        node.indexes.emplace_back(GetBlockFilterIndex(filter_type));
1668
0
    }
1669
1670
0
    if (args.GetBoolArg("-coinstatsindex", DEFAULT_COINSTATSINDEX)) {
  Branch (1670:9): [True: 0, False: 0]
1671
0
        g_coin_stats_index = std::make_unique<CoinStatsIndex>(interfaces::MakeChain(node), /*cache_size=*/0, false, do_reindex);
1672
0
        node.indexes.emplace_back(g_coin_stats_index.get());
1673
0
    }
1674
1675
    // Init indexes
1676
0
    for (auto index : node.indexes) if (!index->Init()) return false;
  Branch (1676:21): [True: 0, False: 0]
  Branch (1676:41): [True: 0, False: 0]
1677
1678
    // ********************************************************* Step 9: load wallet
1679
0
    for (const auto& client : node.chain_clients) {
  Branch (1679:29): [True: 0, False: 0]
1680
0
        if (!client->load()) {
  Branch (1680:13): [True: 0, False: 0]
1681
0
            return false;
1682
0
        }
1683
0
    }
1684
1685
    // ********************************************************* Step 10: data directory maintenance
1686
1687
    // if pruning, perform the initial blockstore prune
1688
    // after any wallet rescanning has taken place.
1689
0
    if (chainman.m_blockman.IsPruneMode()) {
  Branch (1689:9): [True: 0, False: 0]
1690
0
        if (chainman.m_blockman.m_blockfiles_indexed) {
  Branch (1690:13): [True: 0, False: 0]
1691
0
            LOCK(cs_main);
1692
0
            for (Chainstate* chainstate : chainman.GetAll()) {
  Branch (1692:41): [True: 0, False: 0]
1693
0
                uiInterface.InitMessage(_("Pruning blockstore…").translated);
1694
0
                chainstate->PruneAndFlush();
1695
0
            }
1696
0
        }
1697
0
    } else {
1698
0
        LogPrintf("Setting NODE_NETWORK on non-prune mode\n");
1699
0
        nLocalServices = ServiceFlags(nLocalServices | NODE_NETWORK);
1700
0
    }
1701
1702
    // ********************************************************* Step 11: import blocks
1703
1704
0
    if (!CheckDiskSpace(args.GetDataDirNet())) {
  Branch (1704:9): [True: 0, False: 0]
1705
0
        InitError(strprintf(_("Error: Disk space is low for %s"), fs::quoted(fs::PathToString(args.GetDataDirNet()))));
1706
0
        return false;
1707
0
    }
1708
0
    if (!CheckDiskSpace(args.GetBlocksDirPath())) {
  Branch (1708:9): [True: 0, False: 0]
1709
0
        InitError(strprintf(_("Error: Disk space is low for %s"), fs::quoted(fs::PathToString(args.GetBlocksDirPath()))));
1710
0
        return false;
1711
0
    }
1712
1713
0
    int chain_active_height = WITH_LOCK(cs_main, return chainman.ActiveChain().Height());
1714
1715
    // On first startup, warn on low block storage space
1716
0
    if (!do_reindex && !do_reindex_chainstate && chain_active_height <= 1) {
  Branch (1716:9): [True: 0, False: 0]
  Branch (1716:24): [True: 0, False: 0]
  Branch (1716:50): [True: 0, False: 0]
1717
0
        uint64_t assumed_chain_bytes{chainparams.AssumedBlockchainSize() * 1024 * 1024 * 1024};
1718
0
        uint64_t additional_bytes_needed{
1719
0
            chainman.m_blockman.IsPruneMode() ?
  Branch (1719:13): [True: 0, False: 0]
1720
0
                std::min(chainman.m_blockman.GetPruneTarget(), assumed_chain_bytes) :
1721
0
                assumed_chain_bytes};
1722
1723
0
        if (!CheckDiskSpace(args.GetBlocksDirPath(), additional_bytes_needed)) {
  Branch (1723:13): [True: 0, False: 0]
1724
0
            InitWarning(strprintf(_(
1725
0
                    "Disk space for %s may not accommodate the block files. " \
1726
0
                    "Approximately %u GB of data will be stored in this directory."
1727
0
                ),
1728
0
                fs::quoted(fs::PathToString(args.GetBlocksDirPath())),
1729
0
                chainparams.AssumedBlockchainSize()
1730
0
            ));
1731
0
        }
1732
0
    }
1733
1734
    // Either install a handler to notify us when genesis activates, or set fHaveGenesis directly.
1735
    // No locking, as this happens before any background thread is started.
1736
0
    boost::signals2::connection block_notify_genesis_wait_connection;
1737
0
    if (WITH_LOCK(chainman.GetMutex(), return chainman.ActiveChain().Tip() == nullptr)) {
1738
0
        block_notify_genesis_wait_connection = uiInterface.NotifyBlockTip_connect(std::bind(BlockNotifyGenesisWait, std::placeholders::_2));
1739
0
    } else {
1740
0
        fHaveGenesis = true;
1741
0
    }
1742
1743
0
#if HAVE_SYSTEM
1744
0
    const std::string block_notify = args.GetArg("-blocknotify", "");
1745
0
    if (!block_notify.empty()) {
  Branch (1745:9): [True: 0, False: 0]
1746
0
        uiInterface.NotifyBlockTip_connect([block_notify](SynchronizationState sync_state, const CBlockIndex* pBlockIndex) {
1747
0
            if (sync_state != SynchronizationState::POST_INIT || !pBlockIndex) return;
  Branch (1747:17): [True: 0, False: 0]
  Branch (1747:66): [True: 0, False: 0]
1748
0
            std::string command = block_notify;
1749
0
            ReplaceAll(command, "%s", pBlockIndex->GetBlockHash().GetHex());
1750
0
            std::thread t(runCommand, command);
1751
0
            t.detach(); // thread runs free
1752
0
        });
1753
0
    }
1754
0
#endif
1755
1756
0
    std::vector<fs::path> vImportFiles;
1757
0
    for (const std::string& strFile : args.GetArgs("-loadblock")) {
  Branch (1757:37): [True: 0, False: 0]
1758
0
        vImportFiles.push_back(fs::PathFromString(strFile));
1759
0
    }
1760
1761
0
    chainman.m_thread_load = std::thread(&util::TraceThread, "initload", [=, &chainman, &args, &node] {
1762
0
        ScheduleBatchPriority();
1763
        // Import blocks
1764
0
        ImportBlocks(chainman, vImportFiles);
1765
0
        if (args.GetBoolArg("-stopafterblockimport", DEFAULT_STOPAFTERBLOCKIMPORT)) {
  Branch (1765:13): [True: 0, False: 0]
1766
0
            LogPrintf("Stopping after block import\n");
1767
0
            if (!(*Assert(node.shutdown))()) {
  Branch (1767:17): [True: 0, False: 0]
1768
0
                LogError("Failed to send shutdown signal after finishing block import\n");
1769
0
            }
1770
0
            return;
1771
0
        }
1772
1773
        // Start indexes initial sync
1774
0
        if (!StartIndexBackgroundSync(node)) {
  Branch (1774:13): [True: 0, False: 0]
1775
0
            bilingual_str err_str = _("Failed to start indexes, shutting down..");
1776
0
            chainman.GetNotifications().fatalError(err_str);
1777
0
            return;
1778
0
        }
1779
        // Load mempool from disk
1780
0
        if (auto* pool{chainman.ActiveChainstate().GetMempool()}) {
  Branch (1780:19): [True: 0, False: 0]
1781
0
            LoadMempool(*pool, ShouldPersistMempool(args) ? MempoolPath(args) : fs::path{}, chainman.ActiveChainstate(), {});
  Branch (1781:32): [True: 0, False: 0]
1782
0
            pool->SetLoadTried(!chainman.m_interrupt);
1783
0
        }
1784
0
    });
1785
1786
    // Wait for genesis block to be processed
1787
0
    {
1788
0
        WAIT_LOCK(g_genesis_wait_mutex, lock);
1789
        // We previously could hang here if shutdown was requested prior to
1790
        // ImportBlocks getting started, so instead we just wait on a timer to
1791
        // check ShutdownRequested() regularly.
1792
0
        while (!fHaveGenesis && !ShutdownRequested(node)) {
  Branch (1792:16): [True: 0, False: 0]
  Branch (1792:33): [True: 0, False: 0]
1793
0
            g_genesis_wait_cv.wait_for(lock, std::chrono::milliseconds(500));
1794
0
        }
1795
0
        block_notify_genesis_wait_connection.disconnect();
1796
0
    }
1797
1798
0
    if (ShutdownRequested(node)) {
  Branch (1798:9): [True: 0, False: 0]
1799
0
        return false;
1800
0
    }
1801
1802
    // ********************************************************* Step 12: start node
1803
1804
    //// debug print
1805
0
    int64_t best_block_time{};
1806
0
    {
1807
0
        LOCK(cs_main);
1808
0
        LogPrintf("block tree size = %u\n", chainman.BlockIndex().size());
1809
0
        chain_active_height = chainman.ActiveChain().Height();
1810
0
        best_block_time = chainman.ActiveChain().Tip() ? chainman.ActiveChain().Tip()->GetBlockTime() : chainman.GetParams().GenesisBlock().GetBlockTime();
  Branch (1810:27): [True: 0, False: 0]
1811
0
        if (tip_info) {
  Branch (1811:13): [True: 0, False: 0]
1812
0
            tip_info->block_height = chain_active_height;
1813
0
            tip_info->block_time = best_block_time;
1814
0
            tip_info->verification_progress = GuessVerificationProgress(chainman.GetParams().TxData(), chainman.ActiveChain().Tip());
1815
0
        }
1816
0
        if (tip_info && chainman.m_best_header) {
  Branch (1816:13): [True: 0, False: 0]
  Branch (1816:25): [True: 0, False: 0]
1817
0
            tip_info->header_height = chainman.m_best_header->nHeight;
1818
0
            tip_info->header_time = chainman.m_best_header->GetBlockTime();
1819
0
        }
1820
0
    }
1821
0
    LogPrintf("nBestHeight = %d\n", chain_active_height);
1822
0
    if (node.peerman) node.peerman->SetBestBlock(chain_active_height, std::chrono::seconds{best_block_time});
  Branch (1822:9): [True: 0, False: 0]
1823
1824
    // Map ports with UPnP or NAT-PMP.
1825
0
    StartMapPort(args.GetBoolArg("-upnp", DEFAULT_UPNP), args.GetBoolArg("-natpmp", DEFAULT_NATPMP));
1826
1827
0
    CConnman::Options connOptions;
1828
0
    connOptions.nLocalServices = nLocalServices;
1829
0
    connOptions.m_max_automatic_connections = nMaxConnections;
1830
0
    connOptions.uiInterface = &uiInterface;
1831
0
    connOptions.m_banman = node.banman.get();
1832
0
    connOptions.m_msgproc = node.peerman.get();
1833
0
    connOptions.nSendBufferMaxSize = 1000 * args.GetIntArg("-maxsendbuffer", DEFAULT_MAXSENDBUFFER);
1834
0
    connOptions.nReceiveFloodSize = 1000 * args.GetIntArg("-maxreceivebuffer", DEFAULT_MAXRECEIVEBUFFER);
1835
0
    connOptions.m_added_nodes = args.GetArgs("-addnode");
1836
0
    connOptions.nMaxOutboundLimit = *opt_max_upload;
1837
0
    connOptions.m_peer_connect_timeout = peer_connect_timeout;
1838
0
    connOptions.whitelist_forcerelay = args.GetBoolArg("-whitelistforcerelay", DEFAULT_WHITELISTFORCERELAY);
1839
0
    connOptions.whitelist_relay = args.GetBoolArg("-whitelistrelay", DEFAULT_WHITELISTRELAY);
1840
1841
    // Port to bind to if `-bind=addr` is provided without a `:port` suffix.
1842
0
    const uint16_t default_bind_port =
1843
0
        static_cast<uint16_t>(args.GetIntArg("-port", Params().GetDefaultPort()));
1844
1845
0
    const auto BadPortWarning = [](const char* prefix, uint16_t port) {
1846
0
        return strprintf(_("%s request to listen on port %u. This port is considered \"bad\" and "
1847
0
                           "thus it is unlikely that any peer will connect to it. See "
1848
0
                           "doc/p2p-bad-ports.md for details and a full list."),
1849
0
                         prefix,
1850
0
                         port);
1851
0
    };
1852
1853
0
    for (const std::string& bind_arg : args.GetArgs("-bind")) {
  Branch (1853:38): [True: 0, False: 0]
1854
0
        std::optional<CService> bind_addr;
1855
0
        const size_t index = bind_arg.rfind('=');
1856
0
        if (index == std::string::npos) {
  Branch (1856:13): [True: 0, False: 0]
1857
0
            bind_addr = Lookup(bind_arg, default_bind_port, /*fAllowLookup=*/false);
1858
0
            if (bind_addr.has_value()) {
  Branch (1858:17): [True: 0, False: 0]
1859
0
                connOptions.vBinds.push_back(bind_addr.value());
1860
0
                if (IsBadPort(bind_addr.value().GetPort())) {
  Branch (1860:21): [True: 0, False: 0]
1861
0
                    InitWarning(BadPortWarning("-bind", bind_addr.value().GetPort()));
1862
0
                }
1863
0
                continue;
1864
0
            }
1865
0
        } else {
1866
0
            const std::string network_type = bind_arg.substr(index + 1);
1867
0
            if (network_type == "onion") {
  Branch (1867:17): [True: 0, False: 0]
1868
0
                const std::string truncated_bind_arg = bind_arg.substr(0, index);
1869
0
                bind_addr = Lookup(truncated_bind_arg, BaseParams().OnionServiceTargetPort(), false);
1870
0
                if (bind_addr.has_value()) {
  Branch (1870:21): [True: 0, False: 0]
1871
0
                    connOptions.onion_binds.push_back(bind_addr.value());
1872
0
                    continue;
1873
0
                }
1874
0
            }
1875
0
        }
1876
0
        return InitError(ResolveErrMsg("bind", bind_arg));
1877
0
    }
1878
1879
0
    for (const std::string& strBind : args.GetArgs("-whitebind")) {
  Branch (1879:37): [True: 0, False: 0]
1880
0
        NetWhitebindPermissions whitebind;
1881
0
        bilingual_str error;
1882
0
        if (!NetWhitebindPermissions::TryParse(strBind, whitebind, error)) return InitError(error);
  Branch (1882:13): [True: 0, False: 0]
1883
0
        connOptions.vWhiteBinds.push_back(whitebind);
1884
0
    }
1885
1886
    // If the user did not specify -bind= or -whitebind= then we bind
1887
    // on any address - 0.0.0.0 (IPv4) and :: (IPv6).
1888
0
    connOptions.bind_on_any = args.GetArgs("-bind").empty() && args.GetArgs("-whitebind").empty();
  Branch (1888:31): [True: 0, False: 0]
  Branch (1888:64): [True: 0, False: 0]
1889
1890
    // Emit a warning if a bad port is given to -port= but only if -bind and -whitebind are not
1891
    // given, because if they are, then -port= is ignored.
1892
0
    if (connOptions.bind_on_any && args.IsArgSet("-port")) {
  Branch (1892:9): [True: 0, False: 0]
  Branch (1892:9): [True: 0, False: 0]
  Branch (1892:36): [True: 0, False: 0]
1893
0
        const uint16_t port_arg = args.GetIntArg("-port", 0);
1894
0
        if (IsBadPort(port_arg)) {
  Branch (1894:13): [True: 0, False: 0]
1895
0
            InitWarning(BadPortWarning("-port", port_arg));
1896
0
        }
1897
0
    }
1898
1899
0
    CService onion_service_target;
1900
0
    if (!connOptions.onion_binds.empty()) {
  Branch (1900:9): [True: 0, False: 0]
1901
0
        onion_service_target = connOptions.onion_binds.front();
1902
0
    } else if (!connOptions.vBinds.empty()) {
  Branch (1902:16): [True: 0, False: 0]
1903
0
        onion_service_target = connOptions.vBinds.front();
1904
0
    } else {
1905
0
        onion_service_target = DefaultOnionServiceTarget();
1906
0
        connOptions.onion_binds.push_back(onion_service_target);
1907
0
    }
1908
1909
0
    if (args.GetBoolArg("-listenonion", DEFAULT_LISTEN_ONION)) {
  Branch (1909:9): [True: 0, False: 0]
1910
0
        if (connOptions.onion_binds.size() > 1) {
  Branch (1910:13): [True: 0, False: 0]
1911
0
            InitWarning(strprintf(_("More than one onion bind address is provided. Using %s "
1912
0
                                    "for the automatically created Tor onion service."),
1913
0
                                  onion_service_target.ToStringAddrPort()));
1914
0
        }
1915
0
        StartTorControl(onion_service_target);
1916
0
    }
1917
1918
0
    if (connOptions.bind_on_any) {
  Branch (1918:9): [True: 0, False: 0]
1919
        // Only add all IP addresses of the machine if we would be listening on
1920
        // any address - 0.0.0.0 (IPv4) and :: (IPv6).
1921
0
        Discover();
1922
0
    }
1923
1924
0
    for (const auto& net : args.GetArgs("-whitelist")) {
  Branch (1924:26): [True: 0, False: 0]
1925
0
        NetWhitelistPermissions subnet;
1926
0
        ConnectionDirection connection_direction;
1927
0
        bilingual_str error;
1928
0
        if (!NetWhitelistPermissions::TryParse(net, subnet, connection_direction, error)) return InitError(error);
  Branch (1928:13): [True: 0, False: 0]
1929
0
        if (connection_direction & ConnectionDirection::In) {
  Branch (1929:13): [True: 0, False: 0]
1930
0
            connOptions.vWhitelistedRangeIncoming.push_back(subnet);
1931
0
        }
1932
0
        if (connection_direction & ConnectionDirection::Out) {
  Branch (1932:13): [True: 0, False: 0]
1933
0
            connOptions.vWhitelistedRangeOutgoing.push_back(subnet);
1934
0
        }
1935
0
    }
1936
1937
0
    connOptions.vSeedNodes = args.GetArgs("-seednode");
1938
1939
    // Initiate outbound connections unless connect=0
1940
0
    connOptions.m_use_addrman_outgoing = !args.IsArgSet("-connect");
1941
0
    if (!connOptions.m_use_addrman_outgoing) {
  Branch (1941:9): [True: 0, False: 0]
1942
0
        const auto connect = args.GetArgs("-connect");
1943
0
        if (connect.size() != 1 || connect[0] != "0") {
  Branch (1943:13): [True: 0, False: 0]
  Branch (1943:36): [True: 0, False: 0]
1944
0
            connOptions.m_specified_outgoing = connect;
1945
0
        }
1946
0
        if (!connOptions.m_specified_outgoing.empty() && !connOptions.vSeedNodes.empty()) {
  Branch (1946:13): [True: 0, False: 0]
  Branch (1946:58): [True: 0, False: 0]
1947
0
            LogPrintf("-seednode is ignored when -connect is used\n");
1948
0
        }
1949
1950
0
        if (args.IsArgSet("-dnsseed") && args.GetBoolArg("-dnsseed", DEFAULT_DNSSEED) && args.IsArgSet("-proxy")) {
  Branch (1950:13): [True: 0, False: 0]
  Branch (1950:13): [True: 0, False: 0]
  Branch (1950:42): [True: 0, False: 0]
  Branch (1950:90): [True: 0, False: 0]
1951
0
            LogPrintf("-dnsseed is ignored when -connect is used and -proxy is specified\n");
1952
0
        }
1953
0
    }
1954
1955
0
    const std::string& i2psam_arg = args.GetArg("-i2psam", "");
1956
0
    if (!i2psam_arg.empty()) {
  Branch (1956:9): [True: 0, False: 0]
1957
0
        const std::optional<CService> addr{Lookup(i2psam_arg, 7656, fNameLookup)};
1958
0
        if (!addr.has_value() || !addr->IsValid()) {
  Branch (1958:13): [True: 0, False: 0]
  Branch (1958:34): [True: 0, False: 0]
1959
0
            return InitError(strprintf(_("Invalid -i2psam address or hostname: '%s'"), i2psam_arg));
1960
0
        }
1961
0
        SetProxy(NET_I2P, Proxy{addr.value()});
1962
0
    } else {
1963
0
        if (args.IsArgSet("-onlynet") && g_reachable_nets.Contains(NET_I2P)) {
  Branch (1963:13): [True: 0, False: 0]
  Branch (1963:13): [True: 0, False: 0]
  Branch (1963:42): [True: 0, False: 0]
1964
0
            return InitError(
1965
0
                _("Outbound connections restricted to i2p (-onlynet=i2p) but "
1966
0
                  "-i2psam is not provided"));
1967
0
        }
1968
0
        g_reachable_nets.Remove(NET_I2P);
1969
0
    }
1970
1971
0
    connOptions.m_i2p_accept_incoming = args.GetBoolArg("-i2pacceptincoming", DEFAULT_I2P_ACCEPT_INCOMING);
1972
1973
0
    if (!node.connman->Start(scheduler, connOptions)) {
  Branch (1973:9): [True: 0, False: 0]
1974
0
        return false;
1975
0
    }
1976
1977
    // ********************************************************* Step 13: finished
1978
1979
    // At this point, the RPC is "started", but still in warmup, which means it
1980
    // cannot yet be called. Before we make it callable, we need to make sure
1981
    // that the RPC's view of the best block is valid and consistent with
1982
    // ChainstateManager's active tip.
1983
    //
1984
    // If we do not do this, RPC's view of the best block will be height=0 and
1985
    // hash=0x0. This will lead to erroroneous responses for things like
1986
    // waitforblockheight.
1987
0
    RPCNotifyBlockChange(WITH_LOCK(chainman.GetMutex(), return chainman.ActiveTip()));
1988
0
    SetRPCWarmupFinished();
1989
1990
0
    uiInterface.InitMessage(_("Done loading").translated);
1991
1992
0
    for (const auto& client : node.chain_clients) {
  Branch (1992:29): [True: 0, False: 0]
1993
0
        client->start(scheduler);
1994
0
    }
1995
1996
0
    BanMan* banman = node.banman.get();
1997
0
    scheduler.scheduleEvery([banman]{
1998
0
        banman->DumpBanlist();
1999
0
    }, DUMP_BANS_INTERVAL);
2000
2001
0
    if (node.peerman) node.peerman->StartScheduledTasks(scheduler);
  Branch (2001:9): [True: 0, False: 0]
2002
2003
0
#if HAVE_SYSTEM
2004
0
    StartupNotify(args);
2005
0
#endif
2006
2007
0
    return true;
2008
0
}
2009
2010
bool StartIndexBackgroundSync(NodeContext& node)
2011
0
{
2012
    // Find the oldest block among all indexes.
2013
    // This block is used to verify that we have the required blocks' data stored on disk,
2014
    // starting from that point up to the current tip.
2015
    // indexes_start_block='nullptr' means "start from height 0".
2016
0
    std::optional<const CBlockIndex*> indexes_start_block;
2017
0
    std::string older_index_name;
2018
0
    ChainstateManager& chainman = *Assert(node.chainman);
2019
0
    const Chainstate& chainstate = WITH_LOCK(::cs_main, return chainman.GetChainstateForIndexing());
2020
0
    const CChain& index_chain = chainstate.m_chain;
2021
2022
0
    for (auto index : node.indexes) {
  Branch (2022:21): [True: 0, False: 0]
2023
0
        const IndexSummary& summary = index->GetSummary();
2024
0
        if (summary.synced) continue;
  Branch (2024:13): [True: 0, False: 0]
2025
2026
        // Get the last common block between the index best block and the active chain
2027
0
        LOCK(::cs_main);
2028
0
        const CBlockIndex* pindex = chainman.m_blockman.LookupBlockIndex(summary.best_block_hash);
2029
0
        if (!index_chain.Contains(pindex)) {
  Branch (2029:13): [True: 0, False: 0]
2030
0
            pindex = index_chain.FindFork(pindex);
2031
0
        }
2032
2033
0
        if (!indexes_start_block || !pindex || pindex->nHeight < indexes_start_block.value()->nHeight) {
  Branch (2033:13): [True: 0, False: 0]
  Branch (2033:37): [True: 0, False: 0]
  Branch (2033:48): [True: 0, False: 0]
2034
0
            indexes_start_block = pindex;
2035
0
            older_index_name = summary.name;
2036
0
            if (!pindex) break; // Starting from genesis so no need to look for earlier block.
  Branch (2036:17): [True: 0, False: 0]
2037
0
        }
2038
0
    };
2039
2040
    // Verify all blocks needed to sync to current tip are present.
2041
0
    if (indexes_start_block) {
  Branch (2041:9): [True: 0, False: 0]
2042
0
        LOCK(::cs_main);
2043
0
        const CBlockIndex* start_block = *indexes_start_block;
2044
0
        if (!start_block) start_block = chainman.ActiveChain().Genesis();
  Branch (2044:13): [True: 0, False: 0]
2045
0
        if (!chainman.m_blockman.CheckBlockDataAvailability(*index_chain.Tip(), *Assert(start_block))) {
  Branch (2045:13): [True: 0, False: 0]
2046
0
            return InitError(strprintf(Untranslated("%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));
2047
0
        }
2048
0
    }
2049
2050
    // Start threads
2051
0
    for (auto index : node.indexes) if (!index->StartBackgroundSync()) return false;
  Branch (2051:21): [True: 0, False: 0]
  Branch (2051:41): [True: 0, False: 0]
2052
0
    return true;
2053
0
}