Bitcoin Core Fuzz Coverage Report

Coverage Report

Created: 2026-03-24 13:57

next uncovered line (L), next uncovered region (R), next uncovered branch (B)
/root/bitcoin/src/common/args.cpp
Line
Count
Source
1
// Copyright (c) 2009-2010 Satoshi Nakamoto
2
// Copyright (c) 2009-present The Bitcoin Core developers
3
// Distributed under the MIT software license, see the accompanying
4
// file COPYING or http://www.opensource.org/licenses/mit-license.php.
5
6
#include <common/args.h>
7
8
#include <chainparamsbase.h>
9
#include <common/settings.h>
10
#include <logging.h>
11
#include <sync.h>
12
#include <tinyformat.h>
13
#include <univalue.h>
14
#include <util/chaintype.h>
15
#include <util/check.h>
16
#include <util/fs.h>
17
#include <util/fs_helpers.h>
18
#include <util/strencodings.h>
19
#include <util/string.h>
20
21
#ifdef WIN32
22
#include <shlobj.h>
23
#endif
24
25
#include <algorithm>
26
#include <cassert>
27
#include <cstdint>
28
#include <cstdlib>
29
#include <cstring>
30
#include <map>
31
#include <optional>
32
#include <stdexcept>
33
#include <string>
34
#include <utility>
35
#include <variant>
36
37
const char * const BITCOIN_CONF_FILENAME = "bitcoin.conf";
38
const char * const BITCOIN_SETTINGS_FILENAME = "settings.json";
39
40
ArgsManager gArgs;
41
42
/**
43
 * Interpret a string argument as a boolean.
44
 *
45
 * The definition of LocaleIndependentAtoi<int>() requires that non-numeric string values
46
 * like "foo", return 0. This means that if a user unintentionally supplies a
47
 * non-integer argument here, the return value is always false. This means that
48
 * -foo=false does what the user probably expects, but -foo=true is well defined
49
 * but does not do what they probably expected.
50
 *
51
 * The return value of LocaleIndependentAtoi<int>(...) is zero when given input not
52
 * representable as an int.
53
 *
54
 * For a more extensive discussion of this topic (and a wide range of opinions
55
 * on the Right Way to change this code), see PR12713.
56
 */
57
static bool InterpretBool(const std::string& strValue)
58
0
{
59
0
    if (strValue.empty())
60
0
        return true;
61
0
    return (LocaleIndependentAtoi<int>(strValue) != 0);
62
0
}
63
64
static std::string SettingName(const std::string& arg)
65
0
{
66
0
    return arg.size() > 0 && arg[0] == '-' ? arg.substr(1) : arg;
67
0
}
68
69
/**
70
 * Parse "name", "section.name", "noname", "section.noname" settings keys.
71
 *
72
 * @note Where an option was negated can be later checked using the
73
 * IsArgNegated() method. One use case for this is to have a way to disable
74
 * options that are not normally boolean (e.g. using -nodebuglogfile to request
75
 * that debug log output is not sent to any file at all).
76
 */
77
KeyInfo InterpretKey(std::string key)
78
0
{
79
0
    KeyInfo result;
80
    // Split section name from key name for keys like "testnet.foo" or "regtest.bar"
81
0
    size_t option_index = key.find('.');
82
0
    if (option_index != std::string::npos) {
83
0
        result.section = key.substr(0, option_index);
84
0
        key.erase(0, option_index + 1);
85
0
    }
86
0
    if (key.starts_with("no")) {
87
0
        key.erase(0, 2);
88
0
        result.negated = true;
89
0
    }
90
0
    result.name = key;
91
0
    return result;
92
0
}
93
94
/**
95
 * Interpret settings value based on registered flags.
96
 *
97
 * @param[in]   key      key information to know if key was negated
98
 * @param[in]   value    string value of setting to be parsed
99
 * @param[in]   flags    ArgsManager registered argument flags
100
 * @param[out]  error    Error description if settings value is not valid
101
 *
102
 * @return parsed settings value if it is valid, otherwise nullopt accompanied
103
 * by a descriptive error string
104
 */
105
std::optional<common::SettingsValue> InterpretValue(const KeyInfo& key, const std::string* value,
106
                                                  unsigned int flags, std::string& error)
107
0
{
108
    // Return negated settings as false values.
109
0
    if (key.negated) {
110
0
        if (flags & ArgsManager::DISALLOW_NEGATION) {
111
0
            error = strprintf("Negating of -%s is meaningless and therefore forbidden", key.name);
Line
Count
Source
1172
0
#define strprintf tfm::format
112
0
            return std::nullopt;
113
0
        }
114
        // Double negatives like -nofoo=0 are supported (but discouraged)
115
0
        if (value && !InterpretBool(*value)) {
116
0
            LogWarning("Parsed potentially confusing double-negative -%s=%s", key.name, *value);
Line
Count
Source
96
0
#define LogWarning(...) LogPrintLevel_(BCLog::LogFlags::ALL, BCLog::Level::Warning, /*should_ratelimit=*/true, __VA_ARGS__)
Line
Count
Source
89
0
#define LogPrintLevel_(category, level, should_ratelimit, ...) LogPrintFormatInternal(SourceLocation{__func__}, category, level, should_ratelimit, __VA_ARGS__)
117
0
            return true;
118
0
        }
119
0
        return false;
120
0
    }
121
0
    if (!value && (flags & ArgsManager::DISALLOW_ELISION)) {
122
0
        error = strprintf("Can not set -%s with no value. Please specify value with -%s=value.", key.name, key.name);
Line
Count
Source
1172
0
#define strprintf tfm::format
123
0
        return std::nullopt;
124
0
    }
125
0
    return value ? *value : "";
126
0
}
127
128
// Define default constructor and destructor that are not inline, so code instantiating this class doesn't need to
129
// #include class definitions for all members.
130
// For example, m_settings has an internal dependency on univalue.
131
0
ArgsManager::ArgsManager() = default;
132
0
ArgsManager::~ArgsManager() = default;
133
134
std::set<std::string> ArgsManager::GetUnsuitableSectionOnlyArgs() const
135
0
{
136
0
    std::set<std::string> unsuitables;
137
138
0
    LOCK(cs_args);
Line
Count
Source
266
0
#define LOCK(cs) UniqueLock UNIQUE_NAME(criticalblock)(MaybeCheckNotHeld(cs), #cs, __FILE__, __LINE__)
Line
Count
Source
11
0
#define UNIQUE_NAME(name) PASTE2(name, __COUNTER__)
Line
Count
Source
9
0
#define PASTE2(x, y) PASTE(x, y)
Line
Count
Source
8
0
#define PASTE(x, y) x ## y
139
140
    // if there's no section selected, don't worry
141
0
    if (m_network.empty()) return std::set<std::string> {};
142
143
    // if it's okay to use the default section for this network, don't worry
144
0
    if (m_network == ChainTypeToString(ChainType::MAIN)) return std::set<std::string> {};
145
146
0
    for (const auto& arg : m_network_only_args) {
147
0
        if (OnlyHasDefaultSectionSetting(m_settings, m_network, SettingName(arg))) {
148
0
            unsuitables.insert(arg);
149
0
        }
150
0
    }
151
0
    return unsuitables;
152
0
}
153
154
std::list<SectionInfo> ArgsManager::GetUnrecognizedSections() const
155
0
{
156
    // Section names to be recognized in the config file.
157
0
    static const std::set<std::string> available_sections{
158
0
        ChainTypeToString(ChainType::REGTEST),
159
0
        ChainTypeToString(ChainType::SIGNET),
160
0
        ChainTypeToString(ChainType::TESTNET),
161
0
        ChainTypeToString(ChainType::TESTNET4),
162
0
        ChainTypeToString(ChainType::MAIN),
163
0
    };
164
165
0
    LOCK(cs_args);
Line
Count
Source
266
0
#define LOCK(cs) UniqueLock UNIQUE_NAME(criticalblock)(MaybeCheckNotHeld(cs), #cs, __FILE__, __LINE__)
Line
Count
Source
11
0
#define UNIQUE_NAME(name) PASTE2(name, __COUNTER__)
Line
Count
Source
9
0
#define PASTE2(x, y) PASTE(x, y)
Line
Count
Source
8
0
#define PASTE(x, y) x ## y
166
0
    std::list<SectionInfo> unrecognized = m_config_sections;
167
0
    unrecognized.remove_if([](const SectionInfo& appeared){ return available_sections.contains(appeared.m_name); });
168
0
    return unrecognized;
169
0
}
170
171
void ArgsManager::SelectConfigNetwork(const std::string& network)
172
0
{
173
0
    LOCK(cs_args);
Line
Count
Source
266
0
#define LOCK(cs) UniqueLock UNIQUE_NAME(criticalblock)(MaybeCheckNotHeld(cs), #cs, __FILE__, __LINE__)
Line
Count
Source
11
0
#define UNIQUE_NAME(name) PASTE2(name, __COUNTER__)
Line
Count
Source
9
0
#define PASTE2(x, y) PASTE(x, y)
Line
Count
Source
8
0
#define PASTE(x, y) x ## y
174
0
    m_network = network;
175
0
}
176
177
bool ArgsManager::ParseParameters(int argc, const char* const argv[], std::string& error)
178
0
{
179
0
    LOCK(cs_args);
Line
Count
Source
266
0
#define LOCK(cs) UniqueLock UNIQUE_NAME(criticalblock)(MaybeCheckNotHeld(cs), #cs, __FILE__, __LINE__)
Line
Count
Source
11
0
#define UNIQUE_NAME(name) PASTE2(name, __COUNTER__)
Line
Count
Source
9
0
#define PASTE2(x, y) PASTE(x, y)
Line
Count
Source
8
0
#define PASTE(x, y) x ## y
180
0
    m_settings.command_line_options.clear();
181
182
0
    for (int i = 1; i < argc; i++) {
183
0
        std::string key(argv[i]);
184
185
#ifdef __APPLE__
186
        // At the first time when a user gets the "App downloaded from the
187
        // internet" warning, and clicks the Open button, macOS passes
188
        // a unique process serial number (PSN) as -psn_... command-line
189
        // argument, which we filter out.
190
        if (key.starts_with("-psn_")) continue;
191
#endif
192
193
0
        if (key == "-") break; //bitcoin-tx using stdin
194
0
        std::optional<std::string> val;
195
0
        size_t is_index = key.find('=');
196
0
        if (is_index != std::string::npos) {
197
0
            val = key.substr(is_index + 1);
198
0
            key.erase(is_index);
199
0
        }
200
#ifdef WIN32
201
        key = ToLower(key);
202
        if (key[0] == '/')
203
            key[0] = '-';
204
#endif
205
206
0
        if (key[0] != '-') {
207
0
            if (!m_accept_any_command && m_command.empty()) {
208
                // The first non-dash arg is a registered command
209
0
                std::optional<unsigned int> flags = GetArgFlags_(key);
210
0
                if (!flags || !(*flags & ArgsManager::COMMAND)) {
211
0
                    error = strprintf("Invalid command '%s'", argv[i]);
Line
Count
Source
1172
0
#define strprintf tfm::format
212
0
                    return false;
213
0
                }
214
0
            }
215
0
            m_command.push_back(key);
216
0
            while (++i < argc) {
217
                // The remaining args are command args
218
0
                m_command.emplace_back(argv[i]);
219
0
            }
220
0
            break;
221
0
        }
222
223
        // Transform --foo to -foo
224
0
        if (key.length() > 1 && key[1] == '-')
225
0
            key.erase(0, 1);
226
227
        // Transform -foo to foo
228
0
        key.erase(0, 1);
229
0
        KeyInfo keyinfo = InterpretKey(key);
230
0
        std::optional<unsigned int> flags = GetArgFlags_('-' + keyinfo.name);
231
232
        // Unknown command line options and command line options with dot
233
        // characters (which are returned from InterpretKey with nonempty
234
        // section strings) are not valid.
235
0
        if (!flags || !keyinfo.section.empty()) {
236
0
            error = strprintf("Invalid parameter %s", argv[i]);
Line
Count
Source
1172
0
#define strprintf tfm::format
237
0
            return false;
238
0
        }
239
240
0
        std::optional<common::SettingsValue> value = InterpretValue(keyinfo, val ? &*val : nullptr, *flags, error);
241
0
        if (!value) return false;
242
243
0
        m_settings.command_line_options[keyinfo.name].push_back(*value);
244
0
    }
245
246
    // we do not allow -includeconf from command line, only -noincludeconf
247
0
    if (auto* includes = common::FindKey(m_settings.command_line_options, "includeconf")) {
248
0
        const common::SettingsSpan values{*includes};
249
        // Range may be empty if -noincludeconf was passed
250
0
        if (!values.empty()) {
251
0
            error = "-includeconf cannot be used from commandline; -includeconf=" + values.begin()->write();
252
0
            return false; // pick first value as example
253
0
        }
254
0
    }
255
0
    return true;
256
0
}
257
258
std::optional<unsigned int> ArgsManager::GetArgFlags_(const std::string& name) const
259
0
{
260
0
    AssertLockHeld(cs_args);
Line
Count
Source
142
0
#define AssertLockHeld(cs) AssertLockHeldInternal(#cs, __FILE__, __LINE__, &cs)
261
0
    for (const auto& arg_map : m_available_args) {
262
0
        const auto search = arg_map.second.find(name);
263
0
        if (search != arg_map.second.end()) {
264
0
            return search->second.m_flags;
265
0
        }
266
0
    }
267
0
    return m_default_flags;
268
0
}
269
270
std::optional<unsigned int> ArgsManager::GetArgFlags(const std::string& name) const
271
0
{
272
0
    LOCK(cs_args);
Line
Count
Source
266
0
#define LOCK(cs) UniqueLock UNIQUE_NAME(criticalblock)(MaybeCheckNotHeld(cs), #cs, __FILE__, __LINE__)
Line
Count
Source
11
0
#define UNIQUE_NAME(name) PASTE2(name, __COUNTER__)
Line
Count
Source
9
0
#define PASTE2(x, y) PASTE(x, y)
Line
Count
Source
8
0
#define PASTE(x, y) x ## y
273
0
    return GetArgFlags_(name);
274
0
}
275
276
void ArgsManager::SetDefaultFlags(std::optional<unsigned int> flags)
277
0
{
278
0
    LOCK(cs_args);
Line
Count
Source
266
0
#define LOCK(cs) UniqueLock UNIQUE_NAME(criticalblock)(MaybeCheckNotHeld(cs), #cs, __FILE__, __LINE__)
Line
Count
Source
11
0
#define UNIQUE_NAME(name) PASTE2(name, __COUNTER__)
Line
Count
Source
9
0
#define PASTE2(x, y) PASTE(x, y)
Line
Count
Source
8
0
#define PASTE(x, y) x ## y
279
0
    m_default_flags = flags;
280
0
}
281
282
fs::path ArgsManager::GetPathArg_(std::string arg, const fs::path& default_value) const
283
0
{
284
0
    AssertLockHeld(cs_args);
Line
Count
Source
142
0
#define AssertLockHeld(cs) AssertLockHeldInternal(#cs, __FILE__, __LINE__, &cs)
285
0
    const auto value = GetSetting_(arg);
286
0
    if (value.isFalse()) return {};
287
0
    std::string path_str = SettingToString(value, "");
288
0
    if (path_str.empty()) return default_value;
289
0
    fs::path result = fs::PathFromString(path_str).lexically_normal();
290
    // Remove trailing slash, if present.
291
0
    return result.has_filename() ? result : result.parent_path();
292
0
}
293
294
fs::path ArgsManager::GetPathArg(std::string arg, const fs::path& default_value) const
295
0
{
296
0
    LOCK(cs_args);
Line
Count
Source
266
0
#define LOCK(cs) UniqueLock UNIQUE_NAME(criticalblock)(MaybeCheckNotHeld(cs), #cs, __FILE__, __LINE__)
Line
Count
Source
11
0
#define UNIQUE_NAME(name) PASTE2(name, __COUNTER__)
Line
Count
Source
9
0
#define PASTE2(x, y) PASTE(x, y)
Line
Count
Source
8
0
#define PASTE(x, y) x ## y
297
0
    return GetPathArg_(std::move(arg), default_value);
298
0
}
299
300
fs::path ArgsManager::GetBlocksDirPath() const
301
0
{
302
0
    LOCK(cs_args);
Line
Count
Source
266
0
#define LOCK(cs) UniqueLock UNIQUE_NAME(criticalblock)(MaybeCheckNotHeld(cs), #cs, __FILE__, __LINE__)
Line
Count
Source
11
0
#define UNIQUE_NAME(name) PASTE2(name, __COUNTER__)
Line
Count
Source
9
0
#define PASTE2(x, y) PASTE(x, y)
Line
Count
Source
8
0
#define PASTE(x, y) x ## y
303
0
    fs::path& path = m_cached_blocks_path;
304
305
    // Cache the path to avoid calling fs::create_directories on every call of
306
    // this function
307
0
    if (!path.empty()) return path;
308
309
0
    if (!GetSetting_("-blocksdir").isNull()) {
310
0
        path = fs::absolute(GetPathArg_("-blocksdir"));
311
0
        if (!fs::is_directory(path)) {
312
0
            path = "";
313
0
            return path;
314
0
        }
315
0
    } else {
316
0
        path = GetDataDir(/*net_specific=*/false);
317
0
    }
318
319
0
    path /= fs::PathFromString(BaseParams().DataDir());
320
0
    path /= "blocks";
321
0
    fs::create_directories(path);
322
0
    return path;
323
0
}
324
325
0
fs::path ArgsManager::GetDataDirBase() const {
326
0
    LOCK(cs_args);
Line
Count
Source
266
0
#define LOCK(cs) UniqueLock UNIQUE_NAME(criticalblock)(MaybeCheckNotHeld(cs), #cs, __FILE__, __LINE__)
Line
Count
Source
11
0
#define UNIQUE_NAME(name) PASTE2(name, __COUNTER__)
Line
Count
Source
9
0
#define PASTE2(x, y) PASTE(x, y)
Line
Count
Source
8
0
#define PASTE(x, y) x ## y
327
0
    return GetDataDir(/*net_specific=*/false);
328
0
}
329
330
0
fs::path ArgsManager::GetDataDirNet() const {
331
0
    LOCK(cs_args);
Line
Count
Source
266
0
#define LOCK(cs) UniqueLock UNIQUE_NAME(criticalblock)(MaybeCheckNotHeld(cs), #cs, __FILE__, __LINE__)
Line
Count
Source
11
0
#define UNIQUE_NAME(name) PASTE2(name, __COUNTER__)
Line
Count
Source
9
0
#define PASTE2(x, y) PASTE(x, y)
Line
Count
Source
8
0
#define PASTE(x, y) x ## y
332
0
    return GetDataDir(/*net_specific=*/true);
333
0
}
334
335
fs::path ArgsManager::GetDataDir(bool net_specific) const
336
0
{
337
0
    AssertLockHeld(cs_args);
Line
Count
Source
142
0
#define AssertLockHeld(cs) AssertLockHeldInternal(#cs, __FILE__, __LINE__, &cs)
338
0
    fs::path& path = net_specific ? m_cached_network_datadir_path : m_cached_datadir_path;
339
340
    // Used cached path if available
341
0
    if (!path.empty()) return path;
342
343
0
    const fs::path datadir{GetPathArg_("-datadir")};
344
0
    if (!datadir.empty()) {
345
0
        path = fs::absolute(datadir);
346
0
        if (!fs::is_directory(path)) {
347
0
            path = "";
348
0
            return path;
349
0
        }
350
0
    } else {
351
0
        path = GetDefaultDataDir();
352
0
    }
353
354
0
    if (net_specific && !BaseParams().DataDir().empty()) {
355
0
        path /= fs::PathFromString(BaseParams().DataDir());
356
0
    }
357
358
0
    return path;
359
0
}
360
361
void ArgsManager::ClearPathCache()
362
0
{
363
0
    LOCK(cs_args);
Line
Count
Source
266
0
#define LOCK(cs) UniqueLock UNIQUE_NAME(criticalblock)(MaybeCheckNotHeld(cs), #cs, __FILE__, __LINE__)
Line
Count
Source
11
0
#define UNIQUE_NAME(name) PASTE2(name, __COUNTER__)
Line
Count
Source
9
0
#define PASTE2(x, y) PASTE(x, y)
Line
Count
Source
8
0
#define PASTE(x, y) x ## y
364
365
0
    m_cached_datadir_path = fs::path();
366
0
    m_cached_network_datadir_path = fs::path();
367
0
    m_cached_blocks_path = fs::path();
368
0
}
369
370
std::optional<const ArgsManager::Command> ArgsManager::GetCommand() const
371
0
{
372
0
    Command ret;
373
0
    LOCK(cs_args);
Line
Count
Source
266
0
#define LOCK(cs) UniqueLock UNIQUE_NAME(criticalblock)(MaybeCheckNotHeld(cs), #cs, __FILE__, __LINE__)
Line
Count
Source
11
0
#define UNIQUE_NAME(name) PASTE2(name, __COUNTER__)
Line
Count
Source
9
0
#define PASTE2(x, y) PASTE(x, y)
Line
Count
Source
8
0
#define PASTE(x, y) x ## y
374
0
    auto it = m_command.begin();
375
0
    if (it == m_command.end()) {
376
        // No command was passed
377
0
        return std::nullopt;
378
0
    }
379
0
    if (!m_accept_any_command) {
380
        // The registered command
381
0
        ret.command = *(it++);
382
0
    }
383
0
    while (it != m_command.end()) {
384
        // The unregistered command and args (if any)
385
0
        ret.args.push_back(*(it++));
386
0
    }
387
0
    return ret;
388
0
}
389
390
std::vector<std::string> ArgsManager::GetArgs(const std::string& strArg) const
391
0
{
392
0
    std::vector<std::string> result;
393
0
    for (const common::SettingsValue& value : GetSettingsList(strArg)) {
394
0
        result.push_back(value.isFalse() ? "0" : value.isTrue() ? "1" : value.get_str());
395
0
    }
396
0
    return result;
397
0
}
398
399
bool ArgsManager::IsArgSet(const std::string& strArg) const
400
0
{
401
0
    return !GetSetting(strArg).isNull();
402
0
}
403
404
bool ArgsManager::GetSettingsPath(fs::path* filepath, bool temp, bool backup) const
405
0
{
406
0
    fs::path settings = GetPathArg("-settings", BITCOIN_SETTINGS_FILENAME);
407
0
    if (settings.empty()) {
408
0
        return false;
409
0
    }
410
0
    if (backup) {
411
0
        settings += ".bak";
412
0
    }
413
0
    if (filepath) {
414
0
        *filepath = fsbridge::AbsPathJoin(GetDataDirNet(), temp ? settings + ".tmp" : settings);
415
0
    }
416
0
    return true;
417
0
}
418
419
static void SaveErrors(const std::vector<std::string> errors, std::vector<std::string>* error_out)
420
0
{
421
0
    for (const auto& error : errors) {
422
0
        if (error_out) {
423
0
            error_out->emplace_back(error);
424
0
        } else {
425
0
            LogWarning("%s", error);
Line
Count
Source
96
0
#define LogWarning(...) LogPrintLevel_(BCLog::LogFlags::ALL, BCLog::Level::Warning, /*should_ratelimit=*/true, __VA_ARGS__)
Line
Count
Source
89
0
#define LogPrintLevel_(category, level, should_ratelimit, ...) LogPrintFormatInternal(SourceLocation{__func__}, category, level, should_ratelimit, __VA_ARGS__)
426
0
        }
427
0
    }
428
0
}
429
430
bool ArgsManager::ReadSettingsFile(std::vector<std::string>* errors)
431
0
{
432
0
    fs::path path;
433
0
    if (!GetSettingsPath(&path, /* temp= */ false)) {
434
0
        return true; // Do nothing if settings file disabled.
435
0
    }
436
437
0
    LOCK(cs_args);
Line
Count
Source
266
0
#define LOCK(cs) UniqueLock UNIQUE_NAME(criticalblock)(MaybeCheckNotHeld(cs), #cs, __FILE__, __LINE__)
Line
Count
Source
11
0
#define UNIQUE_NAME(name) PASTE2(name, __COUNTER__)
Line
Count
Source
9
0
#define PASTE2(x, y) PASTE(x, y)
Line
Count
Source
8
0
#define PASTE(x, y) x ## y
438
0
    m_settings.rw_settings.clear();
439
0
    std::vector<std::string> read_errors;
440
0
    if (!common::ReadSettings(path, m_settings.rw_settings, read_errors)) {
441
0
        SaveErrors(read_errors, errors);
442
0
        return false;
443
0
    }
444
0
    for (const auto& setting : m_settings.rw_settings) {
445
0
        KeyInfo key = InterpretKey(setting.first); // Split setting key into section and argname
446
0
        if (!GetArgFlags_('-' + key.name)) {
447
0
            LogWarning("Ignoring unknown rw_settings value %s", setting.first);
Line
Count
Source
96
0
#define LogWarning(...) LogPrintLevel_(BCLog::LogFlags::ALL, BCLog::Level::Warning, /*should_ratelimit=*/true, __VA_ARGS__)
Line
Count
Source
89
0
#define LogPrintLevel_(category, level, should_ratelimit, ...) LogPrintFormatInternal(SourceLocation{__func__}, category, level, should_ratelimit, __VA_ARGS__)
448
0
        }
449
0
    }
450
0
    return true;
451
0
}
452
453
bool ArgsManager::WriteSettingsFile(std::vector<std::string>* errors, bool backup) const
454
0
{
455
0
    fs::path path, path_tmp;
456
0
    if (!GetSettingsPath(&path, /*temp=*/false, backup) || !GetSettingsPath(&path_tmp, /*temp=*/true, backup)) {
457
0
        throw std::logic_error("Attempt to write settings file when dynamic settings are disabled.");
458
0
    }
459
460
0
    LOCK(cs_args);
Line
Count
Source
266
0
#define LOCK(cs) UniqueLock UNIQUE_NAME(criticalblock)(MaybeCheckNotHeld(cs), #cs, __FILE__, __LINE__)
Line
Count
Source
11
0
#define UNIQUE_NAME(name) PASTE2(name, __COUNTER__)
Line
Count
Source
9
0
#define PASTE2(x, y) PASTE(x, y)
Line
Count
Source
8
0
#define PASTE(x, y) x ## y
461
0
    std::vector<std::string> write_errors;
462
0
    if (!common::WriteSettings(path_tmp, m_settings.rw_settings, write_errors)) {
463
0
        SaveErrors(write_errors, errors);
464
0
        return false;
465
0
    }
466
0
    if (!RenameOver(path_tmp, path)) {
467
0
        SaveErrors({strprintf("Failed renaming settings file %s to %s\n", fs::PathToString(path_tmp), fs::PathToString(path))}, errors);
Line
Count
Source
1172
0
#define strprintf tfm::format
468
0
        return false;
469
0
    }
470
0
    return true;
471
0
}
472
473
common::SettingsValue ArgsManager::GetPersistentSetting(const std::string& name) const
474
0
{
475
0
    LOCK(cs_args);
Line
Count
Source
266
0
#define LOCK(cs) UniqueLock UNIQUE_NAME(criticalblock)(MaybeCheckNotHeld(cs), #cs, __FILE__, __LINE__)
Line
Count
Source
11
0
#define UNIQUE_NAME(name) PASTE2(name, __COUNTER__)
Line
Count
Source
9
0
#define PASTE2(x, y) PASTE(x, y)
Line
Count
Source
8
0
#define PASTE(x, y) x ## y
476
0
    return common::GetSetting(m_settings, m_network, name, !UseDefaultSection("-" + name),
477
0
        /*ignore_nonpersistent=*/true, /*get_chain_type=*/false);
478
0
}
479
480
bool ArgsManager::IsArgNegated(const std::string& strArg) const
481
0
{
482
0
    return GetSetting(strArg).isFalse();
483
0
}
484
485
std::string ArgsManager::GetArg(const std::string& strArg, const std::string& strDefault) const
486
0
{
487
0
    return GetArg(strArg).value_or(strDefault);
488
0
}
489
490
std::optional<std::string> ArgsManager::GetArg(const std::string& strArg) const
491
0
{
492
0
    const common::SettingsValue value = GetSetting(strArg);
493
0
    return SettingToString(value);
494
0
}
495
496
std::optional<std::string> SettingToString(const common::SettingsValue& value)
497
0
{
498
0
    if (value.isNull()) return std::nullopt;
499
0
    if (value.isFalse()) return "0";
500
0
    if (value.isTrue()) return "1";
501
0
    if (value.isNum()) return value.getValStr();
502
0
    return value.get_str();
503
0
}
504
505
std::string SettingToString(const common::SettingsValue& value, const std::string& strDefault)
506
0
{
507
0
    return SettingToString(value).value_or(strDefault);
508
0
}
509
510
template <std::integral Int>
511
Int ArgsManager::GetArg(const std::string& strArg, Int nDefault) const
512
0
{
513
0
    return GetArg<Int>(strArg).value_or(nDefault);
514
0
}
Unexecuted instantiation: _ZNK11ArgsManager6GetArgITkSt8integralaEET_RKNSt7__cxx1112basic_stringIcSt11char_traitsIcESaIcEEES1_
Unexecuted instantiation: _ZNK11ArgsManager6GetArgITkSt8integralhEET_RKNSt7__cxx1112basic_stringIcSt11char_traitsIcESaIcEEES1_
Unexecuted instantiation: _ZNK11ArgsManager6GetArgITkSt8integralsEET_RKNSt7__cxx1112basic_stringIcSt11char_traitsIcESaIcEEES1_
Unexecuted instantiation: _ZNK11ArgsManager6GetArgITkSt8integraltEET_RKNSt7__cxx1112basic_stringIcSt11char_traitsIcESaIcEEES1_
Unexecuted instantiation: _ZNK11ArgsManager6GetArgITkSt8integraliEET_RKNSt7__cxx1112basic_stringIcSt11char_traitsIcESaIcEEES1_
Unexecuted instantiation: _ZNK11ArgsManager6GetArgITkSt8integraljEET_RKNSt7__cxx1112basic_stringIcSt11char_traitsIcESaIcEEES1_
Unexecuted instantiation: _ZNK11ArgsManager6GetArgITkSt8integrallEET_RKNSt7__cxx1112basic_stringIcSt11char_traitsIcESaIcEEES1_
Unexecuted instantiation: _ZNK11ArgsManager6GetArgITkSt8integralmEET_RKNSt7__cxx1112basic_stringIcSt11char_traitsIcESaIcEEES1_
515
516
template <std::integral Int>
517
std::optional<Int> ArgsManager::GetArg(const std::string& strArg) const
518
0
{
519
0
    const common::SettingsValue value = GetSetting(strArg);
520
0
    return SettingTo<Int>(value);
521
0
}
Unexecuted instantiation: _ZNK11ArgsManager6GetArgITkSt8integralaEESt8optionalIT_ERKNSt7__cxx1112basic_stringIcSt11char_traitsIcESaIcEEE
Unexecuted instantiation: _ZNK11ArgsManager6GetArgITkSt8integralhEESt8optionalIT_ERKNSt7__cxx1112basic_stringIcSt11char_traitsIcESaIcEEE
Unexecuted instantiation: _ZNK11ArgsManager6GetArgITkSt8integralsEESt8optionalIT_ERKNSt7__cxx1112basic_stringIcSt11char_traitsIcESaIcEEE
Unexecuted instantiation: _ZNK11ArgsManager6GetArgITkSt8integraltEESt8optionalIT_ERKNSt7__cxx1112basic_stringIcSt11char_traitsIcESaIcEEE
Unexecuted instantiation: _ZNK11ArgsManager6GetArgITkSt8integraliEESt8optionalIT_ERKNSt7__cxx1112basic_stringIcSt11char_traitsIcESaIcEEE
Unexecuted instantiation: _ZNK11ArgsManager6GetArgITkSt8integraljEESt8optionalIT_ERKNSt7__cxx1112basic_stringIcSt11char_traitsIcESaIcEEE
Unexecuted instantiation: _ZNK11ArgsManager6GetArgITkSt8integrallEESt8optionalIT_ERKNSt7__cxx1112basic_stringIcSt11char_traitsIcESaIcEEE
Unexecuted instantiation: _ZNK11ArgsManager6GetArgITkSt8integralmEESt8optionalIT_ERKNSt7__cxx1112basic_stringIcSt11char_traitsIcESaIcEEE
522
523
template <std::integral Int>
524
std::optional<Int> SettingTo(const common::SettingsValue& value)
525
0
{
526
0
    if (value.isNull()) return std::nullopt;
527
0
    if (value.isFalse()) return 0;
528
0
    if (value.isTrue()) return 1;
529
0
    if (value.isNum()) return value.getInt<Int>();
530
0
    return LocaleIndependentAtoi<Int>(value.get_str());
531
0
}
Unexecuted instantiation: _Z9SettingToITkSt8integralaESt8optionalIT_ERK8UniValue
Unexecuted instantiation: _Z9SettingToITkSt8integralhESt8optionalIT_ERK8UniValue
Unexecuted instantiation: _Z9SettingToITkSt8integralsESt8optionalIT_ERK8UniValue
Unexecuted instantiation: _Z9SettingToITkSt8integraltESt8optionalIT_ERK8UniValue
Unexecuted instantiation: _Z9SettingToITkSt8integraliESt8optionalIT_ERK8UniValue
Unexecuted instantiation: _Z9SettingToITkSt8integraljESt8optionalIT_ERK8UniValue
Unexecuted instantiation: _Z9SettingToITkSt8integrallESt8optionalIT_ERK8UniValue
Unexecuted instantiation: _Z9SettingToITkSt8integralmESt8optionalIT_ERK8UniValue
532
533
template <std::integral Int>
534
Int SettingTo(const common::SettingsValue& value, Int nDefault)
535
0
{
536
0
    return SettingTo<Int>(value).value_or(nDefault);
537
0
}
Unexecuted instantiation: _Z9SettingToITkSt8integralaET_RK8UniValueS0_
Unexecuted instantiation: _Z9SettingToITkSt8integralhET_RK8UniValueS0_
Unexecuted instantiation: _Z9SettingToITkSt8integralsET_RK8UniValueS0_
Unexecuted instantiation: _Z9SettingToITkSt8integraltET_RK8UniValueS0_
Unexecuted instantiation: _Z9SettingToITkSt8integraliET_RK8UniValueS0_
Unexecuted instantiation: _Z9SettingToITkSt8integraljET_RK8UniValueS0_
Unexecuted instantiation: _Z9SettingToITkSt8integrallET_RK8UniValueS0_
Unexecuted instantiation: _Z9SettingToITkSt8integralmET_RK8UniValueS0_
538
539
bool ArgsManager::GetBoolArg(const std::string& strArg, bool fDefault) const
540
0
{
541
0
    return GetBoolArg(strArg).value_or(fDefault);
542
0
}
543
544
std::optional<bool> ArgsManager::GetBoolArg(const std::string& strArg) const
545
0
{
546
0
    const common::SettingsValue value = GetSetting(strArg);
547
0
    return SettingToBool(value);
548
0
}
549
550
std::optional<bool> SettingToBool(const common::SettingsValue& value)
551
0
{
552
0
    if (value.isNull()) return std::nullopt;
553
0
    if (value.isBool()) return value.get_bool();
554
0
    return InterpretBool(value.get_str());
555
0
}
556
557
bool SettingToBool(const common::SettingsValue& value, bool fDefault)
558
0
{
559
0
    return SettingToBool(value).value_or(fDefault);
560
0
}
561
562
#define INSTANTIATE_INT_TYPE(Type)                                                    \
563
    template Type ArgsManager::GetArg<Type>(const std::string&, Type) const;          \
564
    template std::optional<Type> ArgsManager::GetArg<Type>(const std::string&) const; \
565
    template Type SettingTo<Type>(const common::SettingsValue&, Type);                \
566
    template std::optional<Type> SettingTo<Type>(const common::SettingsValue&)
567
568
INSTANTIATE_INT_TYPE(int8_t);
569
INSTANTIATE_INT_TYPE(uint8_t);
570
INSTANTIATE_INT_TYPE(int16_t);
571
INSTANTIATE_INT_TYPE(uint16_t);
572
INSTANTIATE_INT_TYPE(int32_t);
573
INSTANTIATE_INT_TYPE(uint32_t);
574
INSTANTIATE_INT_TYPE(int64_t);
575
INSTANTIATE_INT_TYPE(uint64_t);
576
577
#undef INSTANTIATE_INT_TYPE
578
579
bool ArgsManager::SoftSetArg(const std::string& strArg, const std::string& strValue)
580
0
{
581
0
    LOCK(cs_args);
Line
Count
Source
266
0
#define LOCK(cs) UniqueLock UNIQUE_NAME(criticalblock)(MaybeCheckNotHeld(cs), #cs, __FILE__, __LINE__)
Line
Count
Source
11
0
#define UNIQUE_NAME(name) PASTE2(name, __COUNTER__)
Line
Count
Source
9
0
#define PASTE2(x, y) PASTE(x, y)
Line
Count
Source
8
0
#define PASTE(x, y) x ## y
582
0
    if (!GetSetting_(strArg).isNull()) return false;
583
0
    m_settings.forced_settings[SettingName(strArg)] = strValue;
584
0
    return true;
585
0
}
586
587
bool ArgsManager::SoftSetBoolArg(const std::string& strArg, bool fValue)
588
0
{
589
0
    if (fValue)
590
0
        return SoftSetArg(strArg, std::string("1"));
591
0
    else
592
0
        return SoftSetArg(strArg, std::string("0"));
593
0
}
594
595
void ArgsManager::ForceSetArg(const std::string& strArg, const std::string& strValue)
596
0
{
597
0
    LOCK(cs_args);
Line
Count
Source
266
0
#define LOCK(cs) UniqueLock UNIQUE_NAME(criticalblock)(MaybeCheckNotHeld(cs), #cs, __FILE__, __LINE__)
Line
Count
Source
11
0
#define UNIQUE_NAME(name) PASTE2(name, __COUNTER__)
Line
Count
Source
9
0
#define PASTE2(x, y) PASTE(x, y)
Line
Count
Source
8
0
#define PASTE(x, y) x ## y
598
0
    m_settings.forced_settings[SettingName(strArg)] = strValue;
599
0
}
600
601
void ArgsManager::AddCommand(const std::string& cmd, const std::string& help)
602
0
{
603
0
    Assert(cmd.find('=') == std::string::npos);
Line
Count
Source
113
0
#define Assert(val) inline_assertion_check<true>(val, std::source_location::current(), #val)
604
0
    Assert(cmd.at(0) != '-');
Line
Count
Source
113
0
#define Assert(val) inline_assertion_check<true>(val, std::source_location::current(), #val)
605
606
0
    LOCK(cs_args);
Line
Count
Source
266
0
#define LOCK(cs) UniqueLock UNIQUE_NAME(criticalblock)(MaybeCheckNotHeld(cs), #cs, __FILE__, __LINE__)
Line
Count
Source
11
0
#define UNIQUE_NAME(name) PASTE2(name, __COUNTER__)
Line
Count
Source
9
0
#define PASTE2(x, y) PASTE(x, y)
Line
Count
Source
8
0
#define PASTE(x, y) x ## y
607
0
    m_accept_any_command = false; // latch to false
608
0
    std::map<std::string, Arg>& arg_map = m_available_args[OptionsCategory::COMMANDS];
609
0
    auto ret = arg_map.emplace(cmd, Arg{"", help, ArgsManager::COMMAND});
610
0
    Assert(ret.second); // Fail on duplicate commands
Line
Count
Source
113
0
#define Assert(val) inline_assertion_check<true>(val, std::source_location::current(), #val)
611
0
}
612
613
void ArgsManager::AddArg(const std::string& name, const std::string& help, unsigned int flags, const OptionsCategory& cat)
614
0
{
615
0
    Assert((flags & ArgsManager::COMMAND) == 0); // use AddCommand
Line
Count
Source
113
0
#define Assert(val) inline_assertion_check<true>(val, std::source_location::current(), #val)
616
617
    // Split arg name from its help param
618
0
    size_t eq_index = name.find('=');
619
0
    if (eq_index == std::string::npos) {
620
0
        eq_index = name.size();
621
0
    }
622
0
    std::string arg_name = name.substr(0, eq_index);
623
624
0
    LOCK(cs_args);
Line
Count
Source
266
0
#define LOCK(cs) UniqueLock UNIQUE_NAME(criticalblock)(MaybeCheckNotHeld(cs), #cs, __FILE__, __LINE__)
Line
Count
Source
11
0
#define UNIQUE_NAME(name) PASTE2(name, __COUNTER__)
Line
Count
Source
9
0
#define PASTE2(x, y) PASTE(x, y)
Line
Count
Source
8
0
#define PASTE(x, y) x ## y
625
0
    std::map<std::string, Arg>& arg_map = m_available_args[cat];
626
0
    auto ret = arg_map.emplace(arg_name, Arg{name.substr(eq_index, name.size() - eq_index), help, flags});
627
0
    assert(ret.second); // Make sure an insertion actually happened
628
629
0
    if (flags & ArgsManager::NETWORK_ONLY) {
630
0
        m_network_only_args.emplace(arg_name);
631
0
    }
632
0
}
633
634
void ArgsManager::AddHiddenArgs(const std::vector<std::string>& names)
635
0
{
636
0
    for (const std::string& name : names) {
637
0
        AddArg(name, "", ArgsManager::ALLOW_ANY, OptionsCategory::HIDDEN);
638
0
    }
639
0
}
640
641
void ArgsManager::ClearArgs()
642
0
{
643
0
    LOCK(cs_args);
Line
Count
Source
266
0
#define LOCK(cs) UniqueLock UNIQUE_NAME(criticalblock)(MaybeCheckNotHeld(cs), #cs, __FILE__, __LINE__)
Line
Count
Source
11
0
#define UNIQUE_NAME(name) PASTE2(name, __COUNTER__)
Line
Count
Source
9
0
#define PASTE2(x, y) PASTE(x, y)
Line
Count
Source
8
0
#define PASTE(x, y) x ## y
644
0
    m_settings = {};
645
0
    m_available_args.clear();
646
0
    m_network_only_args.clear();
647
0
    m_config_sections.clear();
648
0
}
649
650
void ArgsManager::CheckMultipleCLIArgs() const
651
0
{
652
0
    LOCK(cs_args);
Line
Count
Source
266
0
#define LOCK(cs) UniqueLock UNIQUE_NAME(criticalblock)(MaybeCheckNotHeld(cs), #cs, __FILE__, __LINE__)
Line
Count
Source
11
0
#define UNIQUE_NAME(name) PASTE2(name, __COUNTER__)
Line
Count
Source
9
0
#define PASTE2(x, y) PASTE(x, y)
Line
Count
Source
8
0
#define PASTE(x, y) x ## y
653
0
    std::vector<std::string> found{};
654
0
    auto cmds = m_available_args.find(OptionsCategory::CLI_COMMANDS);
655
0
    if (cmds != m_available_args.end()) {
656
0
        for (const auto& [cmd, argspec] : cmds->second) {
657
0
            if (!GetSetting_(cmd).isNull()) {
658
0
                found.push_back(cmd);
659
0
            }
660
0
        }
661
0
        if (found.size() > 1) {
662
0
            throw std::runtime_error(strprintf("Only one of %s may be specified.", util::Join(found, ", ")));
Line
Count
Source
1172
0
#define strprintf tfm::format
663
0
        }
664
0
    }
665
0
}
666
667
std::string ArgsManager::GetHelpMessage() const
668
0
{
669
0
    const bool show_debug = GetBoolArg("-help-debug", false);
670
671
0
    std::string usage;
672
0
    LOCK(cs_args);
Line
Count
Source
266
0
#define LOCK(cs) UniqueLock UNIQUE_NAME(criticalblock)(MaybeCheckNotHeld(cs), #cs, __FILE__, __LINE__)
Line
Count
Source
11
0
#define UNIQUE_NAME(name) PASTE2(name, __COUNTER__)
Line
Count
Source
9
0
#define PASTE2(x, y) PASTE(x, y)
Line
Count
Source
8
0
#define PASTE(x, y) x ## y
673
0
    for (const auto& arg_map : m_available_args) {
674
0
        switch(arg_map.first) {
675
0
            case OptionsCategory::OPTIONS:
676
0
                usage += HelpMessageGroup("Options:");
677
0
                break;
678
0
            case OptionsCategory::CONNECTION:
679
0
                usage += HelpMessageGroup("Connection options:");
680
0
                break;
681
0
            case OptionsCategory::ZMQ:
682
0
                usage += HelpMessageGroup("ZeroMQ notification options:");
683
0
                break;
684
0
            case OptionsCategory::DEBUG_TEST:
685
0
                usage += HelpMessageGroup("Debugging/Testing options:");
686
0
                break;
687
0
            case OptionsCategory::NODE_RELAY:
688
0
                usage += HelpMessageGroup("Node relay options:");
689
0
                break;
690
0
            case OptionsCategory::BLOCK_CREATION:
691
0
                usage += HelpMessageGroup("Block creation options:");
692
0
                break;
693
0
            case OptionsCategory::RPC:
694
0
                usage += HelpMessageGroup("RPC server options:");
695
0
                break;
696
0
            case OptionsCategory::IPC:
697
0
                usage += HelpMessageGroup("IPC interprocess connection options:");
698
0
                break;
699
0
            case OptionsCategory::WALLET:
700
0
                usage += HelpMessageGroup("Wallet options:");
701
0
                break;
702
0
            case OptionsCategory::WALLET_DEBUG_TEST:
703
0
                if (show_debug) usage += HelpMessageGroup("Wallet debugging/testing options:");
704
0
                break;
705
0
            case OptionsCategory::CHAINPARAMS:
706
0
                usage += HelpMessageGroup("Chain selection options:");
707
0
                break;
708
0
            case OptionsCategory::GUI:
709
0
                usage += HelpMessageGroup("UI Options:");
710
0
                break;
711
0
            case OptionsCategory::COMMANDS:
712
0
                usage += HelpMessageGroup("Commands:");
713
0
                break;
714
0
            case OptionsCategory::REGISTER_COMMANDS:
715
0
                usage += HelpMessageGroup("Register Commands:");
716
0
                break;
717
0
            case OptionsCategory::CLI_COMMANDS:
718
0
                usage += HelpMessageGroup("CLI Commands:");
719
0
                break;
720
0
            case OptionsCategory::HIDDEN:
721
0
                break;
722
0
        } // no default case, so the compiler can warn about missing cases
723
724
        // When we get to the hidden options, stop
725
0
        if (arg_map.first == OptionsCategory::HIDDEN) break;
726
727
0
        for (const auto& arg : arg_map.second) {
728
0
            if (show_debug || !(arg.second.m_flags & ArgsManager::DEBUG_ONLY)) {
729
0
                std::string name;
730
0
                if (arg.second.m_help_param.empty()) {
731
0
                    name = arg.first;
732
0
                } else {
733
0
                    name = arg.first + arg.second.m_help_param;
734
0
                }
735
0
                usage += HelpMessageOpt(name, arg.second.m_help_text);
736
0
            }
737
0
        }
738
0
    }
739
0
    return usage;
740
0
}
741
742
bool HelpRequested(const ArgsManager& args)
743
0
{
744
0
    return args.IsArgSet("-?") || args.IsArgSet("-h") || args.IsArgSet("-help") || args.IsArgSet("-help-debug");
745
0
}
746
747
void SetupHelpOptions(ArgsManager& args)
748
0
{
749
0
    args.AddArg("-help", "Print this help message and exit (also -h or -?)", ArgsManager::ALLOW_ANY, OptionsCategory::OPTIONS);
750
0
    args.AddHiddenArgs({"-h", "-?"});
751
0
}
752
753
static const int screenWidth = 79;
754
static const int optIndent = 2;
755
static const int msgIndent = 7;
756
757
0
std::string HelpMessageGroup(const std::string &message) {
758
0
    return std::string(message) + std::string("\n\n");
759
0
}
760
761
0
std::string HelpMessageOpt(const std::string &option, const std::string &message) {
762
0
    return std::string(optIndent,' ') + std::string(option) +
763
0
           std::string("\n") + std::string(msgIndent,' ') +
764
0
           FormatParagraph(message, screenWidth - msgIndent, msgIndent) +
765
0
           std::string("\n\n");
766
0
}
767
768
const std::vector<std::string> TEST_OPTIONS_DOC{
769
    "addrman (use deterministic addrman)",
770
    "reindex_after_failure_noninteractive_yes (When asked for a reindex after failure interactively, simulate as-if answered with 'yes')",
771
    "bip94 (enforce BIP94 consensus rules)",
772
};
773
774
bool HasTestOption(const ArgsManager& args, const std::string& test_option)
775
0
{
776
0
    const auto options = args.GetArgs("-test");
777
0
    return std::any_of(options.begin(), options.end(), [test_option](const auto& option) {
778
0
        return option == test_option;
779
0
    });
780
0
}
781
782
fs::path GetDefaultDataDir()
783
0
{
784
    // Windows:
785
    //   old: C:\Users\Username\AppData\Roaming\Bitcoin
786
    //   new: C:\Users\Username\AppData\Local\Bitcoin
787
    // macOS: ~/Library/Application Support/Bitcoin
788
    // Unix-like: ~/.bitcoin
789
#ifdef WIN32
790
    // Windows
791
    // Check for existence of datadir in old location and keep it there
792
    fs::path legacy_path = GetSpecialFolderPath(CSIDL_APPDATA) / "Bitcoin";
793
    if (fs::exists(legacy_path)) return legacy_path;
794
795
    // Otherwise, fresh installs can start in the new, "proper" location
796
    return GetSpecialFolderPath(CSIDL_LOCAL_APPDATA) / "Bitcoin";
797
#else
798
0
    fs::path pathRet;
799
0
    char* pszHome = getenv("HOME");
800
0
    if (pszHome == nullptr || strlen(pszHome) == 0)
801
0
        pathRet = fs::path("/");
802
0
    else
803
0
        pathRet = fs::path(pszHome);
804
#ifdef __APPLE__
805
    // macOS
806
    return pathRet / "Library/Application Support/Bitcoin";
807
#else
808
    // Unix-like
809
0
    return pathRet / ".bitcoin";
810
0
#endif
811
0
#endif
812
0
}
813
814
bool CheckDataDirOption(const ArgsManager& args)
815
0
{
816
0
    const fs::path datadir{args.GetPathArg("-datadir")};
817
0
    return datadir.empty() || fs::is_directory(fs::absolute(datadir));
818
0
}
819
820
fs::path ArgsManager::GetConfigFilePath() const
821
0
{
822
0
    LOCK(cs_args);
Line
Count
Source
266
0
#define LOCK(cs) UniqueLock UNIQUE_NAME(criticalblock)(MaybeCheckNotHeld(cs), #cs, __FILE__, __LINE__)
Line
Count
Source
11
0
#define UNIQUE_NAME(name) PASTE2(name, __COUNTER__)
Line
Count
Source
9
0
#define PASTE2(x, y) PASTE(x, y)
Line
Count
Source
8
0
#define PASTE(x, y) x ## y
823
0
    return *Assert(m_config_path);
Line
Count
Source
113
0
#define Assert(val) inline_assertion_check<true>(val, std::source_location::current(), #val)
824
0
}
825
826
void ArgsManager::SetConfigFilePath(fs::path path)
827
0
{
828
0
    LOCK(cs_args);
Line
Count
Source
266
0
#define LOCK(cs) UniqueLock UNIQUE_NAME(criticalblock)(MaybeCheckNotHeld(cs), #cs, __FILE__, __LINE__)
Line
Count
Source
11
0
#define UNIQUE_NAME(name) PASTE2(name, __COUNTER__)
Line
Count
Source
9
0
#define PASTE2(x, y) PASTE(x, y)
Line
Count
Source
8
0
#define PASTE(x, y) x ## y
829
0
    assert(!m_config_path);
830
0
    m_config_path = path;
831
0
}
832
833
ChainType ArgsManager::GetChainType() const
834
0
{
835
0
    std::variant<ChainType, std::string> arg = GetChainArg();
836
0
    if (auto* parsed = std::get_if<ChainType>(&arg)) return *parsed;
837
0
    throw std::runtime_error(strprintf("Unknown chain %s.", std::get<std::string>(arg)));
Line
Count
Source
1172
0
#define strprintf tfm::format
838
0
}
839
840
std::string ArgsManager::GetChainTypeString() const
841
0
{
842
0
    auto arg = GetChainArg();
843
0
    if (auto* parsed = std::get_if<ChainType>(&arg)) return ChainTypeToString(*parsed);
844
0
    return std::get<std::string>(arg);
845
0
}
846
847
std::variant<ChainType, std::string> ArgsManager::GetChainArg() const
848
0
{
849
0
    auto get_net = [&](const std::string& arg) {
850
0
        LOCK(cs_args);
Line
Count
Source
266
0
#define LOCK(cs) UniqueLock UNIQUE_NAME(criticalblock)(MaybeCheckNotHeld(cs), #cs, __FILE__, __LINE__)
Line
Count
Source
11
0
#define UNIQUE_NAME(name) PASTE2(name, __COUNTER__)
Line
Count
Source
9
0
#define PASTE2(x, y) PASTE(x, y)
Line
Count
Source
8
0
#define PASTE(x, y) x ## y
851
0
        common::SettingsValue value = common::GetSetting(m_settings, /* section= */ "", SettingName(arg),
852
0
            /* ignore_default_section_config= */ false,
853
0
            /*ignore_nonpersistent=*/false,
854
0
            /* get_chain_type= */ true);
855
0
        return value.isNull() ? false : value.isBool() ? value.get_bool() : InterpretBool(value.get_str());
856
0
    };
857
858
0
    const bool fRegTest = get_net("-regtest");
859
0
    const bool fSigNet  = get_net("-signet");
860
0
    const bool fTestNet = get_net("-testnet");
861
0
    const bool fTestNet4 = get_net("-testnet4");
862
0
    const auto chain_arg = GetArg("-chain");
863
864
0
    if ((int)chain_arg.has_value() + (int)fRegTest + (int)fSigNet + (int)fTestNet + (int)fTestNet4 > 1) {
865
0
        throw std::runtime_error("Invalid combination of -regtest, -signet, -testnet, -testnet4 and -chain. Can use at most one.");
866
0
    }
867
0
    if (chain_arg) {
868
0
        if (auto parsed = ChainTypeFromString(*chain_arg)) return *parsed;
869
        // Not a known string, so return original string
870
0
        return *chain_arg;
871
0
    }
872
0
    if (fRegTest) return ChainType::REGTEST;
873
0
    if (fSigNet) return ChainType::SIGNET;
874
0
    if (fTestNet) return ChainType::TESTNET;
875
0
    if (fTestNet4) return ChainType::TESTNET4;
876
0
    return ChainType::MAIN;
877
0
}
878
879
bool ArgsManager::UseDefaultSection(const std::string& arg) const
880
0
{
881
0
    AssertLockHeld(cs_args);
Line
Count
Source
142
0
#define AssertLockHeld(cs) AssertLockHeldInternal(#cs, __FILE__, __LINE__, &cs)
882
0
    return m_network == ChainTypeToString(ChainType::MAIN) || !m_network_only_args.contains(arg);
883
0
}
884
885
common::SettingsValue ArgsManager::GetSetting_(const std::string& arg) const
886
0
{
887
0
    AssertLockHeld(cs_args);
Line
Count
Source
142
0
#define AssertLockHeld(cs) AssertLockHeldInternal(#cs, __FILE__, __LINE__, &cs)
888
0
    return common::GetSetting(
889
0
        m_settings, m_network, SettingName(arg), !UseDefaultSection(arg),
890
0
        /*ignore_nonpersistent=*/false, /*get_chain_type=*/false);
891
0
}
892
893
common::SettingsValue ArgsManager::GetSetting(const std::string& arg) const
894
0
{
895
0
    LOCK(cs_args);
Line
Count
Source
266
0
#define LOCK(cs) UniqueLock UNIQUE_NAME(criticalblock)(MaybeCheckNotHeld(cs), #cs, __FILE__, __LINE__)
Line
Count
Source
11
0
#define UNIQUE_NAME(name) PASTE2(name, __COUNTER__)
Line
Count
Source
9
0
#define PASTE2(x, y) PASTE(x, y)
Line
Count
Source
8
0
#define PASTE(x, y) x ## y
896
0
    return GetSetting_(arg);
897
0
}
898
899
std::vector<common::SettingsValue> ArgsManager::GetSettingsList(const std::string& arg) const
900
0
{
901
0
    LOCK(cs_args);
Line
Count
Source
266
0
#define LOCK(cs) UniqueLock UNIQUE_NAME(criticalblock)(MaybeCheckNotHeld(cs), #cs, __FILE__, __LINE__)
Line
Count
Source
11
0
#define UNIQUE_NAME(name) PASTE2(name, __COUNTER__)
Line
Count
Source
9
0
#define PASTE2(x, y) PASTE(x, y)
Line
Count
Source
8
0
#define PASTE(x, y) x ## y
902
0
    return common::GetSettingsList(m_settings, m_network, SettingName(arg), !UseDefaultSection(arg));
903
0
}
904
905
void ArgsManager::logArgsPrefix(
906
    const std::string& prefix,
907
    const std::string& section,
908
    const std::map<std::string, std::vector<common::SettingsValue>>& args) const
909
0
{
910
0
    AssertLockHeld(cs_args);
Line
Count
Source
142
0
#define AssertLockHeld(cs) AssertLockHeldInternal(#cs, __FILE__, __LINE__, &cs)
911
0
    std::string section_str = section.empty() ? "" : "[" + section + "] ";
912
0
    for (const auto& arg : args) {
913
0
        for (const auto& value : arg.second) {
914
0
            std::optional<unsigned int> flags = GetArgFlags_('-' + arg.first);
915
0
            if (flags) {
916
0
                std::string value_str = (*flags & SENSITIVE) ? "****" : value.write();
917
0
                LogInfo("%s %s%s=%s\n", prefix, section_str, arg.first, value_str);
Line
Count
Source
95
0
#define LogInfo(...) LogPrintLevel_(BCLog::LogFlags::ALL, BCLog::Level::Info, /*should_ratelimit=*/true, __VA_ARGS__)
Line
Count
Source
89
0
#define LogPrintLevel_(category, level, should_ratelimit, ...) LogPrintFormatInternal(SourceLocation{__func__}, category, level, should_ratelimit, __VA_ARGS__)
918
0
            }
919
0
        }
920
0
    }
921
0
}
922
923
void ArgsManager::LogArgs() const
924
0
{
925
0
    LOCK(cs_args);
Line
Count
Source
266
0
#define LOCK(cs) UniqueLock UNIQUE_NAME(criticalblock)(MaybeCheckNotHeld(cs), #cs, __FILE__, __LINE__)
Line
Count
Source
11
0
#define UNIQUE_NAME(name) PASTE2(name, __COUNTER__)
Line
Count
Source
9
0
#define PASTE2(x, y) PASTE(x, y)
Line
Count
Source
8
0
#define PASTE(x, y) x ## y
926
0
    for (const auto& section : m_settings.ro_config) {
927
0
        logArgsPrefix("Config file arg:", section.first, section.second);
928
0
    }
929
0
    for (const auto& setting : m_settings.rw_settings) {
930
0
        LogInfo("Setting file arg: %s = %s\n", setting.first, setting.second.write());
Line
Count
Source
95
0
#define LogInfo(...) LogPrintLevel_(BCLog::LogFlags::ALL, BCLog::Level::Info, /*should_ratelimit=*/true, __VA_ARGS__)
Line
Count
Source
89
0
#define LogPrintLevel_(category, level, should_ratelimit, ...) LogPrintFormatInternal(SourceLocation{__func__}, category, level, should_ratelimit, __VA_ARGS__)
931
0
    }
932
0
    logArgsPrefix("Command-line arg:", "", m_settings.command_line_options);
933
0
}