Bitcoin Core 30.99.0
P2P Digital Currency
util.cpp
Go to the documentation of this file.
1// Copyright (c) 2017-present The Bitcoin Core developers
2// Distributed under the MIT software license, see the accompanying
3// file COPYING or http://www.opensource.org/licenses/mit-license.php.
4
5#include <chain.h>
6#include <common/args.h>
7#include <common/messages.h>
8#include <common/types.h>
9#include <consensus/amount.h>
10#include <core_io.h>
11#include <key_io.h>
12#include <node/types.h>
13#include <outputtype.h>
14#include <pow.h>
15#include <rpc/util.h>
16#include <script/descriptor.h>
17#include <script/interpreter.h>
19#include <script/solver.h>
20#include <tinyformat.h>
21#include <uint256.h>
22#include <univalue.h>
23#include <util/check.h>
24#include <util/result.h>
25#include <util/strencodings.h>
26#include <util/string.h>
27#include <util/translation.h>
28
29#include <algorithm>
30#include <iterator>
31#include <string_view>
32#include <tuple>
33#include <utility>
34
39using util::Join;
42
43const std::string UNIX_EPOCH_TIME = "UNIX epoch time";
44const std::string EXAMPLE_ADDRESS[2] = {"bc1q09vm5lfy0j5reeulh4x5752q25uqqvz34hufdl", "bc1q02ad21edsxd23d32dfgqqsz4vv4nmtfzuklhy3"};
45
46std::string GetAllOutputTypes()
47{
48 std::vector<std::string> ret;
49 using U = std::underlying_type_t<TxoutType>;
50 for (U i = (U)TxoutType::NONSTANDARD; i <= (U)TxoutType::WITNESS_UNKNOWN; ++i) {
51 ret.emplace_back(GetTxnOutputType(static_cast<TxoutType>(i)));
52 }
53 return Join(ret, ", ");
54}
55
57 const std::map<std::string, UniValueType>& typesExpected,
58 bool fAllowNull,
59 bool fStrict)
60{
61 for (const auto& t : typesExpected) {
62 const UniValue& v = o.find_value(t.first);
63 if (!fAllowNull && v.isNull())
64 throw JSONRPCError(RPC_TYPE_ERROR, strprintf("Missing %s", t.first));
65
66 if (!(t.second.typeAny || v.type() == t.second.type || (fAllowNull && v.isNull())))
67 throw JSONRPCError(RPC_TYPE_ERROR, strprintf("JSON value of type %s for field %s is not of expected type %s", uvTypeName(v.type()), t.first, uvTypeName(t.second.type)));
68 }
69
70 if (fStrict)
71 {
72 for (const std::string& k : o.getKeys())
73 {
74 if (typesExpected.count(k) == 0)
75 {
76 std::string err = strprintf("Unexpected key %s", k);
77 throw JSONRPCError(RPC_TYPE_ERROR, err);
78 }
79 }
80 }
81}
82
83int ParseVerbosity(const UniValue& arg, int default_verbosity, bool allow_bool)
84{
85 if (!arg.isNull()) {
86 if (arg.isBool()) {
87 if (!allow_bool) {
88 throw JSONRPCError(RPC_TYPE_ERROR, "Verbosity was boolean but only integer allowed");
89 }
90 return arg.get_bool(); // true = 1
91 } else {
92 return arg.getInt<int>();
93 }
94 }
95 return default_verbosity;
96}
97
98CAmount AmountFromValue(const UniValue& value, int decimals)
99{
100 if (!value.isNum() && !value.isStr())
101 throw JSONRPCError(RPC_TYPE_ERROR, "Amount is not a number or string");
102 CAmount amount;
103 if (!ParseFixedPoint(value.getValStr(), decimals, &amount))
104 throw JSONRPCError(RPC_TYPE_ERROR, "Invalid amount");
105 if (!MoneyRange(amount))
106 throw JSONRPCError(RPC_TYPE_ERROR, "Amount out of range");
107 return amount;
108}
109
111{
113 if (val >= COIN) throw JSONRPCError(RPC_INVALID_PARAMETER, "Fee rates larger than or equal to 1BTC/kvB are not accepted");
114 return CFeeRate{val};
115}
116
117uint256 ParseHashV(const UniValue& v, std::string_view name)
118{
119 const std::string& strHex(v.get_str());
120 if (auto rv{uint256::FromHex(strHex)}) return *rv;
121 if (auto expected_len{uint256::size() * 2}; strHex.length() != expected_len) {
122 throw JSONRPCError(RPC_INVALID_PARAMETER, strprintf("%s must be of length %d (not %d, for '%s')", name, expected_len, strHex.length(), strHex));
123 }
124 throw JSONRPCError(RPC_INVALID_PARAMETER, strprintf("%s must be hexadecimal string (not '%s')", name, strHex));
125}
126uint256 ParseHashO(const UniValue& o, std::string_view strKey)
127{
128 return ParseHashV(o.find_value(strKey), strKey);
129}
130std::vector<unsigned char> ParseHexV(const UniValue& v, std::string_view name)
131{
132 std::string strHex;
133 if (v.isStr())
134 strHex = v.get_str();
135 if (!IsHex(strHex))
136 throw JSONRPCError(RPC_INVALID_PARAMETER, strprintf("%s must be hexadecimal string (not '%s')", name, strHex));
137 return ParseHex(strHex);
138}
139std::vector<unsigned char> ParseHexO(const UniValue& o, std::string_view strKey)
140{
141 return ParseHexV(o.find_value(strKey), strKey);
142}
143
144namespace {
145
151std::string ShellQuote(const std::string& s)
152{
153 std::string result;
154 result.reserve(s.size() * 2);
155 for (const char ch: s) {
156 if (ch == '\'') {
157 result += "'\''";
158 } else {
159 result += ch;
160 }
161 }
162 return "'" + result + "'";
163}
164
170std::string ShellQuoteIfNeeded(const std::string& s)
171{
172 for (const char ch: s) {
173 if (ch == ' ' || ch == '\'' || ch == '"') {
174 return ShellQuote(s);
175 }
176 }
177
178 return s;
179}
180
181}
182
183std::string HelpExampleCli(const std::string& methodname, const std::string& args)
184{
185 return "> bitcoin-cli " + methodname + " " + args + "\n";
186}
187
188std::string HelpExampleCliNamed(const std::string& methodname, const RPCArgList& args)
189{
190 std::string result = "> bitcoin-cli -named " + methodname;
191 for (const auto& argpair: args) {
192 const auto& value = argpair.second.isStr()
193 ? argpair.second.get_str()
194 : argpair.second.write();
195 result += " " + argpair.first + "=" + ShellQuoteIfNeeded(value);
196 }
197 result += "\n";
198 return result;
199}
200
201std::string HelpExampleRpc(const std::string& methodname, const std::string& args)
202{
203 return "> curl --user myusername --data-binary '{\"jsonrpc\": \"2.0\", \"id\": \"curltest\", "
204 "\"method\": \"" + methodname + "\", \"params\": [" + args + "]}' -H 'content-type: application/json' http://127.0.0.1:8332/\n";
205}
206
207std::string HelpExampleRpcNamed(const std::string& methodname, const RPCArgList& args)
208{
209 UniValue params(UniValue::VOBJ);
210 for (const auto& param: args) {
211 params.pushKV(param.first, param.second);
212 }
213
214 return "> curl --user myusername --data-binary '{\"jsonrpc\": \"2.0\", \"id\": \"curltest\", "
215 "\"method\": \"" + methodname + "\", \"params\": " + params.write() + "}' -H 'content-type: application/json' http://127.0.0.1:8332/\n";
216}
217
218// Converts a hex string to a public key if possible
219CPubKey HexToPubKey(const std::string& hex_in)
220{
221 if (!IsHex(hex_in)) {
222 throw JSONRPCError(RPC_INVALID_ADDRESS_OR_KEY, "Pubkey \"" + hex_in + "\" must be a hex string");
223 }
224 if (hex_in.length() != 66 && hex_in.length() != 130) {
225 throw JSONRPCError(RPC_INVALID_ADDRESS_OR_KEY, "Pubkey \"" + hex_in + "\" must have a length of either 33 or 65 bytes");
226 }
227 CPubKey vchPubKey(ParseHex(hex_in));
228 if (!vchPubKey.IsFullyValid()) {
229 throw JSONRPCError(RPC_INVALID_ADDRESS_OR_KEY, "Pubkey \"" + hex_in + "\" must be cryptographically valid.");
230 }
231 return vchPubKey;
232}
233
234// Creates a multisig address from a given list of public keys, number of signatures required, and the address type
235CTxDestination AddAndGetMultisigDestination(const int required, const std::vector<CPubKey>& pubkeys, OutputType type, FlatSigningProvider& keystore, CScript& script_out)
236{
237 // Gather public keys
238 if (required < 1) {
239 throw JSONRPCError(RPC_INVALID_PARAMETER, "a multisignature address must require at least one key to redeem");
240 }
241 if ((int)pubkeys.size() < required) {
242 throw JSONRPCError(RPC_INVALID_PARAMETER, strprintf("not enough keys supplied (got %u keys, but need at least %d to redeem)", pubkeys.size(), required));
243 }
244 if (pubkeys.size() > MAX_PUBKEYS_PER_MULTISIG) {
245 throw JSONRPCError(RPC_INVALID_PARAMETER, strprintf("Number of keys involved in the multisignature address creation > %d\nReduce the number", MAX_PUBKEYS_PER_MULTISIG));
246 }
247
248 script_out = GetScriptForMultisig(required, pubkeys);
249
250 // Check if any keys are uncompressed. If so, the type is legacy
251 for (const CPubKey& pk : pubkeys) {
252 if (!pk.IsCompressed()) {
253 type = OutputType::LEGACY;
254 break;
255 }
256 }
257
258 if (type == OutputType::LEGACY && script_out.size() > MAX_SCRIPT_ELEMENT_SIZE) {
259 throw JSONRPCError(RPC_INVALID_PARAMETER, (strprintf("redeemScript exceeds size limit: %d > %d", script_out.size(), MAX_SCRIPT_ELEMENT_SIZE)));
260 }
261
262 // Make the address
263 CTxDestination dest = AddAndGetDestinationForScript(keystore, script_out, type);
264
265 return dest;
266}
267
269{
270public:
271 explicit DescribeAddressVisitor() = default;
272
274 {
275 return UniValue(UniValue::VOBJ);
276 }
277
279 {
280 return UniValue(UniValue::VOBJ);
281 }
282
283 UniValue operator()(const PKHash& keyID) const
284 {
286 obj.pushKV("isscript", false);
287 obj.pushKV("iswitness", false);
288 return obj;
289 }
290
291 UniValue operator()(const ScriptHash& scriptID) const
292 {
294 obj.pushKV("isscript", true);
295 obj.pushKV("iswitness", false);
296 return obj;
297 }
298
300 {
302 obj.pushKV("isscript", false);
303 obj.pushKV("iswitness", true);
304 obj.pushKV("witness_version", 0);
305 obj.pushKV("witness_program", HexStr(id));
306 return obj;
307 }
308
310 {
312 obj.pushKV("isscript", true);
313 obj.pushKV("iswitness", true);
314 obj.pushKV("witness_version", 0);
315 obj.pushKV("witness_program", HexStr(id));
316 return obj;
317 }
318
320 {
322 obj.pushKV("isscript", true);
323 obj.pushKV("iswitness", true);
324 obj.pushKV("witness_version", 1);
325 obj.pushKV("witness_program", HexStr(tap));
326 return obj;
327 }
328
329 UniValue operator()(const PayToAnchor& anchor) const
330 {
332 obj.pushKV("isscript", true);
333 obj.pushKV("iswitness", true);
334 return obj;
335 }
336
338 {
340 obj.pushKV("iswitness", true);
341 obj.pushKV("witness_version", id.GetWitnessVersion());
342 obj.pushKV("witness_program", HexStr(id.GetWitnessProgram()));
343 return obj;
344 }
345};
346
348{
349 return std::visit(DescribeAddressVisitor(), dest);
350}
351
357std::optional<int> ParseSighashString(const UniValue& sighash)
358{
359 if (sighash.isNull()) {
360 return std::nullopt;
361 }
362 const auto result{SighashFromStr(sighash.get_str())};
363 if (!result) {
365 }
366 return result.value();
367}
368
369unsigned int ParseConfirmTarget(const UniValue& value, unsigned int max_target)
370{
371 const int target{value.getInt<int>()};
372 const unsigned int unsigned_target{static_cast<unsigned int>(target)};
373 if (target < 1 || unsigned_target > max_target) {
374 throw JSONRPCError(RPC_INVALID_PARAMETER, strprintf("Invalid conf_target, must be between %u and %u", 1, max_target));
375 }
376 return unsigned_target;
377}
378
380{
381 switch (err) {
382 case PSBTError::UNSUPPORTED:
384 case PSBTError::SIGHASH_MISMATCH:
386 default: break;
387 }
389}
390
392{
393 switch (terr) {
394 case TransactionError::MEMPOOL_REJECTED:
396 case TransactionError::ALREADY_IN_UTXO_SET:
398 default: break;
399 }
401}
402
404{
405 return JSONRPCError(RPCErrorFromPSBTError(err), PSBTErrorString(err).original);
406}
407
408UniValue JSONRPCTransactionError(TransactionError terr, const std::string& err_string)
409{
410 if (err_string.length() > 0) {
411 return JSONRPCError(RPCErrorFromTransactionError(terr), err_string);
412 } else {
414 }
415}
416
421struct Section {
422 Section(const std::string& left, const std::string& right)
423 : m_left{left}, m_right{right} {}
424 std::string m_left;
425 const std::string m_right;
426};
427
432struct Sections {
433 std::vector<Section> m_sections;
434 size_t m_max_pad{0};
435
436 void PushSection(const Section& s)
437 {
438 m_max_pad = std::max(m_max_pad, s.m_left.size());
439 m_sections.push_back(s);
440 }
441
445 // NOLINTNEXTLINE(misc-no-recursion)
446 void Push(const RPCArg& arg, const size_t current_indent = 5, const OuterType outer_type = OuterType::NONE)
447 {
448 const auto indent = std::string(current_indent, ' ');
449 const auto indent_next = std::string(current_indent + 2, ' ');
450 const bool push_name{outer_type == OuterType::OBJ}; // Dictionary keys must have a name
451 const bool is_top_level_arg{outer_type == OuterType::NONE}; // True on the first recursion
452
453 switch (arg.m_type) {
461 if (is_top_level_arg) return; // Nothing more to do for non-recursive types on first recursion
462 auto left = indent;
463 if (arg.m_opts.type_str.size() != 0 && push_name) {
464 left += "\"" + arg.GetName() + "\": " + arg.m_opts.type_str.at(0);
465 } else {
466 left += push_name ? arg.ToStringObj(/*oneline=*/false) : arg.ToString(/*oneline=*/false);
467 }
468 left += ",";
469 PushSection({left, arg.ToDescriptionString(/*is_named_arg=*/push_name)});
470 break;
471 }
474 const auto right = is_top_level_arg ? "" : arg.ToDescriptionString(/*is_named_arg=*/push_name);
475 PushSection({indent + (push_name ? "\"" + arg.GetName() + "\": " : "") + "{", right});
476 for (const auto& arg_inner : arg.m_inner) {
477 Push(arg_inner, current_indent + 2, OuterType::OBJ);
478 }
479 if (arg.m_type != RPCArg::Type::OBJ) {
480 PushSection({indent_next + "...", ""});
481 }
482 PushSection({indent + "}" + (is_top_level_arg ? "" : ","), ""});
483 break;
484 }
485 case RPCArg::Type::ARR: {
486 auto left = indent;
487 left += push_name ? "\"" + arg.GetName() + "\": " : "";
488 left += "[";
489 const auto right = is_top_level_arg ? "" : arg.ToDescriptionString(/*is_named_arg=*/push_name);
490 PushSection({left, right});
491 for (const auto& arg_inner : arg.m_inner) {
492 Push(arg_inner, current_indent + 2, OuterType::ARR);
493 }
494 PushSection({indent_next + "...", ""});
495 PushSection({indent + "]" + (is_top_level_arg ? "" : ","), ""});
496 break;
497 }
498 } // no default case, so the compiler can warn about missing cases
499 }
500
504 std::string ToString() const
505 {
506 std::string ret;
507 const size_t pad = m_max_pad + 4;
508 for (const auto& s : m_sections) {
509 // The left part of a section is assumed to be a single line, usually it is the name of the JSON struct or a
510 // brace like {, }, [, or ]
511 CHECK_NONFATAL(s.m_left.find('\n') == std::string::npos);
512 if (s.m_right.empty()) {
513 ret += s.m_left;
514 ret += "\n";
515 continue;
516 }
517
518 std::string left = s.m_left;
519 left.resize(pad, ' ');
520 ret += left;
521
522 // Properly pad after newlines
523 std::string right;
524 size_t begin = 0;
525 size_t new_line_pos = s.m_right.find_first_of('\n');
526 while (true) {
527 right += s.m_right.substr(begin, new_line_pos - begin);
528 if (new_line_pos == std::string::npos) {
529 break; //No new line
530 }
531 right += "\n" + std::string(pad, ' ');
532 begin = s.m_right.find_first_not_of(' ', new_line_pos + 1);
533 if (begin == std::string::npos) {
534 break; // Empty line
535 }
536 new_line_pos = s.m_right.find_first_of('\n', begin + 1);
537 }
538 ret += right;
539 ret += "\n";
540 }
541 return ret;
542 }
543};
544
545RPCHelpMan::RPCHelpMan(std::string name, std::string description, std::vector<RPCArg> args, RPCResults results, RPCExamples examples)
546 : RPCHelpMan{std::move(name), std::move(description), std::move(args), std::move(results), std::move(examples), nullptr} {}
547
548RPCHelpMan::RPCHelpMan(std::string name, std::string description, std::vector<RPCArg> args, RPCResults results, RPCExamples examples, RPCMethodImpl fun)
549 : m_name{std::move(name)},
550 m_fun{std::move(fun)},
551 m_description{std::move(description)},
552 m_args{std::move(args)},
553 m_results{std::move(results)},
554 m_examples{std::move(examples)}
555{
556 // Map of parameter names and types just used to check whether the names are
557 // unique. Parameter names always need to be unique, with the exception that
558 // there can be pairs of POSITIONAL and NAMED parameters with the same name.
559 enum ParamType { POSITIONAL = 1, NAMED = 2, NAMED_ONLY = 4 };
560 std::map<std::string, int> param_names;
561
562 for (const auto& arg : m_args) {
563 std::vector<std::string> names = SplitString(arg.m_names, '|');
564 // Should have unique named arguments
565 for (const std::string& name : names) {
566 auto& param_type = param_names[name];
567 CHECK_NONFATAL(!(param_type & POSITIONAL));
568 CHECK_NONFATAL(!(param_type & NAMED_ONLY));
569 param_type |= POSITIONAL;
570 }
571 if (arg.m_type == RPCArg::Type::OBJ_NAMED_PARAMS) {
572 for (const auto& inner : arg.m_inner) {
573 std::vector<std::string> inner_names = SplitString(inner.m_names, '|');
574 for (const std::string& inner_name : inner_names) {
575 auto& param_type = param_names[inner_name];
576 CHECK_NONFATAL(!(param_type & POSITIONAL) || inner.m_opts.also_positional);
577 CHECK_NONFATAL(!(param_type & NAMED));
578 CHECK_NONFATAL(!(param_type & NAMED_ONLY));
579 param_type |= inner.m_opts.also_positional ? NAMED : NAMED_ONLY;
580 }
581 }
582 }
583 // Default value type should match argument type only when defined
584 if (arg.m_fallback.index() == 2) {
585 const RPCArg::Type type = arg.m_type;
586 switch (std::get<RPCArg::Default>(arg.m_fallback).getType()) {
587 case UniValue::VOBJ:
589 break;
590 case UniValue::VARR:
592 break;
593 case UniValue::VSTR:
595 break;
596 case UniValue::VNUM:
598 break;
599 case UniValue::VBOOL:
601 break;
602 case UniValue::VNULL:
603 // Null values are accepted in all arguments
604 break;
605 default:
607 break;
608 }
609 }
610 }
611}
612
614{
615 std::string result;
616 for (const auto& r : m_results) {
617 if (r.m_type == RPCResult::Type::ANY) continue; // for testing only
618 if (r.m_cond.empty()) {
619 result += "\nResult:\n";
620 } else {
621 result += "\nResult (" + r.m_cond + "):\n";
622 }
623 Sections sections;
624 r.ToSections(sections);
625 result += sections.ToString();
626 }
627 return result;
628}
629
631{
632 return m_examples.empty() ? m_examples : "\nExamples:\n" + m_examples;
633}
634
636{
637 if (request.mode == JSONRPCRequest::GET_ARGS) {
638 return GetArgMap();
639 }
640 /*
641 * Check if the given request is valid according to this command or if
642 * the user is asking for help information, and throw help when appropriate.
643 */
644 if (request.mode == JSONRPCRequest::GET_HELP || !IsValidNumArgs(request.params.size())) {
645 throw HelpResult{ToString()};
646 }
647 UniValue arg_mismatch{UniValue::VOBJ};
648 for (size_t i{0}; i < m_args.size(); ++i) {
649 const auto& arg{m_args.at(i)};
650 UniValue match{arg.MatchesType(request.params[i])};
651 if (!match.isTrue()) {
652 arg_mismatch.pushKV(strprintf("Position %s (%s)", i + 1, arg.m_names), std::move(match));
653 }
654 }
655 if (!arg_mismatch.empty()) {
656 throw JSONRPCError(RPC_TYPE_ERROR, strprintf("Wrong type passed:\n%s", arg_mismatch.write(4)));
657 }
658 CHECK_NONFATAL(m_req == nullptr);
659 m_req = &request;
660 UniValue ret = m_fun(*this, request);
661 m_req = nullptr;
662 if (gArgs.GetBoolArg("-rpcdoccheck", DEFAULT_RPC_DOC_CHECK)) {
663 UniValue mismatch{UniValue::VARR};
664 for (const auto& res : m_results.m_results) {
665 UniValue match{res.MatchesType(ret)};
666 if (match.isTrue()) {
667 mismatch.setNull();
668 break;
669 }
670 mismatch.push_back(std::move(match));
671 }
672 if (!mismatch.isNull()) {
673 std::string explain{
674 mismatch.empty() ? "no possible results defined" :
675 mismatch.size() == 1 ? mismatch[0].write(4) :
676 mismatch.write(4)};
677 throw std::runtime_error{
678 STR_INTERNAL_BUG(strprintf("RPC call \"%s\" returned incorrect type:\n%s", m_name, explain)),
679 };
680 }
681 }
682 return ret;
683}
684
685using CheckFn = void(const RPCArg&);
686static const UniValue* DetailMaybeArg(CheckFn* check, const std::vector<RPCArg>& params, const JSONRPCRequest* req, size_t i)
687{
688 CHECK_NONFATAL(i < params.size());
689 const UniValue& arg{CHECK_NONFATAL(req)->params[i]};
690 const RPCArg& param{params.at(i)};
691 if (check) check(param);
692
693 if (!arg.isNull()) return &arg;
694 if (!std::holds_alternative<RPCArg::Default>(param.m_fallback)) return nullptr;
695 return &std::get<RPCArg::Default>(param.m_fallback);
696}
697
698static void CheckRequiredOrDefault(const RPCArg& param)
699{
700 // Must use `Arg<Type>(key)` to get the argument or its default value.
701 const bool required{
702 std::holds_alternative<RPCArg::Optional>(param.m_fallback) && RPCArg::Optional::NO == std::get<RPCArg::Optional>(param.m_fallback),
703 };
704 CHECK_NONFATAL(required || std::holds_alternative<RPCArg::Default>(param.m_fallback));
705}
706
707#define TMPL_INST(check_param, ret_type, return_code) \
708 template <> \
709 ret_type RPCHelpMan::ArgValue<ret_type>(size_t i) const \
710 { \
711 const UniValue* maybe_arg{ \
712 DetailMaybeArg(check_param, m_args, m_req, i), \
713 }; \
714 return return_code \
715 } \
716 void force_semicolon(ret_type)
717
718// Optional arg (without default). Can also be called on required args, if needed.
719TMPL_INST(nullptr, const UniValue*, maybe_arg;);
720TMPL_INST(nullptr, std::optional<double>, maybe_arg ? std::optional{maybe_arg->get_real()} : std::nullopt;);
721TMPL_INST(nullptr, std::optional<bool>, maybe_arg ? std::optional{maybe_arg->get_bool()} : std::nullopt;);
722TMPL_INST(nullptr, std::optional<int64_t>, maybe_arg ? std::optional{maybe_arg->getInt<int64_t>()} : std::nullopt;);
723TMPL_INST(nullptr, std::optional<std::string_view>, maybe_arg ? std::optional<std::string_view>{maybe_arg->get_str()} : std::nullopt;);
724
725// Required arg or optional arg with default value.
727TMPL_INST(CheckRequiredOrDefault, bool, CHECK_NONFATAL(maybe_arg)->get_bool(););
728TMPL_INST(CheckRequiredOrDefault, int, CHECK_NONFATAL(maybe_arg)->getInt<int>(););
729TMPL_INST(CheckRequiredOrDefault, uint64_t, CHECK_NONFATAL(maybe_arg)->getInt<uint64_t>(););
730TMPL_INST(CheckRequiredOrDefault, uint32_t, CHECK_NONFATAL(maybe_arg)->getInt<uint32_t>(););
731TMPL_INST(CheckRequiredOrDefault, std::string_view, CHECK_NONFATAL(maybe_arg)->get_str(););
732
733bool RPCHelpMan::IsValidNumArgs(size_t num_args) const
734{
735 size_t num_required_args = 0;
736 for (size_t n = m_args.size(); n > 0; --n) {
737 if (!m_args.at(n - 1).IsOptional()) {
738 num_required_args = n;
739 break;
740 }
741 }
742 return num_required_args <= num_args && num_args <= m_args.size();
743}
744
745std::vector<std::pair<std::string, bool>> RPCHelpMan::GetArgNames() const
746{
747 std::vector<std::pair<std::string, bool>> ret;
748 ret.reserve(m_args.size());
749 for (const auto& arg : m_args) {
750 if (arg.m_type == RPCArg::Type::OBJ_NAMED_PARAMS) {
751 for (const auto& inner : arg.m_inner) {
752 ret.emplace_back(inner.m_names, /*named_only=*/true);
753 }
754 }
755 ret.emplace_back(arg.m_names, /*named_only=*/false);
756 }
757 return ret;
758}
759
760size_t RPCHelpMan::GetParamIndex(std::string_view key) const
761{
762 auto it{std::find_if(
763 m_args.begin(), m_args.end(), [&key](const auto& arg) { return arg.GetName() == key;}
764 )};
765
766 CHECK_NONFATAL(it != m_args.end()); // TODO: ideally this is checked at compile time
767 return std::distance(m_args.begin(), it);
768}
769
770std::string RPCHelpMan::ToString() const
771{
772 std::string ret;
773
774 // Oneline summary
775 ret += m_name;
776 bool was_optional{false};
777 for (const auto& arg : m_args) {
778 if (arg.m_opts.hidden) break; // Any arg that follows is also hidden
779 const bool optional = arg.IsOptional();
780 ret += " ";
781 if (optional) {
782 if (!was_optional) ret += "( ";
783 was_optional = true;
784 } else {
785 if (was_optional) ret += ") ";
786 was_optional = false;
787 }
788 ret += arg.ToString(/*oneline=*/true);
789 }
790 if (was_optional) ret += " )";
791
792 // Description
793 CHECK_NONFATAL(!m_description.starts_with('\n')); // Historically \n was required, but reject it for new code.
794 ret += "\n\n" + TrimString(m_description) + "\n";
795
796 // Arguments
797 Sections sections;
798 Sections named_only_sections;
799 for (size_t i{0}; i < m_args.size(); ++i) {
800 const auto& arg = m_args.at(i);
801 if (arg.m_opts.hidden) break; // Any arg that follows is also hidden
802
803 // Push named argument name and description
804 sections.m_sections.emplace_back(util::ToString(i + 1) + ". " + arg.GetFirstName(), arg.ToDescriptionString(/*is_named_arg=*/true));
805 sections.m_max_pad = std::max(sections.m_max_pad, sections.m_sections.back().m_left.size());
806
807 // Recursively push nested args
808 sections.Push(arg);
809
810 // Push named-only argument sections
811 if (arg.m_type == RPCArg::Type::OBJ_NAMED_PARAMS) {
812 for (const auto& arg_inner : arg.m_inner) {
813 named_only_sections.PushSection({arg_inner.GetFirstName(), arg_inner.ToDescriptionString(/*is_named_arg=*/true)});
814 named_only_sections.Push(arg_inner);
815 }
816 }
817 }
818
819 if (!sections.m_sections.empty()) ret += "\nArguments:\n";
820 ret += sections.ToString();
821 if (!named_only_sections.m_sections.empty()) ret += "\nNamed Arguments:\n";
822 ret += named_only_sections.ToString();
823
824 // Result
826
827 // Examples
829
830 return ret;
831}
832
834{
836
837 auto push_back_arg_info = [&arr](const std::string& rpc_name, int pos, const std::string& arg_name, const RPCArg::Type& type) {
839 map.push_back(rpc_name);
840 map.push_back(pos);
841 map.push_back(arg_name);
842 map.push_back(type == RPCArg::Type::STR ||
843 type == RPCArg::Type::STR_HEX);
844 arr.push_back(std::move(map));
845 };
846
847 for (int i{0}; i < int(m_args.size()); ++i) {
848 const auto& arg = m_args.at(i);
849 std::vector<std::string> arg_names = SplitString(arg.m_names, '|');
850 for (const auto& arg_name : arg_names) {
851 push_back_arg_info(m_name, i, arg_name, arg.m_type);
852 if (arg.m_type == RPCArg::Type::OBJ_NAMED_PARAMS) {
853 for (const auto& inner : arg.m_inner) {
854 std::vector<std::string> inner_names = SplitString(inner.m_names, '|');
855 for (const std::string& inner_name : inner_names) {
856 push_back_arg_info(m_name, i, inner_name, inner.m_type);
857 }
858 }
859 }
860 }
861 }
862 return arr;
863}
864
865static std::optional<UniValue::VType> ExpectedType(RPCArg::Type type)
866{
867 using Type = RPCArg::Type;
868 switch (type) {
869 case Type::STR_HEX:
870 case Type::STR: {
871 return UniValue::VSTR;
872 }
873 case Type::NUM: {
874 return UniValue::VNUM;
875 }
876 case Type::AMOUNT: {
877 // VNUM or VSTR, checked inside AmountFromValue()
878 return std::nullopt;
879 }
880 case Type::RANGE: {
881 // VNUM or VARR, checked inside ParseRange()
882 return std::nullopt;
883 }
884 case Type::BOOL: {
885 return UniValue::VBOOL;
886 }
887 case Type::OBJ:
888 case Type::OBJ_NAMED_PARAMS:
889 case Type::OBJ_USER_KEYS: {
890 return UniValue::VOBJ;
891 }
892 case Type::ARR: {
893 return UniValue::VARR;
894 }
895 } // no default case, so the compiler can warn about missing cases
897}
898
900{
901 if (m_opts.skip_type_check) return true;
902 if (IsOptional() && request.isNull()) return true;
903 const auto exp_type{ExpectedType(m_type)};
904 if (!exp_type) return true; // nothing to check
905
906 if (*exp_type != request.getType()) {
907 return strprintf("JSON value of type %s is not of expected type %s", uvTypeName(request.getType()), uvTypeName(*exp_type));
908 }
909 return true;
910}
911
912std::string RPCArg::GetFirstName() const
913{
914 return m_names.substr(0, m_names.find('|'));
915}
916
917std::string RPCArg::GetName() const
918{
919 CHECK_NONFATAL(std::string::npos == m_names.find('|'));
920 return m_names;
921}
922
924{
925 if (m_fallback.index() != 0) {
926 return true;
927 } else {
928 return RPCArg::Optional::NO != std::get<RPCArg::Optional>(m_fallback);
929 }
930}
931
932std::string RPCArg::ToDescriptionString(bool is_named_arg) const
933{
934 std::string ret;
935 ret += "(";
936 if (m_opts.type_str.size() != 0) {
937 ret += m_opts.type_str.at(1);
938 } else {
939 switch (m_type) {
940 case Type::STR_HEX:
941 case Type::STR: {
942 ret += "string";
943 break;
944 }
945 case Type::NUM: {
946 ret += "numeric";
947 break;
948 }
949 case Type::AMOUNT: {
950 ret += "numeric or string";
951 break;
952 }
953 case Type::RANGE: {
954 ret += "numeric or array";
955 break;
956 }
957 case Type::BOOL: {
958 ret += "boolean";
959 break;
960 }
961 case Type::OBJ:
963 case Type::OBJ_USER_KEYS: {
964 ret += "json object";
965 break;
966 }
967 case Type::ARR: {
968 ret += "json array";
969 break;
970 }
971 } // no default case, so the compiler can warn about missing cases
972 }
973 if (m_fallback.index() == 1) {
974 ret += ", optional, default=" + std::get<RPCArg::DefaultHint>(m_fallback);
975 } else if (m_fallback.index() == 2) {
976 ret += ", optional, default=" + std::get<RPCArg::Default>(m_fallback).write();
977 } else {
978 switch (std::get<RPCArg::Optional>(m_fallback)) {
980 if (is_named_arg) ret += ", optional"; // Default value is "null" in dicts. Otherwise,
981 // nothing to do. Element is treated as if not present and has no default value
982 break;
983 }
985 ret += ", required";
986 break;
987 }
988 } // no default case, so the compiler can warn about missing cases
989 }
990 ret += ")";
991 if (m_type == Type::OBJ_NAMED_PARAMS) ret += " Options object that can be used to pass named arguments, listed below.";
992 ret += m_description.empty() ? "" : " " + m_description;
993 return ret;
994}
995
996// NOLINTNEXTLINE(misc-no-recursion)
997void RPCResult::ToSections(Sections& sections, const OuterType outer_type, const int current_indent) const
998{
999 // Indentation
1000 const std::string indent(current_indent, ' ');
1001 const std::string indent_next(current_indent + 2, ' ');
1002
1003 // Elements in a JSON structure (dictionary or array) are separated by a comma
1004 const std::string maybe_separator{outer_type != OuterType::NONE ? "," : ""};
1005
1006 // The key name if recursed into a dictionary
1007 const std::string maybe_key{
1008 outer_type == OuterType::OBJ ?
1009 "\"" + this->m_key_name + "\" : " :
1010 ""};
1011
1012 // Format description with type
1013 const auto Description = [&](const std::string& type) {
1014 return "(" + type + (this->m_optional ? ", optional" : "") + ")" +
1015 (this->m_description.empty() ? "" : " " + this->m_description);
1016 };
1017
1018 switch (m_type) {
1019 case Type::ELISION: {
1020 // If the inner result is empty, use three dots for elision
1021 sections.PushSection({indent + "..." + maybe_separator, m_description});
1022 return;
1023 }
1024 case Type::ANY: {
1025 NONFATAL_UNREACHABLE(); // Only for testing
1026 }
1027 case Type::NONE: {
1028 sections.PushSection({indent + "null" + maybe_separator, Description("json null")});
1029 return;
1030 }
1031 case Type::STR: {
1032 sections.PushSection({indent + maybe_key + "\"str\"" + maybe_separator, Description("string")});
1033 return;
1034 }
1035 case Type::STR_AMOUNT: {
1036 sections.PushSection({indent + maybe_key + "n" + maybe_separator, Description("numeric")});
1037 return;
1038 }
1039 case Type::STR_HEX: {
1040 sections.PushSection({indent + maybe_key + "\"hex\"" + maybe_separator, Description("string")});
1041 return;
1042 }
1043 case Type::NUM: {
1044 sections.PushSection({indent + maybe_key + "n" + maybe_separator, Description("numeric")});
1045 return;
1046 }
1047 case Type::NUM_TIME: {
1048 sections.PushSection({indent + maybe_key + "xxx" + maybe_separator, Description("numeric")});
1049 return;
1050 }
1051 case Type::BOOL: {
1052 sections.PushSection({indent + maybe_key + "true|false" + maybe_separator, Description("boolean")});
1053 return;
1054 }
1055 case Type::ARR_FIXED:
1056 case Type::ARR: {
1057 sections.PushSection({indent + maybe_key + "[", Description("json array")});
1058 for (const auto& i : m_inner) {
1059 i.ToSections(sections, OuterType::ARR, current_indent + 2);
1060 }
1061 CHECK_NONFATAL(!m_inner.empty());
1062 if (m_type == Type::ARR && m_inner.back().m_type != Type::ELISION) {
1063 sections.PushSection({indent_next + "...", ""});
1064 } else {
1065 // Remove final comma, which would be invalid JSON
1066 sections.m_sections.back().m_left.pop_back();
1067 }
1068 sections.PushSection({indent + "]" + maybe_separator, ""});
1069 return;
1070 }
1071 case Type::OBJ_DYN:
1072 case Type::OBJ: {
1073 if (m_inner.empty()) {
1074 sections.PushSection({indent + maybe_key + "{}", Description("empty JSON object")});
1075 return;
1076 }
1077 sections.PushSection({indent + maybe_key + "{", Description("json object")});
1078 for (const auto& i : m_inner) {
1079 i.ToSections(sections, OuterType::OBJ, current_indent + 2);
1080 }
1081 if (m_type == Type::OBJ_DYN && m_inner.back().m_type != Type::ELISION) {
1082 // If the dictionary keys are dynamic, use three dots for continuation
1083 sections.PushSection({indent_next + "...", ""});
1084 } else {
1085 // Remove final comma, which would be invalid JSON
1086 sections.m_sections.back().m_left.pop_back();
1087 }
1088 sections.PushSection({indent + "}" + maybe_separator, ""});
1089 return;
1090 }
1091 } // no default case, so the compiler can warn about missing cases
1093}
1094
1095static std::optional<UniValue::VType> ExpectedType(RPCResult::Type type)
1096{
1097 using Type = RPCResult::Type;
1098 switch (type) {
1099 case Type::ELISION:
1100 case Type::ANY: {
1101 return std::nullopt;
1102 }
1103 case Type::NONE: {
1104 return UniValue::VNULL;
1105 }
1106 case Type::STR:
1107 case Type::STR_HEX: {
1108 return UniValue::VSTR;
1109 }
1110 case Type::NUM:
1111 case Type::STR_AMOUNT:
1112 case Type::NUM_TIME: {
1113 return UniValue::VNUM;
1114 }
1115 case Type::BOOL: {
1116 return UniValue::VBOOL;
1117 }
1118 case Type::ARR_FIXED:
1119 case Type::ARR: {
1120 return UniValue::VARR;
1121 }
1122 case Type::OBJ_DYN:
1123 case Type::OBJ: {
1124 return UniValue::VOBJ;
1125 }
1126 } // no default case, so the compiler can warn about missing cases
1128}
1129
1130// NOLINTNEXTLINE(misc-no-recursion)
1132{
1133 if (m_skip_type_check) {
1134 return true;
1135 }
1136
1137 const auto exp_type = ExpectedType(m_type);
1138 if (!exp_type) return true; // can be any type, so nothing to check
1139
1140 if (*exp_type != result.getType()) {
1141 return strprintf("returned type is %s, but declared as %s in doc", uvTypeName(result.getType()), uvTypeName(*exp_type));
1142 }
1143
1144 if (UniValue::VARR == result.getType()) {
1145 UniValue errors(UniValue::VOBJ);
1146 for (size_t i{0}; i < result.get_array().size(); ++i) {
1147 // If there are more results than documented, reuse the last doc_inner.
1148 const RPCResult& doc_inner{m_inner.at(std::min(m_inner.size() - 1, i))};
1149 UniValue match{doc_inner.MatchesType(result.get_array()[i])};
1150 if (!match.isTrue()) errors.pushKV(strprintf("%d", i), std::move(match));
1151 }
1152 if (errors.empty()) return true; // empty result array is valid
1153 return errors;
1154 }
1155
1156 if (UniValue::VOBJ == result.getType()) {
1157 if (!m_inner.empty() && m_inner.at(0).m_type == Type::ELISION) return true;
1158 UniValue errors(UniValue::VOBJ);
1159 if (m_type == Type::OBJ_DYN) {
1160 const RPCResult& doc_inner{m_inner.at(0)}; // Assume all types are the same, randomly pick the first
1161 for (size_t i{0}; i < result.get_obj().size(); ++i) {
1162 UniValue match{doc_inner.MatchesType(result.get_obj()[i])};
1163 if (!match.isTrue()) errors.pushKV(result.getKeys()[i], std::move(match));
1164 }
1165 if (errors.empty()) return true; // empty result obj is valid
1166 return errors;
1167 }
1168 std::set<std::string> doc_keys;
1169 for (const auto& doc_entry : m_inner) {
1170 doc_keys.insert(doc_entry.m_key_name);
1171 }
1172 std::map<std::string, UniValue> result_obj;
1173 result.getObjMap(result_obj);
1174 for (const auto& result_entry : result_obj) {
1175 if (doc_keys.find(result_entry.first) == doc_keys.end()) {
1176 errors.pushKV(result_entry.first, "key returned that was not in doc");
1177 }
1178 }
1179
1180 for (const auto& doc_entry : m_inner) {
1181 const auto result_it{result_obj.find(doc_entry.m_key_name)};
1182 if (result_it == result_obj.end()) {
1183 if (!doc_entry.m_optional) {
1184 errors.pushKV(doc_entry.m_key_name, "key missing, despite not being optional in doc");
1185 }
1186 continue;
1187 }
1188 UniValue match{doc_entry.MatchesType(result_it->second)};
1189 if (!match.isTrue()) errors.pushKV(doc_entry.m_key_name, std::move(match));
1190 }
1191 if (errors.empty()) return true;
1192 return errors;
1193 }
1194
1195 return true;
1196}
1197
1199{
1200 if (m_type == Type::OBJ) {
1201 // May or may not be empty
1202 return;
1203 }
1204 // Everything else must either be empty or not
1205 const bool inner_needed{m_type == Type::ARR || m_type == Type::ARR_FIXED || m_type == Type::OBJ_DYN};
1206 CHECK_NONFATAL(inner_needed != m_inner.empty());
1207}
1208
1209// NOLINTNEXTLINE(misc-no-recursion)
1210std::string RPCArg::ToStringObj(const bool oneline) const
1211{
1212 std::string res;
1213 res += "\"";
1214 res += GetFirstName();
1215 if (oneline) {
1216 res += "\":";
1217 } else {
1218 res += "\": ";
1219 }
1220 switch (m_type) {
1221 case Type::STR:
1222 return res + "\"str\"";
1223 case Type::STR_HEX:
1224 return res + "\"hex\"";
1225 case Type::NUM:
1226 return res + "n";
1227 case Type::RANGE:
1228 return res + "n or [n,n]";
1229 case Type::AMOUNT:
1230 return res + "amount";
1231 case Type::BOOL:
1232 return res + "bool";
1233 case Type::ARR:
1234 res += "[";
1235 for (const auto& i : m_inner) {
1236 res += i.ToString(oneline) + ",";
1237 }
1238 return res + "...]";
1239 case Type::OBJ:
1242 // Currently unused, so avoid writing dead code
1244 } // no default case, so the compiler can warn about missing cases
1246}
1247
1248// NOLINTNEXTLINE(misc-no-recursion)
1249std::string RPCArg::ToString(const bool oneline) const
1250{
1251 if (oneline && !m_opts.oneline_description.empty()) {
1252 if (m_opts.oneline_description[0] == '\"' && m_type != Type::STR_HEX && m_type != Type::STR && gArgs.GetBoolArg("-rpcdoccheck", DEFAULT_RPC_DOC_CHECK)) {
1253 throw std::runtime_error{
1254 STR_INTERNAL_BUG(strprintf("non-string RPC arg \"%s\" quotes oneline_description:\n%s",
1256 )};
1257 }
1259 }
1260
1261 switch (m_type) {
1262 case Type::STR_HEX:
1263 case Type::STR: {
1264 return "\"" + GetFirstName() + "\"";
1265 }
1266 case Type::NUM:
1267 case Type::RANGE:
1268 case Type::AMOUNT:
1269 case Type::BOOL: {
1270 return GetFirstName();
1271 }
1272 case Type::OBJ:
1274 case Type::OBJ_USER_KEYS: {
1275 // NOLINTNEXTLINE(misc-no-recursion)
1276 const std::string res = Join(m_inner, ",", [&](const RPCArg& i) { return i.ToStringObj(oneline); });
1277 if (m_type == Type::OBJ) {
1278 return "{" + res + "}";
1279 } else {
1280 return "{" + res + ",...}";
1281 }
1282 }
1283 case Type::ARR: {
1284 std::string res;
1285 for (const auto& i : m_inner) {
1286 res += i.ToString(oneline) + ",";
1287 }
1288 return "[" + res + "...]";
1289 }
1290 } // no default case, so the compiler can warn about missing cases
1292}
1293
1294static std::pair<int64_t, int64_t> ParseRange(const UniValue& value)
1295{
1296 if (value.isNum()) {
1297 return {0, value.getInt<int64_t>()};
1298 }
1299 if (value.isArray() && value.size() == 2 && value[0].isNum() && value[1].isNum()) {
1300 int64_t low = value[0].getInt<int64_t>();
1301 int64_t high = value[1].getInt<int64_t>();
1302 if (low > high) throw JSONRPCError(RPC_INVALID_PARAMETER, "Range specified as [begin,end] must not have begin after end");
1303 return {low, high};
1304 }
1305 throw JSONRPCError(RPC_INVALID_PARAMETER, "Range must be specified as end or as [begin,end]");
1306}
1307
1308std::pair<int64_t, int64_t> ParseDescriptorRange(const UniValue& value)
1309{
1310 int64_t low, high;
1311 std::tie(low, high) = ParseRange(value);
1312 if (low < 0) {
1313 throw JSONRPCError(RPC_INVALID_PARAMETER, "Range should be greater or equal than 0");
1314 }
1315 if ((high >> 31) != 0) {
1316 throw JSONRPCError(RPC_INVALID_PARAMETER, "End of range is too high");
1317 }
1318 if (high >= low + 1000000) {
1319 throw JSONRPCError(RPC_INVALID_PARAMETER, "Range is too large");
1320 }
1321 return {low, high};
1322}
1323
1324std::vector<CScript> EvalDescriptorStringOrObject(const UniValue& scanobject, FlatSigningProvider& provider, const bool expand_priv)
1325{
1326 std::string desc_str;
1327 std::pair<int64_t, int64_t> range = {0, 1000};
1328 if (scanobject.isStr()) {
1329 desc_str = scanobject.get_str();
1330 } else if (scanobject.isObject()) {
1331 const UniValue& desc_uni{scanobject.find_value("desc")};
1332 if (desc_uni.isNull()) throw JSONRPCError(RPC_INVALID_PARAMETER, "Descriptor needs to be provided in scan object");
1333 desc_str = desc_uni.get_str();
1334 const UniValue& range_uni{scanobject.find_value("range")};
1335 if (!range_uni.isNull()) {
1336 range = ParseDescriptorRange(range_uni);
1337 }
1338 } else {
1339 throw JSONRPCError(RPC_INVALID_PARAMETER, "Scan object needs to be either a string or an object");
1340 }
1341
1342 std::string error;
1343 auto descs = Parse(desc_str, provider, error);
1344 if (descs.empty()) {
1346 }
1347 if (!descs.at(0)->IsRange()) {
1348 range.first = 0;
1349 range.second = 0;
1350 }
1351 std::vector<CScript> ret;
1352 for (int i = range.first; i <= range.second; ++i) {
1353 for (const auto& desc : descs) {
1354 std::vector<CScript> scripts;
1355 if (!desc->Expand(i, provider, scripts, provider)) {
1356 throw JSONRPCError(RPC_INVALID_ADDRESS_OR_KEY, strprintf("Cannot derive script without private keys: '%s'", desc_str));
1357 }
1358 if (expand_priv) {
1359 desc->ExpandPrivate(/*pos=*/i, provider, /*out=*/provider);
1360 }
1361 std::move(scripts.begin(), scripts.end(), std::back_inserter(ret));
1362 }
1363 }
1364 return ret;
1365}
1366
1368[[nodiscard]] static UniValue BilingualStringsToUniValue(const std::vector<bilingual_str>& bilingual_strings)
1369{
1370 CHECK_NONFATAL(!bilingual_strings.empty());
1371 UniValue result{UniValue::VARR};
1372 for (const auto& s : bilingual_strings) {
1373 result.push_back(s.original);
1374 }
1375 return result;
1376}
1377
1378void PushWarnings(const UniValue& warnings, UniValue& obj)
1379{
1380 if (warnings.empty()) return;
1381 obj.pushKV("warnings", warnings);
1382}
1383
1384void PushWarnings(const std::vector<bilingual_str>& warnings, UniValue& obj)
1385{
1386 if (warnings.empty()) return;
1387 obj.pushKV("warnings", BilingualStringsToUniValue(warnings));
1388}
1389
1390std::vector<RPCResult> ScriptPubKeyDoc() {
1391 return
1392 {
1393 {RPCResult::Type::STR, "asm", "Disassembly of the output script"},
1394 {RPCResult::Type::STR, "desc", "Inferred descriptor for the output"},
1395 {RPCResult::Type::STR_HEX, "hex", "The raw output script bytes, hex-encoded"},
1396 {RPCResult::Type::STR, "address", /*optional=*/true, "The Bitcoin address (only if a well-defined address exists)"},
1397 {RPCResult::Type::STR, "type", "The type (one of: " + GetAllOutputTypes() + ")"},
1398 };
1399}
1400
1401uint256 GetTarget(const CBlockIndex& blockindex, const uint256 pow_limit)
1402{
1403 arith_uint256 target{*CHECK_NONFATAL(DeriveTarget(blockindex.nBits, pow_limit))};
1404 return ArithToUint256(target);
1405}
std::variant< CNoDestination, PubKeyDestination, PKHash, ScriptHash, WitnessV0ScriptHash, WitnessV0KeyHash, WitnessV1Taproot, PayToAnchor, WitnessUnknown > CTxDestination
A txout script categorized into standard templates.
Definition: addresstype.h:143
bool MoneyRange(const CAmount &nValue)
Definition: amount.h:27
int64_t CAmount
Amount in satoshis (Can be negative)
Definition: amount.h:12
static constexpr CAmount COIN
The amount of satoshis in one BTC.
Definition: amount.h:15
ArgsManager gArgs
Definition: args.cpp:40
uint256 ArithToUint256(const arith_uint256 &a)
int ret
ArgsManager & args
Definition: bitcoind.cpp:277
#define CHECK_NONFATAL(condition)
Identity function.
Definition: check.h:109
#define NONFATAL_UNREACHABLE()
NONFATAL_UNREACHABLE() is a macro that is used to mark unreachable code.
Definition: check.h:130
#define STR_INTERNAL_BUG(msg)
Definition: check.h:96
bool GetBoolArg(const std::string &strArg, bool fDefault) const
Return boolean argument or default value.
Definition: args.cpp:511
The block chain is a tree shaped structure starting with the genesis block at the root,...
Definition: chain.h:103
uint32_t nBits
Definition: chain.h:152
Fee rate in satoshis per virtualbyte: CAmount / vB the feerate is represented internally as FeeFrac.
Definition: feerate.h:35
An encapsulated public key.
Definition: pubkey.h:34
bool IsFullyValid() const
fully validate whether this is a valid public key (more expensive than IsValid())
Definition: pubkey.cpp:320
Serialized script, used inside transaction inputs and outputs.
Definition: script.h:413
UniValue operator()(const WitnessUnknown &id) const
Definition: util.cpp:337
UniValue operator()(const WitnessV0KeyHash &id) const
Definition: util.cpp:299
UniValue operator()(const WitnessV0ScriptHash &id) const
Definition: util.cpp:309
DescribeAddressVisitor()=default
UniValue operator()(const CNoDestination &dest) const
Definition: util.cpp:273
UniValue operator()(const PubKeyDestination &dest) const
Definition: util.cpp:278
UniValue operator()(const WitnessV1Taproot &tap) const
Definition: util.cpp:319
UniValue operator()(const ScriptHash &scriptID) const
Definition: util.cpp:291
UniValue operator()(const PKHash &keyID) const
Definition: util.cpp:283
UniValue operator()(const PayToAnchor &anchor) const
Definition: util.cpp:329
UniValue params
Definition: request.h:57
enum JSONRPCRequest::Mode mode
std::function< UniValue(const RPCHelpMan &, const JSONRPCRequest &)> RPCMethodImpl
Definition: util.h:422
const RPCExamples m_examples
Definition: util.h:503
size_t GetParamIndex(std::string_view key) const
Return positional index of a parameter using its name as key.
Definition: util.cpp:760
RPCHelpMan(std::string name, std::string description, std::vector< RPCArg > args, RPCResults results, RPCExamples examples)
Definition: util.cpp:545
const std::string m_description
Definition: util.h:500
bool IsValidNumArgs(size_t num_args) const
If the supplied number of args is neither too small nor too high.
Definition: util.cpp:733
const RPCMethodImpl m_fun
Definition: util.h:499
const std::string m_name
Definition: util.h:496
const RPCResults m_results
Definition: util.h:502
const std::vector< RPCArg > m_args
Definition: util.h:501
std::string ToString() const
Definition: util.cpp:770
UniValue GetArgMap() const
Return the named args that need to be converted from string to another JSON type.
Definition: util.cpp:833
std::vector< std::pair< std::string, bool > > GetArgNames() const
Return list of arguments and whether they are named-only.
Definition: util.cpp:745
const JSONRPCRequest * m_req
Definition: util.h:504
UniValue HandleRequest(const JSONRPCRequest &request) const
Definition: util.cpp:635
const std::string & get_str() const
bool isArray() const
Definition: univalue.h:87
const UniValue & find_value(std::string_view key) const
Definition: univalue.cpp:233
enum VType getType() const
Definition: univalue.h:67
@ VNULL
Definition: univalue.h:24
@ VOBJ
Definition: univalue.h:24
@ VSTR
Definition: univalue.h:24
@ VARR
Definition: univalue.h:24
@ VNUM
Definition: univalue.h:24
@ VBOOL
Definition: univalue.h:24
std::string write(unsigned int prettyIndent=0, unsigned int indentLevel=0) const
bool isNull() const
Definition: univalue.h:81
const std::string & getValStr() const
Definition: univalue.h:68
const UniValue & get_obj() const
void setNull()
Definition: univalue.cpp:26
size_t size() const
Definition: univalue.h:71
enum VType type() const
Definition: univalue.h:128
const std::vector< std::string > & getKeys() const
bool empty() const
Definition: univalue.h:69
bool isStr() const
Definition: univalue.h:85
bool isBool() const
Definition: univalue.h:84
Int getInt() const
Definition: univalue.h:140
const UniValue & get_array() const
bool isNum() const
Definition: univalue.h:86
void pushKV(std::string key, UniValue val)
Definition: univalue.cpp:126
void getObjMap(std::map< std::string, UniValue > &kv) const
Definition: univalue.cpp:146
bool get_bool() const
bool isObject() const
Definition: univalue.h:88
256-bit unsigned big integer.
static constexpr unsigned int size()
Definition: uint256.h:107
size_type size() const
Definition: prevector.h:255
256-bit opaque blob.
Definition: uint256.h:196
static std::optional< uint256 > FromHex(std::string_view str)
Definition: uint256.h:198
static UniValue Parse(std::string_view raw, bool also_string)
Parse string to UniValue or throw runtime_error if string contains invalid JSON.
Definition: client.cpp:322
is a home for simple enum and struct type definitions that can be used internally by functions in the...
util::Result< int > SighashFromStr(const std::string &sighash)
Definition: core_read.cpp:237
std::string HexStr(const std::span< const uint8_t > s)
Convert a span of bytes to a lower-case hexadecimal string.
Definition: hex_base.cpp:31
is a home for simple string functions returning descriptive messages that are used in RPC and GUI int...
@ NONE
Definition: logging.h:65
char const * json() noexcept
Template to generate JSON data.
T check(T ptr)
PSBTError
Definition: types.h:17
bilingual_str PSBTErrorString(PSBTError err)
Definition: messages.cpp:107
bilingual_str TransactionErrorString(const TransactionError err)
Definition: messages.cpp:129
TransactionError
Definition: types.h:25
std::vector< std::string > SplitString(std::string_view str, char sep)
Definition: string.h:148
bilingual_str ErrorString(const Result< T > &result)
Definition: result.h:93
std::string ToString(const T &t)
Locale-independent version of std::to_string.
Definition: string.h:245
std::string TrimString(std::string_view str, std::string_view pattern=" \f\n\r\t\v")
Definition: string.h:168
auto Join(const C &container, const S &separator, UnaryOp unary_op)
Join all container items.
Definition: string.h:204
is a home for public enum and struct type definitions that are used internally by node code,...
CTxDestination AddAndGetDestinationForScript(FlatSigningProvider &keystore, const CScript &script, OutputType type)
Get a destination of the requested type (if possible) to the specified script.
Definition: outputtype.cpp:54
OutputType
Definition: outputtype.h:18
std::optional< arith_uint256 > DeriveTarget(unsigned int nBits, const uint256 pow_limit)
Convert nBits value to target.
Definition: pow.cpp:146
UniValue JSONRPCError(int code, const std::string &message)
Definition: request.cpp:70
const char * name
Definition: rest.cpp:48
RPCErrorCode
Bitcoin RPC error codes.
Definition: protocol.h:25
@ RPC_VERIFY_ALREADY_IN_UTXO_SET
Transaction already in utxo set.
Definition: protocol.h:49
@ RPC_TYPE_ERROR
Unexpected type was passed as parameter.
Definition: protocol.h:41
@ RPC_TRANSACTION_REJECTED
Definition: protocol.h:55
@ RPC_TRANSACTION_ERROR
Aliases for backward compatibility.
Definition: protocol.h:54
@ RPC_INVALID_PARAMETER
Invalid, missing or duplicate parameter.
Definition: protocol.h:44
@ RPC_DESERIALIZATION_ERROR
Error parsing or validating structure in raw format.
Definition: protocol.h:46
@ RPC_INVALID_ADDRESS_OR_KEY
Invalid address or key.
Definition: protocol.h:42
static const UniValue * DetailMaybeArg(CheckFn *check, const std::vector< RPCArg > &params, const JSONRPCRequest *req, size_t i)
Definition: util.cpp:686
std::vector< CScript > EvalDescriptorStringOrObject(const UniValue &scanobject, FlatSigningProvider &provider, const bool expand_priv)
Evaluate a descriptor given as a string, or as a {"desc":...,"range":...} object, with default range ...
Definition: util.cpp:1324
void(const RPCArg &) CheckFn
Definition: util.cpp:685
std::pair< int64_t, int64_t > ParseDescriptorRange(const UniValue &value)
Parse a JSON range specified as int64, or [int64, int64].
Definition: util.cpp:1308
std::string HelpExampleCli(const std::string &methodname, const std::string &args)
Definition: util.cpp:183
std::string HelpExampleRpcNamed(const std::string &methodname, const RPCArgList &args)
Definition: util.cpp:207
CAmount AmountFromValue(const UniValue &value, int decimals)
Validate and return a CAmount from a UniValue number or string.
Definition: util.cpp:98
RPCErrorCode RPCErrorFromPSBTError(PSBTError err)
Definition: util.cpp:379
std::vector< unsigned char > ParseHexV(const UniValue &v, std::string_view name)
Definition: util.cpp:130
static UniValue BilingualStringsToUniValue(const std::vector< bilingual_str > &bilingual_strings)
Convert a vector of bilingual strings to a UniValue::VARR containing their original untranslated valu...
Definition: util.cpp:1368
void PushWarnings(const UniValue &warnings, UniValue &obj)
Push warning messages to an RPC "warnings" field as a JSON array of strings.
Definition: util.cpp:1378
UniValue JSONRPCTransactionError(TransactionError terr, const std::string &err_string)
Definition: util.cpp:408
#define TMPL_INST(check_param, ret_type, return_code)
Definition: util.cpp:707
std::vector< unsigned char > ParseHexO(const UniValue &o, std::string_view strKey)
Definition: util.cpp:139
uint256 GetTarget(const CBlockIndex &blockindex, const uint256 pow_limit)
Definition: util.cpp:1401
UniValue JSONRPCPSBTError(PSBTError err)
Definition: util.cpp:403
RPCErrorCode RPCErrorFromTransactionError(TransactionError terr)
Definition: util.cpp:391
CFeeRate ParseFeeRate(const UniValue &json)
Parse a json number or string, denoting BTC/kvB, into a CFeeRate (sat/kvB).
Definition: util.cpp:110
static std::optional< UniValue::VType > ExpectedType(RPCArg::Type type)
Definition: util.cpp:865
std::string HelpExampleRpc(const std::string &methodname, const std::string &args)
Definition: util.cpp:201
const std::string UNIX_EPOCH_TIME
String used to describe UNIX epoch time in documentation, factored out to a constant for consistency.
Definition: util.cpp:43
std::string GetAllOutputTypes()
Gets all existing output types formatted for RPC help sections.
Definition: util.cpp:46
int ParseVerbosity(const UniValue &arg, int default_verbosity, bool allow_bool)
Parses verbosity from provided UniValue.
Definition: util.cpp:83
CPubKey HexToPubKey(const std::string &hex_in)
Definition: util.cpp:219
std::optional< int > ParseSighashString(const UniValue &sighash)
Returns a sighash value corresponding to the passed in argument.
Definition: util.cpp:357
const std::string EXAMPLE_ADDRESS[2]
Example bech32 addresses for the RPCExamples help documentation.
Definition: util.cpp:44
CTxDestination AddAndGetMultisigDestination(const int required, const std::vector< CPubKey > &pubkeys, OutputType type, FlatSigningProvider &keystore, CScript &script_out)
Definition: util.cpp:235
static std::pair< int64_t, int64_t > ParseRange(const UniValue &value)
Definition: util.cpp:1294
uint256 ParseHashO(const UniValue &o, std::string_view strKey)
Definition: util.cpp:126
unsigned int ParseConfirmTarget(const UniValue &value, unsigned int max_target)
Parse a confirm target option and raise an RPC error if it is invalid.
Definition: util.cpp:369
void RPCTypeCheckObj(const UniValue &o, const std::map< std::string, UniValueType > &typesExpected, bool fAllowNull, bool fStrict)
Definition: util.cpp:56
std::string HelpExampleCliNamed(const std::string &methodname, const RPCArgList &args)
Definition: util.cpp:188
uint256 ParseHashV(const UniValue &v, std::string_view name)
Utilities: convert hex-encoded Values (throws error if not hex).
Definition: util.cpp:117
static void CheckRequiredOrDefault(const RPCArg &param)
Definition: util.cpp:698
UniValue DescribeAddress(const CTxDestination &dest)
Definition: util.cpp:347
std::vector< RPCResult > ScriptPubKeyDoc()
Definition: util.cpp:1390
std::vector< std::pair< std::string, UniValue > > RPCArgList
Definition: util.h:132
static constexpr bool DEFAULT_RPC_DOC_CHECK
Definition: util.h:46
OuterType
Serializing JSON objects depends on the outer type.
Definition: util.h:163
static const unsigned int MAX_SCRIPT_ELEMENT_SIZE
Definition: script.h:28
static const int MAX_PUBKEYS_PER_MULTISIG
Definition: script.h:34
#define STR(x)
Definition: util.h:24
CScript GetScriptForMultisig(int nRequired, const std::vector< CPubKey > &keys)
Generate a multisig script.
Definition: solver.cpp:218
std::string GetTxnOutputType(TxoutType t)
Get the name of a TxoutType as a string.
Definition: solver.cpp:18
TxoutType
Definition: solver.h:22
@ WITNESS_UNKNOWN
Only for Witness versions not already defined above.
std::vector< Byte > ParseHex(std::string_view hex_str)
Like TryParseHex, but returns an empty vector on invalid input.
Definition: strencodings.h:68
Definition: util.h:186
Type
Definition: util.h:187
@ RANGE
Special type that is a NUM or [NUM,NUM].
@ OBJ_USER_KEYS
Special type where the user must set the keys e.g. to define multiple addresses; as opposed to e....
@ STR_HEX
Special type that is a STR with only hex chars.
@ AMOUNT
Special type representing a floating point amount (can be either NUM or STR)
@ OBJ_NAMED_PARAMS
Special type that behaves almost exactly like OBJ, defining an options object with a list of pre-defi...
const std::vector< RPCArg > m_inner
Only used for arrays or dicts.
Definition: util.h:227
const RPCArgOptions m_opts
Definition: util.h:230
const std::string m_names
The name of the arg (can be empty for inner args, can contain multiple aliases separated by | for nam...
Definition: util.h:225
const Fallback m_fallback
Definition: util.h:228
std::string ToString(bool oneline) const
Return the type string of the argument.
Definition: util.cpp:1249
UniValue MatchesType(const UniValue &request) const
Check whether the request JSON type matches.
Definition: util.cpp:899
const std::string m_description
Definition: util.h:229
bool IsOptional() const
Definition: util.cpp:923
std::string ToDescriptionString(bool is_named_arg) const
Return the description string, including the argument type and whether the argument is required.
Definition: util.cpp:932
const Type m_type
Definition: util.h:226
std::string GetName() const
Return the name, throws when there are aliases.
Definition: util.cpp:917
std::string GetFirstName() const
Return the first of all aliases.
Definition: util.cpp:912
std::string ToStringObj(bool oneline) const
Return the type string of the argument when it is in an object (dict).
Definition: util.cpp:1210
@ OMITTED
Optional argument for which the default value is omitted from help text for one of two reasons:
@ NO
Required arg.
std::vector< std::string > type_str
Should be empty unless it is supposed to override the auto-generated type strings....
Definition: util.h:172
std::string oneline_description
Should be empty unless it is supposed to override the auto-generated summary line.
Definition: util.h:171
bool skip_type_check
Definition: util.h:170
std::string ToDescriptionString() const
Definition: util.cpp:630
const std::string m_examples
Definition: util.h:409
const std::string m_description
Definition: util.h:318
void ToSections(Sections &sections, OuterType outer_type=OuterType::NONE, const int current_indent=0) const
Append the sections of the result.
Definition: util.cpp:997
@ ELISION
Special type to denote elision (...)
@ NUM_TIME
Special numeric to denote unix epoch time.
@ ANY
Special type to disable type checks (for testing only)
@ ARR_FIXED
Special array that has a fixed number of entries.
@ OBJ_DYN
Special dictionary with keys that are not literals.
@ STR_HEX
Special string with only hex chars.
@ STR_AMOUNT
Special string to represent a floating point amount.
const std::vector< RPCResult > m_inner
Only used for arrays or dicts.
Definition: util.h:315
UniValue MatchesType(const UniValue &result) const
Check whether the result JSON type matches.
Definition: util.cpp:1131
void CheckInnerDoc() const
Definition: util.cpp:1198
const bool m_optional
Definition: util.h:316
const std::string m_key_name
Only used for dicts.
Definition: util.h:314
const Type m_type
Definition: util.h:313
const bool m_skip_type_check
Definition: util.h:317
std::string ToDescriptionString() const
Return the description string.
Definition: util.cpp:613
const std::vector< RPCResult > m_results
Definition: util.h:390
A pair of strings that can be aligned (through padding) with other Sections later on.
Definition: util.cpp:421
std::string m_left
Definition: util.cpp:424
Section(const std::string &left, const std::string &right)
Definition: util.cpp:422
const std::string m_right
Definition: util.cpp:425
Keeps track of RPCArgs by transforming them into sections for the purpose of serializing everything t...
Definition: util.cpp:432
void PushSection(const Section &s)
Definition: util.cpp:436
std::vector< Section > m_sections
Definition: util.cpp:433
void Push(const RPCArg &arg, const size_t current_indent=5, const OuterType outer_type=OuterType::NONE)
Recursive helper to translate an RPCArg into sections.
Definition: util.cpp:446
size_t m_max_pad
Definition: util.cpp:434
std::string ToString() const
Concatenate all sections with proper padding.
Definition: util.cpp:504
CTxDestination subtype to encode any future Witness version.
Definition: addresstype.h:96
#define NUM
Definition: tests.c:3608
#define strprintf
Format arguments and return the string or write to given std::ostream (see tinyformat::format doc for...
Definition: tinyformat.h:1172
const char * uvTypeName(UniValue::VType t)
Definition: univalue.cpp:218
bool ParseFixedPoint(std::string_view val, int decimals, int64_t *amount_out)
Parse number as fixed point according to JSON number syntax.
bool IsHex(std::string_view str)