Bitcoin Core  22.99.0
P2P Digital Currency
mining.cpp
Go to the documentation of this file.
1 // Copyright (c) 2010 Satoshi Nakamoto
2 // Copyright (c) 2009-2020 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 <amount.h>
7 #include <chain.h>
8 #include <chainparams.h>
9 #include <consensus/consensus.h>
10 #include <consensus/params.h>
11 #include <consensus/validation.h>
12 #include <core_io.h>
13 #include <deploymentinfo.h>
14 #include <deploymentstatus.h>
15 #include <key_io.h>
16 #include <miner.h>
17 #include <net.h>
18 #include <node/context.h>
19 #include <policy/fees.h>
20 #include <pow.h>
21 #include <rpc/blockchain.h>
22 #include <rpc/mining.h>
23 #include <rpc/net.h>
24 #include <rpc/server.h>
25 #include <rpc/util.h>
26 #include <script/descriptor.h>
27 #include <script/script.h>
28 #include <script/signingprovider.h>
29 #include <shutdown.h>
30 #include <txmempool.h>
31 #include <univalue.h>
32 #include <util/fees.h>
33 #include <util/strencodings.h>
34 #include <util/string.h>
35 #include <util/system.h>
36 #include <util/translation.h>
37 #include <validation.h>
38 #include <validationinterface.h>
39 #include <warnings.h>
40 
41 #include <memory>
42 #include <stdint.h>
43 
49 static UniValue GetNetworkHashPS(int lookup, int height, const CChain& active_chain) {
50  const CBlockIndex* pb = active_chain.Tip();
51 
52  if (height >= 0 && height < active_chain.Height()) {
53  pb = active_chain[height];
54  }
55 
56  if (pb == nullptr || !pb->nHeight)
57  return 0;
58 
59  // If lookup is -1, then use blocks since last difficulty change.
60  if (lookup <= 0)
62 
63  // If lookup is larger than chain, then set it to chain length.
64  if (lookup > pb->nHeight)
65  lookup = pb->nHeight;
66 
67  const CBlockIndex* pb0 = pb;
68  int64_t minTime = pb0->GetBlockTime();
69  int64_t maxTime = minTime;
70  for (int i = 0; i < lookup; i++) {
71  pb0 = pb0->pprev;
72  int64_t time = pb0->GetBlockTime();
73  minTime = std::min(time, minTime);
74  maxTime = std::max(time, maxTime);
75  }
76 
77  // In case there's a situation where minTime == maxTime, we don't want a divide by zero exception.
78  if (minTime == maxTime)
79  return 0;
80 
81  arith_uint256 workDiff = pb->nChainWork - pb0->nChainWork;
82  int64_t timeDiff = maxTime - minTime;
83 
84  return workDiff.getdouble() / timeDiff;
85 }
86 
88 {
89  return RPCHelpMan{"getnetworkhashps",
90  "\nReturns the estimated network hashes per second based on the last n blocks.\n"
91  "Pass in [blocks] to override # of blocks, -1 specifies since last difficulty change.\n"
92  "Pass in [height] to estimate the network speed at the time when a certain block was found.\n",
93  {
94  {"nblocks", RPCArg::Type::NUM, RPCArg::Default{120}, "The number of blocks, or -1 for blocks since last difficulty change."},
95  {"height", RPCArg::Type::NUM, RPCArg::Default{-1}, "To estimate at the time of the given height."},
96  },
97  RPCResult{
98  RPCResult::Type::NUM, "", "Hashes per second estimated"},
100  HelpExampleCli("getnetworkhashps", "")
101  + HelpExampleRpc("getnetworkhashps", "")
102  },
103  [&](const RPCHelpMan& self, const JSONRPCRequest& request) -> UniValue
104 {
105  ChainstateManager& chainman = EnsureAnyChainman(request.context);
106  LOCK(cs_main);
107  return GetNetworkHashPS(!request.params[0].isNull() ? request.params[0].get_int() : 120, !request.params[1].isNull() ? request.params[1].get_int() : -1, chainman.ActiveChain());
108 },
109  };
110 }
111 
112 static bool GenerateBlock(ChainstateManager& chainman, CBlock& block, uint64_t& max_tries, unsigned int& extra_nonce, uint256& block_hash)
113 {
114  block_hash.SetNull();
115 
116  {
117  LOCK(cs_main);
118  IncrementExtraNonce(&block, chainman.ActiveChain().Tip(), extra_nonce);
119  }
120 
121  CChainParams chainparams(Params());
122 
123  while (max_tries > 0 && block.nNonce < std::numeric_limits<uint32_t>::max() && !CheckProofOfWork(block.GetHash(), block.nBits, chainparams.GetConsensus()) && !ShutdownRequested()) {
124  ++block.nNonce;
125  --max_tries;
126  }
127  if (max_tries == 0 || ShutdownRequested()) {
128  return false;
129  }
130  if (block.nNonce == std::numeric_limits<uint32_t>::max()) {
131  return true;
132  }
133 
134  std::shared_ptr<const CBlock> shared_pblock = std::make_shared<const CBlock>(block);
135  if (!chainman.ProcessNewBlock(chainparams, shared_pblock, true, nullptr)) {
136  throw JSONRPCError(RPC_INTERNAL_ERROR, "ProcessNewBlock, block not accepted");
137  }
138 
139  block_hash = block.GetHash();
140  return true;
141 }
142 
143 static UniValue generateBlocks(ChainstateManager& chainman, const CTxMemPool& mempool, const CScript& coinbase_script, int nGenerate, uint64_t nMaxTries)
144 {
145  int nHeightEnd = 0;
146  int nHeight = 0;
147 
148  { // Don't keep cs_main locked
149  LOCK(cs_main);
150  nHeight = chainman.ActiveChain().Height();
151  nHeightEnd = nHeight+nGenerate;
152  }
153  unsigned int nExtraNonce = 0;
154  UniValue blockHashes(UniValue::VARR);
155  while (nHeight < nHeightEnd && !ShutdownRequested())
156  {
157  std::unique_ptr<CBlockTemplate> pblocktemplate(BlockAssembler(chainman.ActiveChainstate(), mempool, Params()).CreateNewBlock(coinbase_script));
158  if (!pblocktemplate.get())
159  throw JSONRPCError(RPC_INTERNAL_ERROR, "Couldn't create new block");
160  CBlock *pblock = &pblocktemplate->block;
161 
162  uint256 block_hash;
163  if (!GenerateBlock(chainman, *pblock, nMaxTries, nExtraNonce, block_hash)) {
164  break;
165  }
166 
167  if (!block_hash.IsNull()) {
168  ++nHeight;
169  blockHashes.push_back(block_hash.GetHex());
170  }
171  }
172  return blockHashes;
173 }
174 
175 static bool getScriptFromDescriptor(const std::string& descriptor, CScript& script, std::string& error)
176 {
177  FlatSigningProvider key_provider;
178  const auto desc = Parse(descriptor, key_provider, error, /* require_checksum = */ false);
179  if (desc) {
180  if (desc->IsRange()) {
181  throw JSONRPCError(RPC_INVALID_PARAMETER, "Ranged descriptor not accepted. Maybe pass through deriveaddresses first?");
182  }
183 
184  FlatSigningProvider provider;
185  std::vector<CScript> scripts;
186  if (!desc->Expand(0, key_provider, scripts, provider)) {
187  throw JSONRPCError(RPC_INVALID_ADDRESS_OR_KEY, strprintf("Cannot derive script without private keys"));
188  }
189 
190  // Combo descriptors can have 2 or 4 scripts, so we can't just check scripts.size() == 1
191  CHECK_NONFATAL(scripts.size() > 0 && scripts.size() <= 4);
192 
193  if (scripts.size() == 1) {
194  script = scripts.at(0);
195  } else if (scripts.size() == 4) {
196  // For uncompressed keys, take the 3rd script, since it is p2wpkh
197  script = scripts.at(2);
198  } else {
199  // Else take the 2nd script, since it is p2pkh
200  script = scripts.at(1);
201  }
202 
203  return true;
204  } else {
205  return false;
206  }
207 }
208 
210 {
211  return RPCHelpMan{
212  "generatetodescriptor",
213  "\nMine blocks immediately to a specified descriptor (before the RPC call returns)\n",
214  {
215  {"num_blocks", RPCArg::Type::NUM, RPCArg::Optional::NO, "How many blocks are generated immediately."},
216  {"descriptor", RPCArg::Type::STR, RPCArg::Optional::NO, "The descriptor to send the newly generated bitcoin to."},
217  {"maxtries", RPCArg::Type::NUM, RPCArg::Default{DEFAULT_MAX_TRIES}, "How many iterations to try."},
218  },
219  RPCResult{
220  RPCResult::Type::ARR, "", "hashes of blocks generated",
221  {
222  {RPCResult::Type::STR_HEX, "", "blockhash"},
223  }
224  },
225  RPCExamples{
226  "\nGenerate 11 blocks to mydesc\n" + HelpExampleCli("generatetodescriptor", "11 \"mydesc\"")},
227  [&](const RPCHelpMan& self, const JSONRPCRequest& request) -> UniValue
228 {
229  const int num_blocks{request.params[0].get_int()};
230  const uint64_t max_tries{request.params[2].isNull() ? DEFAULT_MAX_TRIES : request.params[2].get_int()};
231 
232  CScript coinbase_script;
233  std::string error;
234  if (!getScriptFromDescriptor(request.params[1].get_str(), coinbase_script, error)) {
236  }
237 
238  NodeContext& node = EnsureAnyNodeContext(request.context);
239  const CTxMemPool& mempool = EnsureMemPool(node);
241 
242  return generateBlocks(chainman, mempool, coinbase_script, num_blocks, max_tries);
243 },
244  };
245 }
246 
248 {
249  return RPCHelpMan{"generate", "has been replaced by the -generate cli option. Refer to -help for more information.", {}, {}, RPCExamples{""}, [&](const RPCHelpMan& self, const JSONRPCRequest& request) -> UniValue {
251  }};
252 }
253 
255 {
256  return RPCHelpMan{"generatetoaddress",
257  "\nMine blocks immediately to a specified address (before the RPC call returns)\n",
258  {
259  {"nblocks", RPCArg::Type::NUM, RPCArg::Optional::NO, "How many blocks are generated immediately."},
260  {"address", RPCArg::Type::STR, RPCArg::Optional::NO, "The address to send the newly generated bitcoin to."},
261  {"maxtries", RPCArg::Type::NUM, RPCArg::Default{DEFAULT_MAX_TRIES}, "How many iterations to try."},
262  },
263  RPCResult{
264  RPCResult::Type::ARR, "", "hashes of blocks generated",
265  {
266  {RPCResult::Type::STR_HEX, "", "blockhash"},
267  }},
268  RPCExamples{
269  "\nGenerate 11 blocks to myaddress\n"
270  + HelpExampleCli("generatetoaddress", "11 \"myaddress\"")
271  + "If you are using the " PACKAGE_NAME " wallet, you can get a new address to send the newly generated bitcoin to with:\n"
272  + HelpExampleCli("getnewaddress", "")
273  },
274  [&](const RPCHelpMan& self, const JSONRPCRequest& request) -> UniValue
275 {
276  const int num_blocks{request.params[0].get_int()};
277  const uint64_t max_tries{request.params[2].isNull() ? DEFAULT_MAX_TRIES : request.params[2].get_int()};
278 
279  CTxDestination destination = DecodeDestination(request.params[1].get_str());
280  if (!IsValidDestination(destination)) {
281  throw JSONRPCError(RPC_INVALID_ADDRESS_OR_KEY, "Error: Invalid address");
282  }
283 
284  NodeContext& node = EnsureAnyNodeContext(request.context);
285  const CTxMemPool& mempool = EnsureMemPool(node);
287 
288  CScript coinbase_script = GetScriptForDestination(destination);
289 
290  return generateBlocks(chainman, mempool, coinbase_script, num_blocks, max_tries);
291 },
292  };
293 }
294 
296 {
297  return RPCHelpMan{"generateblock",
298  "\nMine a block with a set of ordered transactions immediately to a specified address or descriptor (before the RPC call returns)\n",
299  {
300  {"output", RPCArg::Type::STR, RPCArg::Optional::NO, "The address or descriptor to send the newly generated bitcoin to."},
301  {"transactions", RPCArg::Type::ARR, RPCArg::Optional::NO, "An array of hex strings which are either txids or raw transactions.\n"
302  "Txids must reference transactions currently in the mempool.\n"
303  "All transactions must be valid and in valid order, otherwise the block will be rejected.",
304  {
306  },
307  },
308  },
309  RPCResult{
310  RPCResult::Type::OBJ, "", "",
311  {
312  {RPCResult::Type::STR_HEX, "hash", "hash of generated block"},
313  }
314  },
315  RPCExamples{
316  "\nGenerate a block to myaddress, with txs rawtx and mempool_txid\n"
317  + HelpExampleCli("generateblock", R"("myaddress" '["rawtx", "mempool_txid"]')")
318  },
319  [&](const RPCHelpMan& self, const JSONRPCRequest& request) -> UniValue
320 {
321  const auto address_or_descriptor = request.params[0].get_str();
322  CScript coinbase_script;
323  std::string error;
324 
325  if (!getScriptFromDescriptor(address_or_descriptor, coinbase_script, error)) {
326  const auto destination = DecodeDestination(address_or_descriptor);
327  if (!IsValidDestination(destination)) {
328  throw JSONRPCError(RPC_INVALID_ADDRESS_OR_KEY, "Error: Invalid address or descriptor");
329  }
330 
331  coinbase_script = GetScriptForDestination(destination);
332  }
333 
334  NodeContext& node = EnsureAnyNodeContext(request.context);
335  const CTxMemPool& mempool = EnsureMemPool(node);
336 
337  std::vector<CTransactionRef> txs;
338  const auto raw_txs_or_txids = request.params[1].get_array();
339  for (size_t i = 0; i < raw_txs_or_txids.size(); i++) {
340  const auto str(raw_txs_or_txids[i].get_str());
341 
342  uint256 hash;
344  if (ParseHashStr(str, hash)) {
345 
346  const auto tx = mempool.get(hash);
347  if (!tx) {
348  throw JSONRPCError(RPC_INVALID_ADDRESS_OR_KEY, strprintf("Transaction %s not in mempool.", str));
349  }
350 
351  txs.emplace_back(tx);
352 
353  } else if (DecodeHexTx(mtx, str)) {
354  txs.push_back(MakeTransactionRef(std::move(mtx)));
355 
356  } else {
357  throw JSONRPCError(RPC_DESERIALIZATION_ERROR, strprintf("Transaction decode failed for %s. Make sure the tx has at least one input.", str));
358  }
359  }
360 
361  CChainParams chainparams(Params());
362  CBlock block;
363 
365  {
366  LOCK(cs_main);
367 
368  CTxMemPool empty_mempool;
369  std::unique_ptr<CBlockTemplate> blocktemplate(BlockAssembler(chainman.ActiveChainstate(), empty_mempool, chainparams).CreateNewBlock(coinbase_script));
370  if (!blocktemplate) {
371  throw JSONRPCError(RPC_INTERNAL_ERROR, "Couldn't create new block");
372  }
373  block = blocktemplate->block;
374  }
375 
376  CHECK_NONFATAL(block.vtx.size() == 1);
377 
378  // Add transactions
379  block.vtx.insert(block.vtx.end(), txs.begin(), txs.end());
380  RegenerateCommitments(block, chainman);
381 
382  {
383  LOCK(cs_main);
384 
385  BlockValidationState state;
386  if (!TestBlockValidity(state, chainparams, chainman.ActiveChainstate(), block, chainman.m_blockman.LookupBlockIndex(block.hashPrevBlock), false, false)) {
387  throw JSONRPCError(RPC_VERIFY_ERROR, strprintf("TestBlockValidity failed: %s", state.ToString()));
388  }
389  }
390 
391  uint256 block_hash;
392  uint64_t max_tries{DEFAULT_MAX_TRIES};
393  unsigned int extra_nonce{0};
394 
395  if (!GenerateBlock(chainman, block, max_tries, extra_nonce, block_hash) || block_hash.IsNull()) {
396  throw JSONRPCError(RPC_MISC_ERROR, "Failed to make block.");
397  }
398 
400  obj.pushKV("hash", block_hash.GetHex());
401  return obj;
402 },
403  };
404 }
405 
407 {
408  return RPCHelpMan{"getmininginfo",
409  "\nReturns a json object containing mining-related information.",
410  {},
411  RPCResult{
412  RPCResult::Type::OBJ, "", "",
413  {
414  {RPCResult::Type::NUM, "blocks", "The current block"},
415  {RPCResult::Type::NUM, "currentblockweight", /* optional */ true, "The block weight of the last assembled block (only present if a block was ever assembled)"},
416  {RPCResult::Type::NUM, "currentblocktx", /* optional */ true, "The number of block transactions of the last assembled block (only present if a block was ever assembled)"},
417  {RPCResult::Type::NUM, "difficulty", "The current difficulty"},
418  {RPCResult::Type::NUM, "networkhashps", "The network hashes per second"},
419  {RPCResult::Type::NUM, "pooledtx", "The size of the mempool"},
420  {RPCResult::Type::STR, "chain", "current network name (main, test, signet, regtest)"},
421  {RPCResult::Type::STR, "warnings", "any network and blockchain warnings"},
422  }},
423  RPCExamples{
424  HelpExampleCli("getmininginfo", "")
425  + HelpExampleRpc("getmininginfo", "")
426  },
427  [&](const RPCHelpMan& self, const JSONRPCRequest& request) -> UniValue
428 {
429  NodeContext& node = EnsureAnyNodeContext(request.context);
430  const CTxMemPool& mempool = EnsureMemPool(node);
432  LOCK(cs_main);
433  const CChain& active_chain = chainman.ActiveChain();
434 
436  obj.pushKV("blocks", active_chain.Height());
439  obj.pushKV("difficulty", (double)GetDifficulty(active_chain.Tip()));
440  obj.pushKV("networkhashps", getnetworkhashps().HandleRequest(request));
441  obj.pushKV("pooledtx", (uint64_t)mempool.size());
442  obj.pushKV("chain", Params().NetworkIDString());
443  obj.pushKV("warnings", GetWarnings(false).original);
444  return obj;
445 },
446  };
447 }
448 
449 
450 // NOTE: Unlike wallet RPC (which use BTC values), mining RPCs follow GBT (BIP 22) in using satoshi amounts
452 {
453  return RPCHelpMan{"prioritisetransaction",
454  "Accepts the transaction into mined blocks at a higher (or lower) priority\n",
455  {
456  {"txid", RPCArg::Type::STR_HEX, RPCArg::Optional::NO, "The transaction id."},
457  {"dummy", RPCArg::Type::NUM, RPCArg::Optional::OMITTED_NAMED_ARG, "API-Compatibility for previous API. Must be zero or null.\n"
458  " DEPRECATED. For forward compatibility use named arguments and omit this parameter."},
459  {"fee_delta", RPCArg::Type::NUM, RPCArg::Optional::NO, "The fee value (in satoshis) to add (or subtract, if negative).\n"
460  " Note, that this value is not a fee rate. It is a value to modify absolute fee of the TX.\n"
461  " The fee is not actually paid, only the algorithm for selecting transactions into a block\n"
462  " considers the transaction as it would have paid a higher (or lower) fee."},
463  },
464  RPCResult{
465  RPCResult::Type::BOOL, "", "Returns true"},
466  RPCExamples{
467  HelpExampleCli("prioritisetransaction", "\"txid\" 0.0 10000")
468  + HelpExampleRpc("prioritisetransaction", "\"txid\", 0.0, 10000")
469  },
470  [&](const RPCHelpMan& self, const JSONRPCRequest& request) -> UniValue
471 {
472  LOCK(cs_main);
473 
474  uint256 hash(ParseHashV(request.params[0], "txid"));
475  CAmount nAmount = request.params[2].get_int64();
476 
477  if (!(request.params[1].isNull() || request.params[1].get_real() == 0)) {
478  throw JSONRPCError(RPC_INVALID_PARAMETER, "Priority is no longer supported, dummy argument to prioritisetransaction must be 0.");
479  }
480 
481  EnsureAnyMemPool(request.context).PrioritiseTransaction(hash, nAmount);
482  return true;
483 },
484  };
485 }
486 
487 
488 // NOTE: Assumes a conclusive result; if result is inconclusive, it must be handled by caller
490 {
491  if (state.IsValid())
492  return NullUniValue;
493 
494  if (state.IsError())
495  throw JSONRPCError(RPC_VERIFY_ERROR, state.ToString());
496  if (state.IsInvalid())
497  {
498  std::string strRejectReason = state.GetRejectReason();
499  if (strRejectReason.empty())
500  return "rejected";
501  return strRejectReason;
502  }
503  // Should be impossible
504  return "valid?";
505 }
506 
507 static std::string gbt_vb_name(const Consensus::DeploymentPos pos) {
508  const struct VBDeploymentInfo& vbinfo = VersionBitsDeploymentInfo[pos];
509  std::string s = vbinfo.name;
510  if (!vbinfo.gbt_force) {
511  s.insert(s.begin(), '!');
512  }
513  return s;
514 }
515 
517 {
518  return RPCHelpMan{"getblocktemplate",
519  "\nIf the request parameters include a 'mode' key, that is used to explicitly select between the default 'template' request or a 'proposal'.\n"
520  "It returns data needed to construct a block to work on.\n"
521  "For full specification, see BIPs 22, 23, 9, and 145:\n"
522  " https://github.com/bitcoin/bips/blob/master/bip-0022.mediawiki\n"
523  " https://github.com/bitcoin/bips/blob/master/bip-0023.mediawiki\n"
524  " https://github.com/bitcoin/bips/blob/master/bip-0009.mediawiki#getblocktemplate_changes\n"
525  " https://github.com/bitcoin/bips/blob/master/bip-0145.mediawiki\n",
526  {
527  {"template_request", RPCArg::Type::OBJ, RPCArg::Default{UniValue::VOBJ}, "Format of the template",
528  {
529  {"mode", RPCArg::Type::STR, /* treat as named arg */ RPCArg::Optional::OMITTED_NAMED_ARG, "This must be set to \"template\", \"proposal\" (see BIP 23), or omitted"},
530  {"capabilities", RPCArg::Type::ARR, /* treat as named arg */ RPCArg::Optional::OMITTED_NAMED_ARG, "A list of strings",
531  {
532  {"str", RPCArg::Type::STR, RPCArg::Optional::OMITTED, "client side supported feature, 'longpoll', 'coinbasevalue', 'proposal', 'serverlist', 'workid'"},
533  }},
534  {"rules", RPCArg::Type::ARR, RPCArg::Optional::NO, "A list of strings",
535  {
536  {"segwit", RPCArg::Type::STR, RPCArg::Optional::NO, "(literal) indicates client side segwit support"},
537  {"str", RPCArg::Type::STR, RPCArg::Optional::OMITTED, "other client side supported softfork deployment"},
538  }},
539  },
540  "\"template_request\""},
541  },
542  {
543  RPCResult{"If the proposal was accepted with mode=='proposal'", RPCResult::Type::NONE, "", ""},
544  RPCResult{"If the proposal was not accepted with mode=='proposal'", RPCResult::Type::STR, "", "According to BIP22"},
545  RPCResult{"Otherwise", RPCResult::Type::OBJ, "", "",
546  {
547  {RPCResult::Type::NUM, "version", "The preferred block version"},
548  {RPCResult::Type::ARR, "rules", "specific block rules that are to be enforced",
549  {
550  {RPCResult::Type::STR, "", "name of a rule the client must understand to some extent; see BIP 9 for format"},
551  }},
552  {RPCResult::Type::OBJ_DYN, "vbavailable", "set of pending, supported versionbit (BIP 9) softfork deployments",
553  {
554  {RPCResult::Type::NUM, "rulename", "identifies the bit number as indicating acceptance and readiness for the named softfork rule"},
555  }},
556  {RPCResult::Type::NUM, "vbrequired", "bit mask of versionbits the server requires set in submissions"},
557  {RPCResult::Type::STR, "previousblockhash", "The hash of current highest block"},
558  {RPCResult::Type::ARR, "transactions", "contents of non-coinbase transactions that should be included in the next block",
559  {
560  {RPCResult::Type::OBJ, "", "",
561  {
562  {RPCResult::Type::STR_HEX, "data", "transaction data encoded in hexadecimal (byte-for-byte)"},
563  {RPCResult::Type::STR_HEX, "txid", "transaction id encoded in little-endian hexadecimal"},
564  {RPCResult::Type::STR_HEX, "hash", "hash encoded in little-endian hexadecimal (including witness data)"},
565  {RPCResult::Type::ARR, "depends", "array of numbers",
566  {
567  {RPCResult::Type::NUM, "", "transactions before this one (by 1-based index in 'transactions' list) that must be present in the final block if this one is"},
568  }},
569  {RPCResult::Type::NUM, "fee", "difference in value between transaction inputs and outputs (in satoshis); for coinbase transactions, this is a negative Number of the total collected block fees (ie, not including the block subsidy); if key is not present, fee is unknown and clients MUST NOT assume there isn't one"},
570  {RPCResult::Type::NUM, "sigops", "total SigOps cost, as counted for purposes of block limits; if key is not present, sigop cost is unknown and clients MUST NOT assume it is zero"},
571  {RPCResult::Type::NUM, "weight", "total transaction weight, as counted for purposes of block limits"},
572  }},
573  }},
574  {RPCResult::Type::OBJ_DYN, "coinbaseaux", "data that should be included in the coinbase's scriptSig content",
575  {
576  {RPCResult::Type::STR_HEX, "key", "values must be in the coinbase (keys may be ignored)"},
577  }},
578  {RPCResult::Type::NUM, "coinbasevalue", "maximum allowable input to coinbase transaction, including the generation award and transaction fees (in satoshis)"},
579  {RPCResult::Type::STR, "longpollid", "an id to include with a request to longpoll on an update to this template"},
580  {RPCResult::Type::STR, "target", "The hash target"},
581  {RPCResult::Type::NUM_TIME, "mintime", "The minimum timestamp appropriate for the next block time, expressed in " + UNIX_EPOCH_TIME},
582  {RPCResult::Type::ARR, "mutable", "list of ways the block template may be changed",
583  {
584  {RPCResult::Type::STR, "value", "A way the block template may be changed, e.g. 'time', 'transactions', 'prevblock'"},
585  }},
586  {RPCResult::Type::STR_HEX, "noncerange", "A range of valid nonces"},
587  {RPCResult::Type::NUM, "sigoplimit", "limit of sigops in blocks"},
588  {RPCResult::Type::NUM, "sizelimit", "limit of block size"},
589  {RPCResult::Type::NUM, "weightlimit", "limit of block weight"},
590  {RPCResult::Type::NUM_TIME, "curtime", "current timestamp in " + UNIX_EPOCH_TIME},
591  {RPCResult::Type::STR, "bits", "compressed target of next block"},
592  {RPCResult::Type::NUM, "height", "The height of the next block"},
593  {RPCResult::Type::STR, "default_witness_commitment", /* optional */ true, "a valid witness commitment for the unmodified block template"},
594  }},
595  },
596  RPCExamples{
597  HelpExampleCli("getblocktemplate", "'{\"rules\": [\"segwit\"]}'")
598  + HelpExampleRpc("getblocktemplate", "{\"rules\": [\"segwit\"]}")
599  },
600  [&](const RPCHelpMan& self, const JSONRPCRequest& request) -> UniValue
601 {
602  NodeContext& node = EnsureAnyNodeContext(request.context);
604  LOCK(cs_main);
605 
606  std::string strMode = "template";
607  UniValue lpval = NullUniValue;
608  std::set<std::string> setClientRules;
609  int64_t nMaxVersionPreVB = -1;
610  CChainState& active_chainstate = chainman.ActiveChainstate();
611  CChain& active_chain = active_chainstate.m_chain;
612  if (!request.params[0].isNull())
613  {
614  const UniValue& oparam = request.params[0].get_obj();
615  const UniValue& modeval = find_value(oparam, "mode");
616  if (modeval.isStr())
617  strMode = modeval.get_str();
618  else if (modeval.isNull())
619  {
620  /* Do nothing */
621  }
622  else
623  throw JSONRPCError(RPC_INVALID_PARAMETER, "Invalid mode");
624  lpval = find_value(oparam, "longpollid");
625 
626  if (strMode == "proposal")
627  {
628  const UniValue& dataval = find_value(oparam, "data");
629  if (!dataval.isStr())
630  throw JSONRPCError(RPC_TYPE_ERROR, "Missing data String key for proposal");
631 
632  CBlock block;
633  if (!DecodeHexBlk(block, dataval.get_str()))
634  throw JSONRPCError(RPC_DESERIALIZATION_ERROR, "Block decode failed");
635 
636  uint256 hash = block.GetHash();
637  const CBlockIndex* pindex = chainman.m_blockman.LookupBlockIndex(hash);
638  if (pindex) {
639  if (pindex->IsValid(BLOCK_VALID_SCRIPTS))
640  return "duplicate";
641  if (pindex->nStatus & BLOCK_FAILED_MASK)
642  return "duplicate-invalid";
643  return "duplicate-inconclusive";
644  }
645 
646  CBlockIndex* const pindexPrev = active_chain.Tip();
647  // TestBlockValidity only supports blocks built on the current Tip
648  if (block.hashPrevBlock != pindexPrev->GetBlockHash())
649  return "inconclusive-not-best-prevblk";
650  BlockValidationState state;
651  TestBlockValidity(state, Params(), active_chainstate, block, pindexPrev, false, true);
652  return BIP22ValidationResult(state);
653  }
654 
655  const UniValue& aClientRules = find_value(oparam, "rules");
656  if (aClientRules.isArray()) {
657  for (unsigned int i = 0; i < aClientRules.size(); ++i) {
658  const UniValue& v = aClientRules[i];
659  setClientRules.insert(v.get_str());
660  }
661  } else {
662  // NOTE: It is important that this NOT be read if versionbits is supported
663  const UniValue& uvMaxVersion = find_value(oparam, "maxversion");
664  if (uvMaxVersion.isNum()) {
665  nMaxVersionPreVB = uvMaxVersion.get_int64();
666  }
667  }
668  }
669 
670  if (strMode != "template")
671  throw JSONRPCError(RPC_INVALID_PARAMETER, "Invalid mode");
672 
673  if (!Params().IsTestChain()) {
674  const CConnman& connman = EnsureConnman(node);
675  if (connman.GetNodeCount(ConnectionDirection::Both) == 0) {
676  throw JSONRPCError(RPC_CLIENT_NOT_CONNECTED, PACKAGE_NAME " is not connected!");
677  }
678 
679  if (active_chainstate.IsInitialBlockDownload()) {
680  throw JSONRPCError(RPC_CLIENT_IN_INITIAL_DOWNLOAD, PACKAGE_NAME " is in initial sync and waiting for blocks...");
681  }
682  }
683 
684  static unsigned int nTransactionsUpdatedLast;
685  const CTxMemPool& mempool = EnsureMemPool(node);
686 
687  if (!lpval.isNull())
688  {
689  // Wait to respond until either the best block changes, OR a minute has passed and there are more transactions
690  uint256 hashWatchedChain;
691  std::chrono::steady_clock::time_point checktxtime;
692  unsigned int nTransactionsUpdatedLastLP;
693 
694  if (lpval.isStr())
695  {
696  // Format: <hashBestChain><nTransactionsUpdatedLast>
697  std::string lpstr = lpval.get_str();
698 
699  hashWatchedChain = ParseHashV(lpstr.substr(0, 64), "longpollid");
700  nTransactionsUpdatedLastLP = atoi64(lpstr.substr(64));
701  }
702  else
703  {
704  // NOTE: Spec does not specify behaviour for non-string longpollid, but this makes testing easier
705  hashWatchedChain = active_chain.Tip()->GetBlockHash();
706  nTransactionsUpdatedLastLP = nTransactionsUpdatedLast;
707  }
708 
709  // Release lock while waiting
711  {
712  checktxtime = std::chrono::steady_clock::now() + std::chrono::minutes(1);
713 
715  while (g_best_block == hashWatchedChain && IsRPCRunning())
716  {
717  if (g_best_block_cv.wait_until(lock, checktxtime) == std::cv_status::timeout)
718  {
719  // Timeout: Check transactions for update
720  // without holding the mempool lock to avoid deadlocks
721  if (mempool.GetTransactionsUpdated() != nTransactionsUpdatedLastLP)
722  break;
723  checktxtime += std::chrono::seconds(10);
724  }
725  }
726  }
728 
729  if (!IsRPCRunning())
730  throw JSONRPCError(RPC_CLIENT_NOT_CONNECTED, "Shutting down");
731  // TODO: Maybe recheck connections/IBD and (if something wrong) send an expires-immediately template to stop miners?
732  }
733 
734  const Consensus::Params& consensusParams = Params().GetConsensus();
735 
736  // GBT must be called with 'signet' set in the rules for signet chains
737  if (consensusParams.signet_blocks && setClientRules.count("signet") != 1) {
738  throw JSONRPCError(RPC_INVALID_PARAMETER, "getblocktemplate must be called with the signet rule set (call with {\"rules\": [\"segwit\", \"signet\"]})");
739  }
740 
741  // GBT must be called with 'segwit' set in the rules
742  if (setClientRules.count("segwit") != 1) {
743  throw JSONRPCError(RPC_INVALID_PARAMETER, "getblocktemplate must be called with the segwit rule set (call with {\"rules\": [\"segwit\"]})");
744  }
745 
746  // Update block
747  static CBlockIndex* pindexPrev;
748  static int64_t nStart;
749  static std::unique_ptr<CBlockTemplate> pblocktemplate;
750  if (pindexPrev != active_chain.Tip() ||
751  (mempool.GetTransactionsUpdated() != nTransactionsUpdatedLast && GetTime() - nStart > 5))
752  {
753  // Clear pindexPrev so future calls make a new block, despite any failures from here on
754  pindexPrev = nullptr;
755 
756  // Store the pindexBest used before CreateNewBlock, to avoid races
757  nTransactionsUpdatedLast = mempool.GetTransactionsUpdated();
758  CBlockIndex* pindexPrevNew = active_chain.Tip();
759  nStart = GetTime();
760 
761  // Create new block
762  CScript scriptDummy = CScript() << OP_TRUE;
763  pblocktemplate = BlockAssembler(active_chainstate, mempool, Params()).CreateNewBlock(scriptDummy);
764  if (!pblocktemplate)
765  throw JSONRPCError(RPC_OUT_OF_MEMORY, "Out of memory");
766 
767  // Need to update only after we know CreateNewBlock succeeded
768  pindexPrev = pindexPrevNew;
769  }
770  CHECK_NONFATAL(pindexPrev);
771  CBlock* pblock = &pblocktemplate->block; // pointer for convenience
772 
773  // Update nTime
774  UpdateTime(pblock, consensusParams, pindexPrev);
775  pblock->nNonce = 0;
776 
777  // NOTE: If at some point we support pre-segwit miners post-segwit-activation, this needs to take segwit support into consideration
778  const bool fPreSegWit = !DeploymentActiveAfter(pindexPrev, consensusParams, Consensus::DEPLOYMENT_SEGWIT);
779 
780  UniValue aCaps(UniValue::VARR); aCaps.push_back("proposal");
781 
782  UniValue transactions(UniValue::VARR);
783  std::map<uint256, int64_t> setTxIndex;
784  int i = 0;
785  for (const auto& it : pblock->vtx) {
786  const CTransaction& tx = *it;
787  uint256 txHash = tx.GetHash();
788  setTxIndex[txHash] = i++;
789 
790  if (tx.IsCoinBase())
791  continue;
792 
793  UniValue entry(UniValue::VOBJ);
794 
795  entry.pushKV("data", EncodeHexTx(tx));
796  entry.pushKV("txid", txHash.GetHex());
797  entry.pushKV("hash", tx.GetWitnessHash().GetHex());
798 
799  UniValue deps(UniValue::VARR);
800  for (const CTxIn &in : tx.vin)
801  {
802  if (setTxIndex.count(in.prevout.hash))
803  deps.push_back(setTxIndex[in.prevout.hash]);
804  }
805  entry.pushKV("depends", deps);
806 
807  int index_in_template = i - 1;
808  entry.pushKV("fee", pblocktemplate->vTxFees[index_in_template]);
809  int64_t nTxSigOps = pblocktemplate->vTxSigOpsCost[index_in_template];
810  if (fPreSegWit) {
811  CHECK_NONFATAL(nTxSigOps % WITNESS_SCALE_FACTOR == 0);
812  nTxSigOps /= WITNESS_SCALE_FACTOR;
813  }
814  entry.pushKV("sigops", nTxSigOps);
815  entry.pushKV("weight", GetTransactionWeight(tx));
816 
817  transactions.push_back(entry);
818  }
819 
821 
822  arith_uint256 hashTarget = arith_uint256().SetCompact(pblock->nBits);
823 
824  UniValue aMutable(UniValue::VARR);
825  aMutable.push_back("time");
826  aMutable.push_back("transactions");
827  aMutable.push_back("prevblock");
828 
829  UniValue result(UniValue::VOBJ);
830  result.pushKV("capabilities", aCaps);
831 
832  UniValue aRules(UniValue::VARR);
833  aRules.push_back("csv");
834  if (!fPreSegWit) aRules.push_back("!segwit");
835  if (consensusParams.signet_blocks) {
836  // indicate to miner that they must understand signet rules
837  // when attempting to mine with this template
838  aRules.push_back("!signet");
839  }
840 
841  UniValue vbavailable(UniValue::VOBJ);
842  for (int j = 0; j < (int)Consensus::MAX_VERSION_BITS_DEPLOYMENTS; ++j) {
844  ThresholdState state = g_versionbitscache.State(pindexPrev, consensusParams, pos);
845  switch (state) {
848  // Not exposed to GBT at all
849  break;
851  // Ensure bit is set in block version
852  pblock->nVersion |= g_versionbitscache.Mask(consensusParams, pos);
853  [[fallthrough]];
855  {
856  const struct VBDeploymentInfo& vbinfo = VersionBitsDeploymentInfo[pos];
857  vbavailable.pushKV(gbt_vb_name(pos), consensusParams.vDeployments[pos].bit);
858  if (setClientRules.find(vbinfo.name) == setClientRules.end()) {
859  if (!vbinfo.gbt_force) {
860  // If the client doesn't support this, don't indicate it in the [default] version
861  pblock->nVersion &= ~g_versionbitscache.Mask(consensusParams, pos);
862  }
863  }
864  break;
865  }
867  {
868  // Add to rules only
869  const struct VBDeploymentInfo& vbinfo = VersionBitsDeploymentInfo[pos];
870  aRules.push_back(gbt_vb_name(pos));
871  if (setClientRules.find(vbinfo.name) == setClientRules.end()) {
872  // Not supported by the client; make sure it's safe to proceed
873  if (!vbinfo.gbt_force) {
874  // If we do anything other than throw an exception here, be sure version/force isn't sent to old clients
875  throw JSONRPCError(RPC_INVALID_PARAMETER, strprintf("Support for '%s' rule requires explicit client support", vbinfo.name));
876  }
877  }
878  break;
879  }
880  }
881  }
882  result.pushKV("version", pblock->nVersion);
883  result.pushKV("rules", aRules);
884  result.pushKV("vbavailable", vbavailable);
885  result.pushKV("vbrequired", int(0));
886 
887  if (nMaxVersionPreVB >= 2) {
888  // If VB is supported by the client, nMaxVersionPreVB is -1, so we won't get here
889  // Because BIP 34 changed how the generation transaction is serialized, we can only use version/force back to v2 blocks
890  // This is safe to do [otherwise-]unconditionally only because we are throwing an exception above if a non-force deployment gets activated
891  // Note that this can probably also be removed entirely after the first BIP9 non-force deployment (ie, probably segwit) gets activated
892  aMutable.push_back("version/force");
893  }
894 
895  result.pushKV("previousblockhash", pblock->hashPrevBlock.GetHex());
896  result.pushKV("transactions", transactions);
897  result.pushKV("coinbaseaux", aux);
898  result.pushKV("coinbasevalue", (int64_t)pblock->vtx[0]->vout[0].nValue);
899  result.pushKV("longpollid", active_chain.Tip()->GetBlockHash().GetHex() + ToString(nTransactionsUpdatedLast));
900  result.pushKV("target", hashTarget.GetHex());
901  result.pushKV("mintime", (int64_t)pindexPrev->GetMedianTimePast()+1);
902  result.pushKV("mutable", aMutable);
903  result.pushKV("noncerange", "00000000ffffffff");
904  int64_t nSigOpLimit = MAX_BLOCK_SIGOPS_COST;
905  int64_t nSizeLimit = MAX_BLOCK_SERIALIZED_SIZE;
906  if (fPreSegWit) {
907  CHECK_NONFATAL(nSigOpLimit % WITNESS_SCALE_FACTOR == 0);
908  nSigOpLimit /= WITNESS_SCALE_FACTOR;
909  CHECK_NONFATAL(nSizeLimit % WITNESS_SCALE_FACTOR == 0);
910  nSizeLimit /= WITNESS_SCALE_FACTOR;
911  }
912  result.pushKV("sigoplimit", nSigOpLimit);
913  result.pushKV("sizelimit", nSizeLimit);
914  if (!fPreSegWit) {
915  result.pushKV("weightlimit", (int64_t)MAX_BLOCK_WEIGHT);
916  }
917  result.pushKV("curtime", pblock->GetBlockTime());
918  result.pushKV("bits", strprintf("%08x", pblock->nBits));
919  result.pushKV("height", (int64_t)(pindexPrev->nHeight+1));
920 
921  if (consensusParams.signet_blocks) {
922  result.pushKV("signet_challenge", HexStr(consensusParams.signet_challenge));
923  }
924 
925  if (!pblocktemplate->vchCoinbaseCommitment.empty()) {
926  result.pushKV("default_witness_commitment", HexStr(pblocktemplate->vchCoinbaseCommitment));
927  }
928 
929  return result;
930 },
931  };
932 }
933 
935 {
936 public:
938  bool found;
940 
941  explicit submitblock_StateCatcher(const uint256 &hashIn) : hash(hashIn), found(false), state() {}
942 
943 protected:
944  void BlockChecked(const CBlock& block, const BlockValidationState& stateIn) override {
945  if (block.GetHash() != hash)
946  return;
947  found = true;
948  state = stateIn;
949  }
950 };
951 
953 {
954  // We allow 2 arguments for compliance with BIP22. Argument 2 is ignored.
955  return RPCHelpMan{"submitblock",
956  "\nAttempts to submit new block to network.\n"
957  "See https://en.bitcoin.it/wiki/BIP_0022 for full specification.\n",
958  {
959  {"hexdata", RPCArg::Type::STR_HEX, RPCArg::Optional::NO, "the hex-encoded block data to submit"},
960  {"dummy", RPCArg::Type::STR, RPCArg::DefaultHint{"ignored"}, "dummy value, for compatibility with BIP22. This value is ignored."},
961  },
962  {
963  RPCResult{"If the block was accepted", RPCResult::Type::NONE, "", ""},
964  RPCResult{"Otherwise", RPCResult::Type::STR, "", "According to BIP22"},
965  },
966  RPCExamples{
967  HelpExampleCli("submitblock", "\"mydata\"")
968  + HelpExampleRpc("submitblock", "\"mydata\"")
969  },
970  [&](const RPCHelpMan& self, const JSONRPCRequest& request) -> UniValue
971 {
972  std::shared_ptr<CBlock> blockptr = std::make_shared<CBlock>();
973  CBlock& block = *blockptr;
974  if (!DecodeHexBlk(block, request.params[0].get_str())) {
975  throw JSONRPCError(RPC_DESERIALIZATION_ERROR, "Block decode failed");
976  }
977 
978  if (block.vtx.empty() || !block.vtx[0]->IsCoinBase()) {
979  throw JSONRPCError(RPC_DESERIALIZATION_ERROR, "Block does not start with a coinbase");
980  }
981 
982  ChainstateManager& chainman = EnsureAnyChainman(request.context);
983  uint256 hash = block.GetHash();
984  {
985  LOCK(cs_main);
986  const CBlockIndex* pindex = chainman.m_blockman.LookupBlockIndex(hash);
987  if (pindex) {
988  if (pindex->IsValid(BLOCK_VALID_SCRIPTS)) {
989  return "duplicate";
990  }
991  if (pindex->nStatus & BLOCK_FAILED_MASK) {
992  return "duplicate-invalid";
993  }
994  }
995  }
996 
997  {
998  LOCK(cs_main);
999  const CBlockIndex* pindex = chainman.m_blockman.LookupBlockIndex(block.hashPrevBlock);
1000  if (pindex) {
1001  UpdateUncommittedBlockStructures(block, pindex, Params().GetConsensus());
1002  }
1003  }
1004 
1005  bool new_block;
1006  auto sc = std::make_shared<submitblock_StateCatcher>(block.GetHash());
1008  bool accepted = chainman.ProcessNewBlock(Params(), blockptr, /* fForceProcessing */ true, /* fNewBlock */ &new_block);
1010  if (!new_block && accepted) {
1011  return "duplicate";
1012  }
1013  if (!sc->found) {
1014  return "inconclusive";
1015  }
1016  return BIP22ValidationResult(sc->state);
1017 },
1018  };
1019 }
1020 
1022 {
1023  return RPCHelpMan{"submitheader",
1024  "\nDecode the given hexdata as a header and submit it as a candidate chain tip if valid."
1025  "\nThrows when the header is invalid.\n",
1026  {
1027  {"hexdata", RPCArg::Type::STR_HEX, RPCArg::Optional::NO, "the hex-encoded block header data"},
1028  },
1029  RPCResult{
1030  RPCResult::Type::NONE, "", "None"},
1031  RPCExamples{
1032  HelpExampleCli("submitheader", "\"aabbcc\"") +
1033  HelpExampleRpc("submitheader", "\"aabbcc\"")
1034  },
1035  [&](const RPCHelpMan& self, const JSONRPCRequest& request) -> UniValue
1036 {
1037  CBlockHeader h;
1038  if (!DecodeHexBlockHeader(h, request.params[0].get_str())) {
1039  throw JSONRPCError(RPC_DESERIALIZATION_ERROR, "Block header decode failed");
1040  }
1041  ChainstateManager& chainman = EnsureAnyChainman(request.context);
1042  {
1043  LOCK(cs_main);
1044  if (!chainman.m_blockman.LookupBlockIndex(h.hashPrevBlock)) {
1045  throw JSONRPCError(RPC_VERIFY_ERROR, "Must submit previous header (" + h.hashPrevBlock.GetHex() + ") first");
1046  }
1047  }
1048 
1049  BlockValidationState state;
1050  chainman.ProcessNewBlockHeaders({h}, state, Params());
1051  if (state.IsValid()) return NullUniValue;
1052  if (state.IsError()) {
1053  throw JSONRPCError(RPC_VERIFY_ERROR, state.ToString());
1054  }
1056 },
1057  };
1058 }
1059 
1061 {
1062  return RPCHelpMan{"estimatesmartfee",
1063  "\nEstimates the approximate fee per kilobyte needed for a transaction to begin\n"
1064  "confirmation within conf_target blocks if possible and return the number of blocks\n"
1065  "for which the estimate is valid. Uses virtual transaction size as defined\n"
1066  "in BIP 141 (witness data is discounted).\n",
1067  {
1068  {"conf_target", RPCArg::Type::NUM, RPCArg::Optional::NO, "Confirmation target in blocks (1 - 1008)"},
1069  {"estimate_mode", RPCArg::Type::STR, RPCArg::Default{"conservative"}, "The fee estimate mode.\n"
1070  " Whether to return a more conservative estimate which also satisfies\n"
1071  " a longer history. A conservative estimate potentially returns a\n"
1072  " higher feerate and is more likely to be sufficient for the desired\n"
1073  " target, but is not as responsive to short term drops in the\n"
1074  " prevailing fee market. Must be one of (case insensitive):\n"
1075  "\"" + FeeModes("\"\n\"") + "\""},
1076  },
1077  RPCResult{
1078  RPCResult::Type::OBJ, "", "",
1079  {
1080  {RPCResult::Type::NUM, "feerate", /* optional */ true, "estimate fee rate in " + CURRENCY_UNIT + "/kvB (only present if no errors were encountered)"},
1081  {RPCResult::Type::ARR, "errors", /* optional */ true, "Errors encountered during processing (if there are any)",
1082  {
1083  {RPCResult::Type::STR, "", "error"},
1084  }},
1085  {RPCResult::Type::NUM, "blocks", "block number where estimate was found\n"
1086  "The request target will be clamped between 2 and the highest target\n"
1087  "fee estimation is able to return based on how long it has been running.\n"
1088  "An error is returned if not enough transactions and blocks\n"
1089  "have been observed to make an estimate for any number of blocks."},
1090  }},
1091  RPCExamples{
1092  HelpExampleCli("estimatesmartfee", "6")
1093  },
1094  [&](const RPCHelpMan& self, const JSONRPCRequest& request) -> UniValue
1095 {
1096  RPCTypeCheck(request.params, {UniValue::VNUM, UniValue::VSTR});
1097  RPCTypeCheckArgument(request.params[0], UniValue::VNUM);
1098 
1099  CBlockPolicyEstimator& fee_estimator = EnsureAnyFeeEstimator(request.context);
1100 
1101  unsigned int max_target = fee_estimator.HighestTargetTracked(FeeEstimateHorizon::LONG_HALFLIFE);
1102  unsigned int conf_target = ParseConfirmTarget(request.params[0], max_target);
1103  bool conservative = true;
1104  if (!request.params[1].isNull()) {
1105  FeeEstimateMode fee_mode;
1106  if (!FeeModeFromString(request.params[1].get_str(), fee_mode)) {
1108  }
1109  if (fee_mode == FeeEstimateMode::ECONOMICAL) conservative = false;
1110  }
1111 
1112  UniValue result(UniValue::VOBJ);
1113  UniValue errors(UniValue::VARR);
1114  FeeCalculation feeCalc;
1115  CFeeRate feeRate = fee_estimator.estimateSmartFee(conf_target, &feeCalc, conservative);
1116  if (feeRate != CFeeRate(0)) {
1117  result.pushKV("feerate", ValueFromAmount(feeRate.GetFeePerK()));
1118  } else {
1119  errors.push_back("Insufficient data or no feerate found");
1120  result.pushKV("errors", errors);
1121  }
1122  result.pushKV("blocks", feeCalc.returnedTarget);
1123  return result;
1124 },
1125  };
1126 }
1127 
1129 {
1130  return RPCHelpMan{"estimaterawfee",
1131  "\nWARNING: This interface is unstable and may disappear or change!\n"
1132  "\nWARNING: This is an advanced API call that is tightly coupled to the specific\n"
1133  " implementation of fee estimation. The parameters it can be called with\n"
1134  " and the results it returns will change if the internal implementation changes.\n"
1135  "\nEstimates the approximate fee per kilobyte needed for a transaction to begin\n"
1136  "confirmation within conf_target blocks if possible. Uses virtual transaction size as\n"
1137  "defined in BIP 141 (witness data is discounted).\n",
1138  {
1139  {"conf_target", RPCArg::Type::NUM, RPCArg::Optional::NO, "Confirmation target in blocks (1 - 1008)"},
1140  {"threshold", RPCArg::Type::NUM, RPCArg::Default{0.95}, "The proportion of transactions in a given feerate range that must have been\n"
1141  " confirmed within conf_target in order to consider those feerates as high enough and proceed to check\n"
1142  " lower buckets."},
1143  },
1144  RPCResult{
1145  RPCResult::Type::OBJ, "", "Results are returned for any horizon which tracks blocks up to the confirmation target",
1146  {
1147  {RPCResult::Type::OBJ, "short", /* optional */ true, "estimate for short time horizon",
1148  {
1149  {RPCResult::Type::NUM, "feerate", /* optional */ true, "estimate fee rate in " + CURRENCY_UNIT + "/kvB"},
1150  {RPCResult::Type::NUM, "decay", "exponential decay (per block) for historical moving average of confirmation data"},
1151  {RPCResult::Type::NUM, "scale", "The resolution of confirmation targets at this time horizon"},
1152  {RPCResult::Type::OBJ, "pass", /* optional */ true, "information about the lowest range of feerates to succeed in meeting the threshold",
1153  {
1154  {RPCResult::Type::NUM, "startrange", "start of feerate range"},
1155  {RPCResult::Type::NUM, "endrange", "end of feerate range"},
1156  {RPCResult::Type::NUM, "withintarget", "number of txs over history horizon in the feerate range that were confirmed within target"},
1157  {RPCResult::Type::NUM, "totalconfirmed", "number of txs over history horizon in the feerate range that were confirmed at any point"},
1158  {RPCResult::Type::NUM, "inmempool", "current number of txs in mempool in the feerate range unconfirmed for at least target blocks"},
1159  {RPCResult::Type::NUM, "leftmempool", "number of txs over history horizon in the feerate range that left mempool unconfirmed after target"},
1160  }},
1161  {RPCResult::Type::OBJ, "fail", /* optional */ true, "information about the highest range of feerates to fail to meet the threshold",
1162  {
1163  {RPCResult::Type::ELISION, "", ""},
1164  }},
1165  {RPCResult::Type::ARR, "errors", /* optional */ true, "Errors encountered during processing (if there are any)",
1166  {
1167  {RPCResult::Type::STR, "error", ""},
1168  }},
1169  }},
1170  {RPCResult::Type::OBJ, "medium", /* optional */ true, "estimate for medium time horizon",
1171  {
1172  {RPCResult::Type::ELISION, "", ""},
1173  }},
1174  {RPCResult::Type::OBJ, "long", /* optional */ true, "estimate for long time horizon",
1175  {
1176  {RPCResult::Type::ELISION, "", ""},
1177  }},
1178  }},
1179  RPCExamples{
1180  HelpExampleCli("estimaterawfee", "6 0.9")
1181  },
1182  [&](const RPCHelpMan& self, const JSONRPCRequest& request) -> UniValue
1183 {
1184  RPCTypeCheck(request.params, {UniValue::VNUM, UniValue::VNUM}, true);
1185  RPCTypeCheckArgument(request.params[0], UniValue::VNUM);
1186 
1187  CBlockPolicyEstimator& fee_estimator = EnsureAnyFeeEstimator(request.context);
1188 
1189  unsigned int max_target = fee_estimator.HighestTargetTracked(FeeEstimateHorizon::LONG_HALFLIFE);
1190  unsigned int conf_target = ParseConfirmTarget(request.params[0], max_target);
1191  double threshold = 0.95;
1192  if (!request.params[1].isNull()) {
1193  threshold = request.params[1].get_real();
1194  }
1195  if (threshold < 0 || threshold > 1) {
1196  throw JSONRPCError(RPC_INVALID_PARAMETER, "Invalid threshold");
1197  }
1198 
1199  UniValue result(UniValue::VOBJ);
1200 
1201  for (const FeeEstimateHorizon horizon : ALL_FEE_ESTIMATE_HORIZONS) {
1202  CFeeRate feeRate;
1203  EstimationResult buckets;
1204 
1205  // Only output results for horizons which track the target
1206  if (conf_target > fee_estimator.HighestTargetTracked(horizon)) continue;
1207 
1208  feeRate = fee_estimator.estimateRawFee(conf_target, threshold, horizon, &buckets);
1209  UniValue horizon_result(UniValue::VOBJ);
1210  UniValue errors(UniValue::VARR);
1211  UniValue passbucket(UniValue::VOBJ);
1212  passbucket.pushKV("startrange", round(buckets.pass.start));
1213  passbucket.pushKV("endrange", round(buckets.pass.end));
1214  passbucket.pushKV("withintarget", round(buckets.pass.withinTarget * 100.0) / 100.0);
1215  passbucket.pushKV("totalconfirmed", round(buckets.pass.totalConfirmed * 100.0) / 100.0);
1216  passbucket.pushKV("inmempool", round(buckets.pass.inMempool * 100.0) / 100.0);
1217  passbucket.pushKV("leftmempool", round(buckets.pass.leftMempool * 100.0) / 100.0);
1218  UniValue failbucket(UniValue::VOBJ);
1219  failbucket.pushKV("startrange", round(buckets.fail.start));
1220  failbucket.pushKV("endrange", round(buckets.fail.end));
1221  failbucket.pushKV("withintarget", round(buckets.fail.withinTarget * 100.0) / 100.0);
1222  failbucket.pushKV("totalconfirmed", round(buckets.fail.totalConfirmed * 100.0) / 100.0);
1223  failbucket.pushKV("inmempool", round(buckets.fail.inMempool * 100.0) / 100.0);
1224  failbucket.pushKV("leftmempool", round(buckets.fail.leftMempool * 100.0) / 100.0);
1225 
1226  // CFeeRate(0) is used to indicate error as a return value from estimateRawFee
1227  if (feeRate != CFeeRate(0)) {
1228  horizon_result.pushKV("feerate", ValueFromAmount(feeRate.GetFeePerK()));
1229  horizon_result.pushKV("decay", buckets.decay);
1230  horizon_result.pushKV("scale", (int)buckets.scale);
1231  horizon_result.pushKV("pass", passbucket);
1232  // buckets.fail.start == -1 indicates that all buckets passed, there is no fail bucket to output
1233  if (buckets.fail.start != -1) horizon_result.pushKV("fail", failbucket);
1234  } else {
1235  // Output only information that is still meaningful in the event of error
1236  horizon_result.pushKV("decay", buckets.decay);
1237  horizon_result.pushKV("scale", (int)buckets.scale);
1238  horizon_result.pushKV("fail", failbucket);
1239  errors.push_back("Insufficient data or no feerate found which meets threshold");
1240  horizon_result.pushKV("errors",errors);
1241  }
1242  result.pushKV(StringForFeeEstimateHorizon(horizon), horizon_result);
1243  }
1244  return result;
1245 },
1246  };
1247 }
1248 
1250 {
1251 // clang-format off
1252 static const CRPCCommand commands[] =
1253 { // category actor (function)
1254  // --------------------- -----------------------
1255  { "mining", &getnetworkhashps, },
1256  { "mining", &getmininginfo, },
1257  { "mining", &prioritisetransaction, },
1258  { "mining", &getblocktemplate, },
1259  { "mining", &submitblock, },
1260  { "mining", &submitheader, },
1261 
1262 
1263  { "generating", &generatetoaddress, },
1264  { "generating", &generatetodescriptor, },
1265  { "generating", &generateblock, },
1266 
1267  { "util", &estimatesmartfee, },
1268 
1269  { "hidden", &estimaterawfee, },
1270  { "hidden", &generate, },
1271 };
1272 // clang-format on
1273  for (const auto& c : commands) {
1274  t.appendCommand(c.name, &c);
1275  }
1276 }
RPC_METHOD_NOT_FOUND
@ RPC_METHOD_NOT_FOUND
Definition: protocol.h:31
ThresholdState::STARTED
@ STARTED
CValidationInterface
Implement this to subscribe to events generated in validation.
Definition: validationinterface.h:78
CBlockIndex::GetBlockTime
int64_t GetBlockTime() const
Definition: chain.h:260
CTxIn
An input of a transaction.
Definition: transaction.h:65
prioritisetransaction
static RPCHelpMan prioritisetransaction()
Definition: mining.cpp:451
RPC_MISC_ERROR
@ RPC_MISC_ERROR
General application defined errors.
Definition: protocol.h:39
atoi64
int64_t atoi64(const std::string &str)
Definition: strencodings.cpp:440
ParseHashStr
bool ParseHashStr(const std::string &strHex, uint256 &result)
Parse a hex string into 256 bits.
Definition: core_read.cpp:239
ShutdownRequested
bool ShutdownRequested()
Returns true if a shutdown is requested, false otherwise.
Definition: shutdown.cpp:87
EstimatorBucket::inMempool
double inMempool
Definition: fees.h:62
VBDeploymentInfo
Definition: deploymentinfo.h:12
submitblock_StateCatcher::state
BlockValidationState state
Definition: mining.cpp:939
CTransaction::vin
const std::vector< CTxIn > vin
Definition: transaction.h:270
RPCResult::Type::ELISION
@ ELISION
Special type to denote elision (...)
BLOCK_FAILED_MASK
@ BLOCK_FAILED_MASK
Definition: chain.h:127
Parse
std::unique_ptr< Descriptor > Parse(const std::string &descriptor, FlatSigningProvider &out, std::string &error, bool require_checksum)
Parse a descriptor string.
Definition: descriptor.cpp:1399
FeeModeFromString
bool FeeModeFromString(const std::string &mode_string, FeeEstimateMode &fee_estimate_mode)
Definition: fees.cpp:57
submitblock_StateCatcher::found
bool found
Definition: mining.cpp:938
HelpExampleCli
std::string HelpExampleCli(const std::string &methodname, const std::string &args)
Definition: util.cpp:155
EstimatorBucket::start
double start
Definition: fees.h:58
ToString
std::string ToString(const T &t)
Locale-independent version of std::to_string.
Definition: string.h:79
RegisterSharedValidationInterface
void RegisterSharedValidationInterface(std::shared_ptr< CValidationInterface > callbacks)
Register subscriber.
Definition: validationinterface.cpp:121
ThresholdState::ACTIVE
@ ACTIVE
UniValue::VOBJ
@ VOBJ
Definition: univalue.h:21
ChainstateManager::ProcessNewBlockHeaders
bool ProcessNewBlockHeaders(const std::vector< CBlockHeader > &block, BlockValidationState &state, const CChainParams &chainparams, const CBlockIndex **ppindex=nullptr) LOCKS_EXCLUDED(cs_main)
Process incoming block headers.
Definition: validation.cpp:3344
ParseConfirmTarget
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:329
pow.h
VersionBitsCache::State
ThresholdState State(const CBlockIndex *pindexPrev, const Consensus::Params &params, Consensus::DeploymentPos pos)
Get the BIP9 state for a given deployment for the block after pindexPrev.
Definition: versionbits.cpp:193
EstimatorBucket::leftMempool
double leftMempool
Definition: fees.h:63
getblocktemplate
static RPCHelpMan getblocktemplate()
Definition: mining.cpp:516
Consensus::BIP9Deployment::bit
int bit
Bit position to select the particular bit in nVersion.
Definition: params.h:41
RPC_INTERNAL_ERROR
@ RPC_INTERNAL_ERROR
Definition: protocol.h:35
CHECK_NONFATAL
#define CHECK_NONFATAL(condition)
Throw a NonFatalCheckError when the condition evaluates to false.
Definition: check.h:32
Consensus::MAX_VERSION_BITS_DEPLOYMENTS
@ MAX_VERSION_BITS_DEPLOYMENTS
Definition: params.h:32
GetNetworkHashPS
static UniValue GetNetworkHashPS(int lookup, int height, const CChain &active_chain)
Return average network hashes per second based on the last 'lookup' blocks, or from the last difficul...
Definition: mining.cpp:49
getnetworkhashps
static RPCHelpMan getnetworkhashps()
Definition: mining.cpp:87
CBlockHeader::nBits
uint32_t nBits
Definition: block.h:28
nHeight
unsigned int nHeight
Definition: mempool_eviction.cpp:14
FeeEstimateHorizon
FeeEstimateHorizon
Definition: fees.h:28
CBlockHeader
Nodes collect new transactions into a block, hash them into a hash tree, and scan through nonce value...
Definition: block.h:20
BlockValidationState
Definition: validation.h:140
key_io.h
base_uint::GetHex
std::string GetHex() const
Definition: arith_uint256.cpp:147
GetWarnings
bilingual_str GetWarnings(bool verbose)
Format a string that describes several potential problems detected by the core.
Definition: warnings.cpp:31
RPC_VERIFY_ERROR
@ RPC_VERIFY_ERROR
General error during transaction or block submission.
Definition: protocol.h:46
RPCHelpMan
Definition: util.h:345
CBlockHeader::nVersion
int32_t nVersion
Definition: block.h:24
FeeCalculation::returnedTarget
int returnedTarget
Definition: fees.h:80
COutPoint::hash
uint256 hash
Definition: transaction.h:29
NullUniValue
const UniValue NullUniValue
Definition: univalue.cpp:13
estimatesmartfee
static RPCHelpMan estimatesmartfee()
Definition: mining.cpp:1060
GetScriptForDestination
CScript GetScriptForDestination(const CTxDestination &dest)
Generate a Bitcoin scriptPubKey for the given CTxDestination.
Definition: standard.cpp:351
string.h
CTxMemPool
CTxMemPool stores valid-according-to-the-current-best-chain transactions that may be included in the ...
Definition: txmempool.h:477
RPC_INVALID_PARAMETER
@ RPC_INVALID_PARAMETER
Invalid, missing or duplicate parameter.
Definition: protocol.h:43
arith_uint256
256-bit unsigned big integer.
Definition: arith_uint256.h:250
CBlockIndex::pprev
CBlockIndex * pprev
pointer to the index of the predecessor of this block
Definition: chain.h:144
DeploymentActiveAfter
bool DeploymentActiveAfter(const CBlockIndex *pindexPrev, const Consensus::Params &params, Consensus::BuriedDeployment dep)
Determine if a deployment is active for the next block.
Definition: deploymentstatus.h:17
ParseHashV
uint256 ParseHashV(const UniValue &v, std::string strName)
Utilities: convert hex-encoded Values (throws error if not hex).
Definition: util.cpp:89
CBlockIndex::nHeight
int nHeight
height of the entry in the chain. The genesis block has height 0
Definition: chain.h:150
DEFAULT_MAX_TRIES
static const uint64_t DEFAULT_MAX_TRIES
Default max iterations to try in RPC generatetodescriptor, generatetoaddress, and generateblock.
Definition: mining.h:9
RPCArg::Optional::NO
@ NO
Required arg.
validationinterface.h
RPCArg::Type::STR
@ STR
generatetoaddress
static RPCHelpMan generatetoaddress()
Definition: mining.cpp:254
validation.h
ConnectionDirection::Both
@ Both
generateBlocks
static UniValue generateBlocks(ChainstateManager &chainman, const CTxMemPool &mempool, const CScript &coinbase_script, int nGenerate, uint64_t nMaxTries)
Definition: mining.cpp:143
RPCArg::Type::ARR
@ ARR
EnsureConnman
CConnman & EnsureConnman(const NodeContext &node)
Definition: net.cpp:44
getScriptFromDescriptor
static bool getScriptFromDescriptor(const std::string &descriptor, CScript &script, std::string &error)
Definition: mining.cpp:175
CChainParams
CChainParams defines various tweakable parameters of a given instance of the Bitcoin system.
Definition: chainparams.h:69
base_blob::SetNull
void SetNull()
Definition: uint256.h:39
mining.h
GetTime
int64_t GetTime()
DEPRECATED Use either GetTimeSeconds (not mockable) or GetTime<T> (mockable)
Definition: time.cpp:26
RPC_CLIENT_IN_INITIAL_DOWNLOAD
@ RPC_CLIENT_IN_INITIAL_DOWNLOAD
Still downloading initial blocks.
Definition: protocol.h:59
CBlockIndex::nChainWork
arith_uint256 nChainWork
(memory only) Total amount of work (expected number of hashes) in the chain up to and including this ...
Definition: chain.h:162
MakeTransactionRef
static CTransactionRef MakeTransactionRef(Tx &&txIn)
Definition: transaction.h:387
CheckProofOfWork
bool CheckProofOfWork(uint256 hash, unsigned int nBits, const Consensus::Params &params)
Check whether a block hash satisfies the proof-of-work requirement specified by nBits.
Definition: pow.cpp:74
CChainParams::GetConsensus
const Consensus::Params & GetConsensus() const
Definition: chainparams.h:82
RPCResult::Type::NUM
@ NUM
getmininginfo
static RPCHelpMan getmininginfo()
Definition: mining.cpp:406
EnsureAnyChainman
ChainstateManager & EnsureAnyChainman(const std::any &context)
Definition: blockchain.cpp:94
RegenerateCommitments
void RegenerateCommitments(CBlock &block, ChainstateManager &chainman)
Update an old GenerateCoinbaseCommitment from CreateNewBlock after the block txs have changed.
Definition: miner.cpp:43
UniValue::isNull
bool isNull() const
Definition: univalue.h:77
BlockAssembler
Generate a new block, without valid proof-of-work.
Definition: miner.h:126
VersionBitsDeploymentInfo
const struct VBDeploymentInfo VersionBitsDeploymentInfo[Consensus::MAX_VERSION_BITS_DEPLOYMENTS]
Definition: deploymentinfo.cpp:9
UpdateTime
int64_t UpdateTime(CBlockHeader *pblock, const Consensus::Params &consensusParams, const CBlockIndex *pindexPrev)
Definition: miner.cpp:28
chainparams.h
generateblock
static RPCHelpMan generateblock()
Definition: mining.cpp:295
ChainstateManager::ActiveChainstate
CChainState & ActiveChainstate() const
The most-work chain.
Definition: validation.cpp:4965
UniValue::isNum
bool isNum() const
Definition: univalue.h:82
CTxMemPool::GetTransactionsUpdated
unsigned int GetTransactionsUpdated() const
Definition: txmempool.cpp:348
EnsureAnyNodeContext
NodeContext & EnsureAnyNodeContext(const std::any &context)
Definition: blockchain.cpp:64
CChain::Tip
CBlockIndex * Tip() const
Returns the index entry for the tip of this chain, or nullptr if none.
Definition: chain.h:403
context.h
RPCTypeCheckArgument
void RPCTypeCheckArgument(const UniValue &value, const UniValueType &typeExpected)
Type-check one argument; throws JSONRPCError if wrong type given.
Definition: util.cpp:40
core_io.h
UniValue::pushKV
bool pushKV(const std::string &key, const UniValue &val)
Definition: univalue.cpp:133
CFeeRate
Fee rate in satoshis per kilobyte: CAmount / kB.
Definition: feerate.h:29
CBlockHeader::GetHash
uint256 GetHash() const
Definition: block.cpp:11
ValueFromAmount
UniValue ValueFromAmount(const CAmount amount)
Definition: core_write.cpp:20
IsRPCRunning
bool IsRPCRunning()
Query whether RPC is running.
Definition: server.cpp:321
EstimatorBucket::end
double end
Definition: fees.h:59
UniValue
Definition: univalue.h:19
CTransaction
The basic transaction that is broadcasted on the network and contained in blocks.
Definition: transaction.h:259
RegisterMiningRPCCommands
void RegisterMiningRPCCommands(CRPCTable &t)
Register mining RPC commands.
Definition: mining.cpp:1249
MAX_BLOCK_SERIALIZED_SIZE
static const unsigned int MAX_BLOCK_SERIALIZED_SIZE
The maximum allowed size for a serialized block, in bytes (only for buffer size limits)
Definition: consensus.h:13
ValidationState::ToString
std::string ToString() const
Definition: validation.h:125
ChainstateManager::ActiveChain
CChain & ActiveChain() const
Definition: validation.h:954
txmempool.h
shutdown.h
RPCArg::Type::NUM
@ NUM
deploymentstatus.h
FeeEstimateMode::ECONOMICAL
@ ECONOMICAL
Force estimateSmartFee to use non-conservative estimates.
ValidationState::IsValid
bool IsValid() const
Definition: validation.h:119
signingprovider.h
CBlockPolicyEstimator::estimateSmartFee
CFeeRate estimateSmartFee(int confTarget, FeeCalculation *feeCalc, bool conservative) const
Estimate feerate needed to get be included in a block within confTarget blocks.
Definition: fees.cpp:806
CBlockHeader::nNonce
uint32_t nNonce
Definition: block.h:29
UniValue::get_str
const std::string & get_str() const
Definition: univalue_get.cpp:97
RPC_DESERIALIZATION_ERROR
@ RPC_DESERIALIZATION_ERROR
Error parsing or validating structure in raw format.
Definition: protocol.h:45
strencodings.h
Consensus::Params
Parameters that influence chain consensus.
Definition: params.h:70
FeeEstimateHorizon::LONG_HALFLIFE
@ LONG_HALFLIFE
CTransaction::IsCoinBase
bool IsCoinBase() const
Definition: transaction.h:315
UniValue::isStr
bool isStr() const
Definition: univalue.h:81
ENTER_CRITICAL_SECTION
#define ENTER_CRITICAL_SECTION(cs)
Definition: sync.h:239
FeeCalculation
Definition: fees.h:75
EnsureAnyMemPool
CTxMemPool & EnsureAnyMemPool(const std::any &context)
Definition: blockchain.cpp:81
g_versionbitscache
VersionBitsCache g_versionbitscache
Global cache for versionbits deployment status.
Definition: deploymentstatus.cpp:10
EstimationResult::decay
double decay
Definition: fees.h:71
UniValue::get_int64
int64_t get_int64() const
Definition: univalue_get.cpp:114
EstimationResult
Definition: fees.h:67
BlockAssembler::m_last_block_weight
static std::optional< int64_t > m_last_block_weight
Definition: miner.h:165
submitheader
static RPCHelpMan submitheader()
Definition: mining.cpp:1021
Consensus::DeploymentPos
DeploymentPos
Definition: params.h:28
Consensus::DEPLOYMENT_SEGWIT
@ DEPLOYMENT_SEGWIT
Definition: params.h:24
CURRENCY_UNIT
const std::string CURRENCY_UNIT
Definition: feerate.h:14
RPCArg::Type::OBJ
@ OBJ
UniValue::get_obj
const UniValue & get_obj() const
Definition: univalue_get.cpp:134
CTxDestination
std::variant< CNoDestination, PKHash, ScriptHash, WitnessV0ScriptHash, WitnessV0KeyHash, WitnessV1Taproot, WitnessUnknown > CTxDestination
A txout script template with a specific destination.
Definition: standard.h:157
CTxMemPool::get
CTransactionRef get(const uint256 &hash) const
Definition: txmempool.cpp:822
RPCArg::DefaultHint
std::string DefaultHint
Definition: util.h:155
IsValidDestination
bool IsValidDestination(const CTxDestination &dest)
Check whether a CTxDestination is a CNoDestination.
Definition: standard.cpp:373
RPCArg::Optional::OMITTED_NAMED_ARG
@ OMITTED_NAMED_ARG
Optional arg that is a named argument and has a default value of null.
CBlockIndex::nStatus
uint32_t nStatus
Verification status of this block.
Definition: chain.h:187
CBlockPolicyEstimator::estimateRawFee
CFeeRate estimateRawFee(int confTarget, double successThreshold, FeeEstimateHorizon horizon, EstimationResult *result=nullptr) const
Return a specific fee estimate calculation with a given success threshold and time horizon,...
Definition: fees.cpp:662
RPCArg::Type::STR_HEX
@ STR_HEX
Special type that is a STR with only hex chars.
RPCResult::Type::OBJ
@ OBJ
CBlockHeader::GetBlockTime
int64_t GetBlockTime() const
Definition: block.h:55
CRPCCommand
Definition: server.h:90
RPCResult::Type::NONE
@ NONE
PACKAGE_NAME
#define PACKAGE_NAME
Definition: bitcoin-config.h:368
GetDifficulty
double GetDifficulty(const CBlockIndex *blockindex)
Get the difficulty of the net wrt to the given block index.
Definition: blockchain.cpp:114
CBlockIndex::GetMedianTimePast
int64_t GetMedianTimePast() const
Definition: chain.h:272
MAX_BLOCK_SIGOPS_COST
static const int64_t MAX_BLOCK_SIGOPS_COST
The maximum allowed number of signature check operations in a block (network rule)
Definition: consensus.h:17
BLOCK_VALID_SCRIPTS
@ BLOCK_VALID_SCRIPTS
Scripts & signatures ok. Implies all parents are also at least SCRIPTS.
Definition: chain.h:115
deploymentinfo.h
EstimationResult::scale
unsigned int scale
Definition: fees.h:72
ThresholdState::DEFINED
@ DEFINED
VersionBitsCache::Mask
static uint32_t Mask(const Consensus::Params &params, Consensus::DeploymentPos pos)
Definition: versionbits.cpp:210
FeeEstimateMode
FeeEstimateMode
Definition: feerate.h:18
CBlockIndex::IsValid
bool IsValid(enum BlockStatus nUpTo=BLOCK_VALID_TRANSACTIONS) const
Check whether this block index entry is valid up to the passed validity level.
Definition: chain.h:295
univalue.h
consensus.h
miner.h
BlockAssembler::m_last_block_num_txs
static std::optional< int64_t > m_last_block_num_txs
Definition: miner.h:164
RPCResult::Type::STR_HEX
@ STR_HEX
Special string with only hex chars.
DecodeHexBlockHeader
bool DecodeHexBlockHeader(CBlockHeader &, const std::string &hex_header)
Definition: core_read.cpp:208
CBlockPolicyEstimator
Definition: fees.h:131
g_best_block
uint256 g_best_block
Definition: validation.cpp:120
UnregisterSharedValidationInterface
void UnregisterSharedValidationInterface(std::shared_ptr< CValidationInterface > callbacks)
Unregister subscriber.
Definition: validationinterface.cpp:135
InvalidEstimateModeErrorMessage
const std::string InvalidEstimateModeErrorMessage()
Definition: fees.cpp:52
CAmount
int64_t CAmount
Amount in satoshis (Can be negative)
Definition: amount.h:12
Consensus::Params::signet_challenge
std::vector< uint8_t > signet_challenge
Definition: params.h:116
base_blob::GetHex
std::string GetHex() const
Definition: uint256.cpp:20
RPCExamples
Definition: util.h:335
CBlockPolicyEstimator::HighestTargetTracked
unsigned int HighestTargetTracked(FeeEstimateHorizon horizon) const
Calculation of highest target that estimates are tracked for.
Definition: fees.cpp:698
ChainstateManager::ProcessNewBlock
bool ProcessNewBlock(const CChainParams &chainparams, const std::shared_ptr< const CBlock > &block, bool force_processing, bool *new_block) LOCKS_EXCLUDED(cs_main)
Process an incoming block.
Definition: validation.cpp:3454
RPCResult::Type::STR
@ STR
UniValue::VNUM
@ VNUM
Definition: univalue.h:21
uint256
256-bit opaque blob.
Definition: uint256.h:124
RPCResult::Type::NUM_TIME
@ NUM_TIME
Special numeric to denote unix epoch time.
RPCResult::Type::ARR
@ ARR
CChainState
CChainState stores and provides an API to update our local knowledge of the current best chain.
Definition: validation.h:552
DecodeDestination
CTxDestination DecodeDestination(const std::string &str, std::string &error_msg)
Definition: key_io.cpp:261
VBDeploymentInfo::gbt_force
bool gbt_force
Whether GBT clients can safely ignore this rule in simplified usage.
Definition: deploymentinfo.h:16
submitblock_StateCatcher::hash
uint256 hash
Definition: mining.cpp:937
CScript
Serialized script, used inside transaction inputs and outputs.
Definition: script.h:404
HelpExampleRpc
std::string HelpExampleRpc(const std::string &methodname, const std::string &args)
Definition: util.cpp:173
EnsureMemPool
CTxMemPool & EnsureMemPool(const NodeContext &node)
Definition: blockchain.cpp:73
UniValue::isArray
bool isArray() const
Definition: univalue.h:83
g_best_block_mutex
Mutex g_best_block_mutex
Definition: validation.cpp:118
CBlockIndex::GetBlockHash
uint256 GetBlockHash() const
Definition: chain.h:246
ThresholdState::FAILED
@ FAILED
StringForFeeEstimateHorizon
std::string StringForFeeEstimateHorizon(FeeEstimateHorizon horizon)
Definition: fees.cpp:20
CChain::Height
int Height() const
Return the maximal height in the chain.
Definition: chain.h:428
CTxMemPool::PrioritiseTransaction
void PrioritiseTransaction(const uint256 &hash, const CAmount &nFeeDelta)
Affect CreateNewBlock prioritisation of transactions.
Definition: txmempool.cpp:842
ChainstateManager
Provides an interface for creating and interacting with one or two chainstates: an IBD chainstate gen...
Definition: validation.h:855
CRPCTable
RPC command dispatcher.
Definition: server.h:126
EncodeHexTx
std::string EncodeHexTx(const CTransaction &tx, const int serializeFlags=0)
Definition: core_write.cpp:137
RPC_INVALID_ADDRESS_OR_KEY
@ RPC_INVALID_ADDRESS_OR_KEY
Invalid address or key.
Definition: protocol.h:41
CBlockHeader::hashPrevBlock
uint256 hashPrevBlock
Definition: block.h:25
system.h
CBlock
Definition: block.h:62
CChainState::IsInitialBlockDownload
bool IsInitialBlockDownload() const
Check whether we are doing an initial block download (synchronizing from disk or network)
Definition: validation.cpp:1215
strprintf
#define strprintf
Format arguments and return the string or write to given std::ostream (see tinyformat::format doc for...
Definition: tinyformat.h:1164
CConnman
Definition: net.h:747
RPC_OUT_OF_MEMORY
@ RPC_OUT_OF_MEMORY
Ran out of memory during operation.
Definition: protocol.h:42
CRPCTable::appendCommand
void appendCommand(const std::string &name, const CRPCCommand *pcmd)
Appends a CRPCCommand to the dispatch table.
Definition: server.cpp:270
fees.h
BlockAssembler::CreateNewBlock
std::unique_ptr< CBlockTemplate > CreateNewBlock(const CScript &scriptPubKeyIn)
Construct a new block template with coinbase to scriptPubKeyIn.
Definition: miner.cpp:102
CChain
An in-memory indexed chain of blocks.
Definition: chain.h:392
base_blob::IsNull
bool IsNull() const
Definition: uint256.h:31
estimaterawfee
static RPCHelpMan estimaterawfee()
Definition: mining.cpp:1128
GetTransactionWeight
static int64_t GetTransactionWeight(const CTransaction &tx)
Definition: validation.h:146
CBlock::vtx
std::vector< CTransactionRef > vtx
Definition: block.h:66
EstimationResult::fail
EstimatorBucket fail
Definition: fees.h:70
submitblock
static RPCHelpMan submitblock()
Definition: mining.cpp:952
RPCResult::Type::BOOL
@ BOOL
VBDeploymentInfo::name
const char * name
Deployment name.
Definition: deploymentinfo.h:14
Consensus::Params::vDeployments
BIP9Deployment vDeployments[MAX_VERSION_BITS_DEPLOYMENTS]
Definition: params.h:98
UpdateUncommittedBlockStructures
void UpdateUncommittedBlockStructures(CBlock &block, const CBlockIndex *pindexPrev, const Consensus::Params &consensusParams)
Update uncommitted block structures (currently: only the witness reserved value).
Definition: validation.cpp:3065
UniValue::get_int
int get_int() const
Definition: univalue_get.cpp:104
fees.h
cs_main
RecursiveMutex cs_main
Mutex to guard access to validation specific variables, such as reading or changing the chainstate.
Definition: validation.cpp:115
FeeModes
std::string FeeModes(const std::string &delimiter)
Definition: fees.cpp:47
translation.h
RPCTypeCheck
void RPCTypeCheck(const UniValue &params, const std::list< UniValueType > &typesExpected, bool fAllowNull)
Type-check arguments; throws JSONRPCError if wrong type given.
Definition: util.cpp:23
JSONRPCError
UniValue JSONRPCError(int code, const std::string &message)
Definition: request.cpp:51
TestBlockValidity
bool TestBlockValidity(BlockValidationState &state, const CChainParams &chainparams, CChainState &chainstate, const CBlock &block, CBlockIndex *pindexPrev, bool fCheckPOW, bool fCheckMerkleRoot)
Check a block is completely valid from start to finish (only works on top of our current best block)
Definition: validation.cpp:3493
LOCK
#define LOCK(cs)
Definition: sync.h:232
arith_uint256::SetCompact
arith_uint256 & SetCompact(uint32_t nCompact, bool *pfNegative=nullptr, bool *pfOverflow=nullptr)
The "compact" format is a representation of a whole number N using an unsigned 32bit number similar t...
Definition: arith_uint256.cpp:203
EnsureAnyFeeEstimator
CBlockPolicyEstimator & EnsureAnyFeeEstimator(const std::any &context)
Definition: blockchain.cpp:107
OP_TRUE
@ OP_TRUE
Definition: script.h:76
MAX_BLOCK_WEIGHT
static const unsigned int MAX_BLOCK_WEIGHT
The maximum allowed weight for a block, see BIP 141 (network rule)
Definition: consensus.h:15
RPCArg::Optional::OMITTED
@ OMITTED
Optional argument with default value omitted because they are implicitly clear.
CTxIn::prevout
COutPoint prevout
Definition: transaction.h:68
params.h
EstimatorBucket::withinTarget
double withinTarget
Definition: fees.h:60
CTxMemPool::size
unsigned long size() const
Definition: txmempool.h:718
UniValue::push_back
bool push_back(const UniValue &val)
Definition: univalue.cpp:108
EnsureChainman
ChainstateManager & EnsureChainman(const NodeContext &node)
Definition: blockchain.cpp:86
Params
const CChainParams & Params()
Return the currently selected parameters.
Definition: chainparams.cpp:535
IncrementExtraNonce
void IncrementExtraNonce(CBlock *pblock, const CBlockIndex *pindexPrev, unsigned int &nExtraNonce)
Modify the extranonce in a block.
Definition: miner.cpp:438
EstimationResult::pass
EstimatorBucket pass
Definition: fees.h:69
node
Definition: interfaces.cpp:68
ThresholdState::LOCKED_IN
@ LOCKED_IN
generate
static RPCHelpMan generate()
Definition: mining.cpp:247
submitblock_StateCatcher::submitblock_StateCatcher
submitblock_StateCatcher(const uint256 &hashIn)
Definition: mining.cpp:941
RPCResult::Type::OBJ_DYN
@ OBJ_DYN
Special dictionary with keys that are not literals.
UniValue::size
size_t size() const
Definition: univalue.h:68
CTransaction::GetWitnessHash
const uint256 & GetWitnessHash() const
Definition: transaction.h:303
GenerateBlock
static bool GenerateBlock(ChainstateManager &chainman, CBlock &block, uint64_t &max_tries, unsigned int &extra_nonce, uint256 &block_hash)
Definition: mining.cpp:112
script.h
ValidationState::GetRejectReason
std::string GetRejectReason() const
Definition: validation.h:123
JSONRPCRequest
Definition: request.h:28
CTransaction::GetHash
const uint256 & GetHash() const
Definition: transaction.h:302
util.h
RPCResult
Definition: util.h:231
submitblock_StateCatcher::BlockChecked
void BlockChecked(const CBlock &block, const BlockValidationState &stateIn) override
Notifies listeners of a block validation result.
Definition: mining.cpp:944
LEAVE_CRITICAL_SECTION
#define LEAVE_CRITICAL_SECTION(cs)
Definition: sync.h:245
net.h
blockchain.h
DecodeHexBlk
bool DecodeHexBlk(CBlock &, const std::string &strHexBlk)
Definition: core_read.cpp:222
find_value
const UniValue & find_value(const UniValue &obj, const std::string &name)
Definition: univalue.cpp:234
RPC_TYPE_ERROR
@ RPC_TYPE_ERROR
Unexpected type was passed as parameter.
Definition: protocol.h:40
error
bool error(const char *fmt, const Args &... args)
Definition: system.h:49
CMutableTransaction
A mutable version of CTransaction.
Definition: transaction.h:344
UniValue::VARR
@ VARR
Definition: univalue.h:21
NodeContext
NodeContext struct containing references to chain state and connection state.
Definition: context.h:39
server.h
ThresholdState
ThresholdState
BIP 9 defines a finite-state-machine to deploy a softfork in multiple stages.
Definition: versionbits.h:27
CBlockIndex
The block chain is a tree shaped structure starting with the genesis block at the root,...
Definition: chain.h:137
CFeeRate::GetFeePerK
CAmount GetFeePerK() const
Return the fee in satoshis for a size of 1000 bytes.
Definition: feerate.h:56
HexStr
std::string HexStr(const Span< const uint8_t > s)
Convert a span of bytes to a lower-case hexadecimal string.
Definition: strencodings.cpp:594
Consensus::Params::DifficultyAdjustmentInterval
int64_t DifficultyAdjustmentInterval() const
Definition: params.h:105
gbt_vb_name
static std::string gbt_vb_name(const Consensus::DeploymentPos pos)
Definition: mining.cpp:507
amount.h
base_uint::getdouble
double getdouble() const
Definition: arith_uint256.cpp:135
ALL_FEE_ESTIMATE_HORIZONS
static constexpr auto ALL_FEE_ESTIMATE_HORIZONS
Definition: fees.h:34
ValidationState::IsError
bool IsError() const
Definition: validation.h:121
warnings.h
WITNESS_SCALE_FACTOR
static const int WITNESS_SCALE_FACTOR
Definition: consensus.h:21
CConnman::GetNodeCount
size_t GetNodeCount(ConnectionDirection) const
Definition: net.cpp:2810
submitblock_StateCatcher
Definition: mining.cpp:934
UNIX_EPOCH_TIME
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:20
ValidationState::IsInvalid
bool IsInvalid() const
Definition: validation.h:120
WAIT_LOCK
#define WAIT_LOCK(cs, name)
Definition: sync.h:237
CChainState::m_chain
CChain m_chain
The current chain of blockheaders we consult and build on.
Definition: validation.h:624
FlatSigningProvider
Definition: signingprovider.h:49
descriptor.h
BIP22ValidationResult
static UniValue BIP22ValidationResult(const BlockValidationState &state)
Definition: mining.cpp:489
EstimatorBucket::totalConfirmed
double totalConfirmed
Definition: fees.h:61
DecodeHexTx
bool DecodeHexTx(CMutableTransaction &tx, const std::string &hex_tx, bool try_no_witness=false, bool try_witness=true)
Definition: core_read.cpp:198
Consensus::Params::signet_blocks
bool signet_blocks
If true, witness commitments contain a payload equal to a Bitcoin Script solution to the signet chall...
Definition: params.h:115
generatetodescriptor
static RPCHelpMan generatetodescriptor()
Definition: mining.cpp:209
RPC_CLIENT_NOT_CONNECTED
@ RPC_CLIENT_NOT_CONNECTED
P2P client errors.
Definition: protocol.h:58
g_best_block_cv
std::condition_variable g_best_block_cv
Definition: validation.cpp:119