Coverage Report

Created: 2025-03-18 19:34

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