Bitcoin Core 30.99.0
P2P Digital Currency
mempool.cpp
Go to the documentation of this file.
1// Copyright (c) 2010 Satoshi Nakamoto
2// Copyright (c) 2009-present The Bitcoin Core developers
3// Distributed under the MIT software license, see the accompanying
4// file COPYING or http://www.opensource.org/licenses/mit-license.php.
5
6#include <rpc/blockchain.h>
7
9
10#include <chainparams.h>
11#include <common/args.h>
13#include <core_io.h>
15#include <net_processing.h>
16#include <netbase.h>
18#include <node/types.h>
19#include <policy/rbf.h>
20#include <policy/settings.h>
22#include <rpc/server.h>
23#include <rpc/server_util.h>
24#include <rpc/util.h>
25#include <txmempool.h>
26#include <univalue.h>
27#include <util/fs.h>
28#include <util/moneystr.h>
29#include <util/strencodings.h>
30#include <util/time.h>
31#include <util/vector.h>
32
33#include <string_view>
34#include <utility>
35
37
43using util::ToString;
44
46{
47 return RPCHelpMan{
48 "sendrawtransaction",
49 "Submit a raw transaction (serialized, hex-encoded) to the network.\n"
50
51 "\nIf -privatebroadcast is disabled, then the transaction will be put into the\n"
52 "local mempool of the node and will be sent unconditionally to all currently\n"
53 "connected peers, so using sendrawtransaction for manual rebroadcast will degrade\n"
54 "privacy by leaking the transaction's origin, as nodes will normally not\n"
55 "rebroadcast non-wallet transactions already in their mempool.\n"
56
57 "\nIf -privatebroadcast is enabled, then the transaction will be sent only via\n"
58 "dedicated, short-lived connections to Tor or I2P peers or IPv4/IPv6 peers\n"
59 "via the Tor network. This conceals the transaction's origin. The transaction\n"
60 "will only enter the local mempool when it is received back from the network.\n"
61
62 "\nA specific exception, RPC_TRANSACTION_ALREADY_IN_UTXO_SET, may throw if the transaction cannot be added to the mempool.\n"
63
64 "\nRelated RPCs: createrawtransaction, signrawtransactionwithkey\n",
65 {
66 {"hexstring", RPCArg::Type::STR_HEX, RPCArg::Optional::NO, "The hex string of the raw transaction"},
68 "Reject transactions whose fee rate is higher than the specified value, expressed in " + CURRENCY_UNIT +
69 "/kvB.\nFee rates larger than 1BTC/kvB are rejected.\nSet to 0 to accept any fee rate."},
71 "Reject transactions with provably unspendable outputs (e.g. 'datacarrier' outputs that use the OP_RETURN opcode) greater than the specified value, expressed in " + CURRENCY_UNIT + ".\n"
72 "If burning funds through unspendable outputs is desired, increase this value.\n"
73 "This check is based on heuristics and does not guarantee spendability of outputs.\n"},
74 },
76 RPCResult::Type::STR_HEX, "", "The transaction hash in hex"
77 },
79 "\nCreate a transaction\n"
80 + HelpExampleCli("createrawtransaction", "\"[{\\\"txid\\\" : \\\"mytxid\\\",\\\"vout\\\":0}]\" \"{\\\"myaddress\\\":0.01}\"") +
81 "Sign the transaction, and get back the hex\n"
82 + HelpExampleCli("signrawtransactionwithwallet", "\"myhex\"") +
83 "\nSend the transaction (signed hex)\n"
84 + HelpExampleCli("sendrawtransaction", "\"signedhex\"") +
85 "\nAs a JSON-RPC call\n"
86 + HelpExampleRpc("sendrawtransaction", "\"signedhex\"")
87 },
88 [&](const RPCHelpMan& self, const JSONRPCRequest& request) -> UniValue
89 {
90 const CAmount max_burn_amount = request.params[2].isNull() ? 0 : AmountFromValue(request.params[2]);
91
93 if (!DecodeHexTx(mtx, request.params[0].get_str())) {
94 throw JSONRPCError(RPC_DESERIALIZATION_ERROR, "TX decode failed. Make sure the tx has at least one input.");
95 }
96
97 for (const auto& out : mtx.vout) {
98 if((out.scriptPubKey.IsUnspendable() || !out.scriptPubKey.HasValidOps()) && out.nValue > max_burn_amount) {
99 throw JSONRPCTransactionError(TransactionError::MAX_BURN_EXCEEDED);
100 }
101 }
102
103 CTransactionRef tx(MakeTransactionRef(std::move(mtx)));
104
105 const CFeeRate max_raw_tx_fee_rate{ParseFeeRate(self.Arg<UniValue>("maxfeerate"))};
106
107 int64_t virtual_size = GetVirtualTransactionSize(*tx);
108 CAmount max_raw_tx_fee = max_raw_tx_fee_rate.GetFee(virtual_size);
109
110 std::string err_string;
112 NodeContext& node = EnsureAnyNodeContext(request.context);
113 const bool private_broadcast_enabled{gArgs.GetBoolArg("-privatebroadcast", DEFAULT_PRIVATE_BROADCAST)};
114 if (private_broadcast_enabled &&
118 "-privatebroadcast is enabled, but none of the Tor or I2P networks is "
119 "reachable. Maybe the location of the Tor proxy couldn't be retrieved "
120 "from the Tor daemon at startup. Check whether the Tor daemon is running "
121 "and that -torcontrol, -torpassword and -i2psam are configured properly.");
122 }
123 const auto method = private_broadcast_enabled ? node::TxBroadcast::NO_MEMPOOL_PRIVATE_BROADCAST
126 tx,
127 err_string,
128 max_raw_tx_fee,
129 method,
130 /*wait_callback=*/true);
131 if (TransactionError::OK != err) {
132 throw JSONRPCTransactionError(err, err_string);
133 }
134
135 return tx->GetHash().GetHex();
136 },
137 };
138}
139
141{
142 return RPCHelpMan{
143 "testmempoolaccept",
144 "Returns result of mempool acceptance tests indicating if raw transaction(s) (serialized, hex-encoded) would be accepted by mempool.\n"
145 "\nIf multiple transactions are passed in, parents must come before children and package policies apply: the transactions cannot conflict with any mempool transactions or each other.\n"
146 "\nIf one transaction fails, other transactions may not be fully validated (the 'allowed' key will be blank).\n"
147 "\nThe maximum number of transactions allowed is " + ToString(MAX_PACKAGE_COUNT) + ".\n"
148 "\nThis checks if transactions violate the consensus or policy rules.\n"
149 "\nSee sendrawtransaction call.\n",
150 {
151 {"rawtxs", RPCArg::Type::ARR, RPCArg::Optional::NO, "An array of hex strings of raw transactions.",
152 {
154 },
155 },
157 "Reject transactions whose fee rate is higher than the specified value, expressed in " + CURRENCY_UNIT +
158 "/kvB.\nFee rates larger than 1BTC/kvB are rejected.\nSet to 0 to accept any fee rate."},
159 },
160 RPCResult{
161 RPCResult::Type::ARR, "", "The result of the mempool acceptance test for each raw transaction in the input array.\n"
162 "Returns results for each transaction in the same order they were passed in.\n"
163 "Transactions that cannot be fully validated due to failures in other transactions will not contain an 'allowed' result.\n",
164 {
165 {RPCResult::Type::OBJ, "", "",
166 {
167 {RPCResult::Type::STR_HEX, "txid", "The transaction hash in hex"},
168 {RPCResult::Type::STR_HEX, "wtxid", "The transaction witness hash in hex"},
169 {RPCResult::Type::STR, "package-error", /*optional=*/true, "Package validation error, if any (only possible if rawtxs had more than 1 transaction)."},
170 {RPCResult::Type::BOOL, "allowed", /*optional=*/true, "Whether this tx would be accepted to the mempool and pass client-specified maxfeerate. "
171 "If not present, the tx was not fully validated due to a failure in another tx in the list."},
172 {RPCResult::Type::NUM, "vsize", /*optional=*/true, "Virtual transaction size as defined in BIP 141. This is different from actual serialized size for witness transactions as witness data is discounted (only present when 'allowed' is true)"},
173 {RPCResult::Type::OBJ, "fees", /*optional=*/true, "Transaction fees (only present if 'allowed' is true)",
174 {
175 {RPCResult::Type::STR_AMOUNT, "base", "transaction fee in " + CURRENCY_UNIT},
176 {RPCResult::Type::STR_AMOUNT, "effective-feerate", /*optional=*/false, "the effective feerate in " + CURRENCY_UNIT + " per KvB. May differ from the base feerate if, for example, there are modified fees from prioritisetransaction or a package feerate was used."},
177 {RPCResult::Type::ARR, "effective-includes", /*optional=*/false, "transactions whose fees and vsizes are included in effective-feerate.",
178 {RPCResult{RPCResult::Type::STR_HEX, "", "transaction wtxid in hex"},
179 }},
180 }},
181 {RPCResult::Type::STR, "reject-reason", /*optional=*/true, "Rejection reason (only present when 'allowed' is false)"},
182 {RPCResult::Type::STR, "reject-details", /*optional=*/true, "Rejection details (only present when 'allowed' is false and rejection details exist)"},
183 }},
184 }
185 },
187 "\nCreate a transaction\n"
188 + HelpExampleCli("createrawtransaction", "\"[{\\\"txid\\\" : \\\"mytxid\\\",\\\"vout\\\":0}]\" \"{\\\"myaddress\\\":0.01}\"") +
189 "Sign the transaction, and get back the hex\n"
190 + HelpExampleCli("signrawtransactionwithwallet", "\"myhex\"") +
191 "\nTest acceptance of the transaction (signed hex)\n"
192 + HelpExampleCli("testmempoolaccept", R"('["signedhex"]')") +
193 "\nAs a JSON-RPC call\n"
194 + HelpExampleRpc("testmempoolaccept", "[\"signedhex\"]")
195 },
196 [&](const RPCHelpMan& self, const JSONRPCRequest& request) -> UniValue
197 {
198 const UniValue raw_transactions = request.params[0].get_array();
199 if (raw_transactions.size() < 1 || raw_transactions.size() > MAX_PACKAGE_COUNT) {
201 "Array must contain between 1 and " + ToString(MAX_PACKAGE_COUNT) + " transactions.");
202 }
203
204 const CFeeRate max_raw_tx_fee_rate{ParseFeeRate(self.Arg<UniValue>("maxfeerate"))};
205
206 std::vector<CTransactionRef> txns;
207 txns.reserve(raw_transactions.size());
208 for (const auto& rawtx : raw_transactions.getValues()) {
210 if (!DecodeHexTx(mtx, rawtx.get_str())) {
212 "TX decode failed: " + rawtx.get_str() + " Make sure the tx has at least one input.");
213 }
214 txns.emplace_back(MakeTransactionRef(std::move(mtx)));
215 }
216
217 NodeContext& node = EnsureAnyNodeContext(request.context);
218 CTxMemPool& mempool = EnsureMemPool(node);
220 Chainstate& chainstate = chainman.ActiveChainstate();
221 const PackageMempoolAcceptResult package_result = [&] {
223 if (txns.size() > 1) return ProcessNewPackage(chainstate, mempool, txns, /*test_accept=*/true, /*client_maxfeerate=*/{});
224 return PackageMempoolAcceptResult(txns[0]->GetWitnessHash(),
225 chainman.ProcessTransaction(txns[0], /*test_accept=*/true));
226 }();
227
228 UniValue rpc_result(UniValue::VARR);
229 // We will check transaction fees while we iterate through txns in order. If any transaction fee
230 // exceeds maxfeerate, we will leave the rest of the validation results blank, because it
231 // doesn't make sense to return a validation result for a transaction if its ancestor(s) would
232 // not be submitted.
233 bool exit_early{false};
234 for (const auto& tx : txns) {
235 UniValue result_inner(UniValue::VOBJ);
236 result_inner.pushKV("txid", tx->GetHash().GetHex());
237 result_inner.pushKV("wtxid", tx->GetWitnessHash().GetHex());
239 result_inner.pushKV("package-error", package_result.m_state.ToString());
240 }
241 auto it = package_result.m_tx_results.find(tx->GetWitnessHash());
242 if (exit_early || it == package_result.m_tx_results.end()) {
243 // Validation unfinished. Just return the txid and wtxid.
244 rpc_result.push_back(std::move(result_inner));
245 continue;
246 }
247 const auto& tx_result = it->second;
248 // Package testmempoolaccept doesn't allow transactions to already be in the mempool.
250 if (tx_result.m_result_type == MempoolAcceptResult::ResultType::VALID) {
251 const CAmount fee = tx_result.m_base_fees.value();
252 // Check that fee does not exceed maximum fee
253 const int64_t virtual_size = tx_result.m_vsize.value();
254 const CAmount max_raw_tx_fee = max_raw_tx_fee_rate.GetFee(virtual_size);
255 if (max_raw_tx_fee && fee > max_raw_tx_fee) {
256 result_inner.pushKV("allowed", false);
257 result_inner.pushKV("reject-reason", "max-fee-exceeded");
258 exit_early = true;
259 } else {
260 // Only return the fee and vsize if the transaction would pass ATMP.
261 // These can be used to calculate the feerate.
262 result_inner.pushKV("allowed", true);
263 result_inner.pushKV("vsize", virtual_size);
265 fees.pushKV("base", ValueFromAmount(fee));
266 fees.pushKV("effective-feerate", ValueFromAmount(tx_result.m_effective_feerate.value().GetFeePerK()));
267 UniValue effective_includes_res(UniValue::VARR);
268 for (const auto& wtxid : tx_result.m_wtxids_fee_calculations.value()) {
269 effective_includes_res.push_back(wtxid.ToString());
270 }
271 fees.pushKV("effective-includes", std::move(effective_includes_res));
272 result_inner.pushKV("fees", std::move(fees));
273 }
274 } else {
275 result_inner.pushKV("allowed", false);
276 const TxValidationState state = tx_result.m_state;
278 result_inner.pushKV("reject-reason", "missing-inputs");
279 } else {
280 result_inner.pushKV("reject-reason", state.GetRejectReason());
281 result_inner.pushKV("reject-details", state.ToString());
282 }
283 }
284 rpc_result.push_back(std::move(result_inner));
285 }
286 return rpc_result;
287 },
288 };
289}
290
291static std::vector<RPCResult> ClusterDescription()
292{
293 return {
294 RPCResult{RPCResult::Type::NUM, "clusterweight", "total sigops-adjusted weight (as defined in BIP 141 and modified by '-bytespersigop')"},
295 RPCResult{RPCResult::Type::NUM, "txcount", "number of transactions"},
296 RPCResult{RPCResult::Type::ARR, "chunks", "chunks in this cluster (in mining order)",
297 {RPCResult{RPCResult::Type::OBJ, "chunk", "",
298 {
299 RPCResult{RPCResult::Type::NUM, "chunkfee", "fees of the transactions in this chunk"},
300 RPCResult{RPCResult::Type::NUM, "chunkweight", "sigops-adjusted weight of all transactions in this chunk"},
301 RPCResult{RPCResult::Type::ARR, "txs", "transactions in this chunk in mining order",
302 {RPCResult{RPCResult::Type::STR_HEX, "txid", "transaction id"}}},
303 }
304 }}
305 }
306 };
307}
308
309static std::vector<RPCResult> MempoolEntryDescription()
310{
311 return {
312 RPCResult{RPCResult::Type::NUM, "vsize", "virtual transaction size as defined in BIP 141. This is different from actual serialized size for witness transactions as witness data is discounted."},
313 RPCResult{RPCResult::Type::NUM, "weight", "transaction weight as defined in BIP 141."},
314 RPCResult{RPCResult::Type::NUM_TIME, "time", "local time transaction entered pool in seconds since 1 Jan 1970 GMT"},
315 RPCResult{RPCResult::Type::NUM, "height", "block height when transaction entered pool"},
316 RPCResult{RPCResult::Type::NUM, "descendantcount", "number of in-mempool descendant transactions (including this one)"},
317 RPCResult{RPCResult::Type::NUM, "descendantsize", "virtual transaction size of in-mempool descendants (including this one)"},
318 RPCResult{RPCResult::Type::NUM, "ancestorcount", "number of in-mempool ancestor transactions (including this one)"},
319 RPCResult{RPCResult::Type::NUM, "ancestorsize", "virtual transaction size of in-mempool ancestors (including this one)"},
320 RPCResult{RPCResult::Type::NUM, "chunkweight", "sigops-adjusted weight (as defined in BIP 141 and modified by '-bytespersigop') of this transaction's chunk"},
321 RPCResult{RPCResult::Type::STR_HEX, "wtxid", "hash of serialized transaction, including witness data"},
323 {
324 RPCResult{RPCResult::Type::STR_AMOUNT, "base", "transaction fee, denominated in " + CURRENCY_UNIT},
325 RPCResult{RPCResult::Type::STR_AMOUNT, "modified", "transaction fee with fee deltas used for mining priority, denominated in " + CURRENCY_UNIT},
326 RPCResult{RPCResult::Type::STR_AMOUNT, "ancestor", "transaction fees of in-mempool ancestors (including this one) with fee deltas used for mining priority, denominated in " + CURRENCY_UNIT},
327 RPCResult{RPCResult::Type::STR_AMOUNT, "descendant", "transaction fees of in-mempool descendants (including this one) with fee deltas used for mining priority, denominated in " + CURRENCY_UNIT},
328 RPCResult{RPCResult::Type::STR_AMOUNT, "chunk", "transaction fees of chunk, denominated in " + CURRENCY_UNIT},
329 }},
330 RPCResult{RPCResult::Type::ARR, "depends", "unconfirmed transactions used as inputs for this transaction",
331 {RPCResult{RPCResult::Type::STR_HEX, "transactionid", "parent transaction id"}}},
332 RPCResult{RPCResult::Type::ARR, "spentby", "unconfirmed transactions spending outputs from this transaction",
333 {RPCResult{RPCResult::Type::STR_HEX, "transactionid", "child transaction id"}}},
334 RPCResult{RPCResult::Type::BOOL, "bip125-replaceable", "Whether this transaction signals BIP125 replaceability or has an unconfirmed ancestor signaling BIP125 replaceability. (DEPRECATED)\n"},
335 RPCResult{RPCResult::Type::BOOL, "unbroadcast", "Whether this transaction is currently unbroadcast (initial broadcast not yet acknowledged by any peers)"},
336 };
337}
338
339void AppendChunkInfo(UniValue& all_chunks, FeePerWeight chunk_feerate, std::vector<const CTxMemPoolEntry *> chunk_txs)
340{
342 chunk.pushKV("chunkfee", ValueFromAmount(chunk_feerate.fee));
343 chunk.pushKV("chunkweight", chunk_feerate.size);
344 UniValue chunk_txids(UniValue::VARR);
345 for (const auto& chunk_tx : chunk_txs) {
346 chunk_txids.push_back(chunk_tx->GetTx().GetHash().ToString());
347 }
348 chunk.pushKV("txs", std::move(chunk_txids));
349 all_chunks.push_back(std::move(chunk));
350}
351
352static void clusterToJSON(const CTxMemPool& pool, UniValue& info, std::vector<const CTxMemPoolEntry *> cluster) EXCLUSIVE_LOCKS_REQUIRED(pool.cs)
353{
354 AssertLockHeld(pool.cs);
355 int total_weight{0};
356 for (const auto& tx : cluster) {
357 total_weight += tx->GetAdjustedWeight();
358 }
359 info.pushKV("clusterweight", total_weight);
360 info.pushKV("txcount", cluster.size());
361
362 // Output the cluster by chunk. This isn't handed to us by the mempool, but
363 // we can calculate it by looking at the chunk feerates of each transaction
364 // in the cluster.
365 FeePerWeight current_chunk_feerate = pool.GetMainChunkFeerate(*cluster[0]);
366 std::vector<const CTxMemPoolEntry *> current_chunk;
367 current_chunk.reserve(cluster.size());
368
369 UniValue all_chunks(UniValue::VARR);
370 for (const auto& tx : cluster) {
371 if (current_chunk_feerate.size == 0) {
372 // We've iterated all the transactions in the previous chunk; so
373 // append it to the output.
374 AppendChunkInfo(all_chunks, pool.GetMainChunkFeerate(*current_chunk[0]), current_chunk);
375 current_chunk.clear();
376 current_chunk_feerate = pool.GetMainChunkFeerate(*tx);
377 }
378 current_chunk.push_back(tx);
379 current_chunk_feerate.size -= tx->GetAdjustedWeight();
380 }
381 AppendChunkInfo(all_chunks, pool.GetMainChunkFeerate(*current_chunk[0]), current_chunk);
382 current_chunk.clear();
383 info.pushKV("chunks", std::move(all_chunks));
384}
385
386static void entryToJSON(const CTxMemPool& pool, UniValue& info, const CTxMemPoolEntry& e) EXCLUSIVE_LOCKS_REQUIRED(pool.cs)
387{
388 AssertLockHeld(pool.cs);
389
390 auto [ancestor_count, ancestor_size, ancestor_fees] = pool.CalculateAncestorData(e);
391 auto [descendant_count, descendant_size, descendant_fees] = pool.CalculateDescendantData(e);
392
393 info.pushKV("vsize", e.GetTxSize());
394 info.pushKV("weight", e.GetTxWeight());
395 info.pushKV("time", count_seconds(e.GetTime()));
396 info.pushKV("height", e.GetHeight());
397 info.pushKV("descendantcount", descendant_count);
398 info.pushKV("descendantsize", descendant_size);
399 info.pushKV("ancestorcount", ancestor_count);
400 info.pushKV("ancestorsize", ancestor_size);
401 info.pushKV("wtxid", e.GetTx().GetWitnessHash().ToString());
402 auto feerate = pool.GetMainChunkFeerate(e);
403 info.pushKV("chunkweight", feerate.size);
404
406 fees.pushKV("base", ValueFromAmount(e.GetFee()));
407 fees.pushKV("modified", ValueFromAmount(e.GetModifiedFee()));
408 fees.pushKV("ancestor", ValueFromAmount(ancestor_fees));
409 fees.pushKV("descendant", ValueFromAmount(descendant_fees));
410 fees.pushKV("chunk", ValueFromAmount(feerate.fee));
411 info.pushKV("fees", std::move(fees));
412
413 const CTransaction& tx = e.GetTx();
414 std::set<std::string> setDepends;
415 for (const CTxIn& txin : tx.vin)
416 {
417 if (pool.exists(txin.prevout.hash))
418 setDepends.insert(txin.prevout.hash.ToString());
419 }
420
421 UniValue depends(UniValue::VARR);
422 for (const std::string& dep : setDepends)
423 {
424 depends.push_back(dep);
425 }
426
427 info.pushKV("depends", std::move(depends));
428
430 for (const CTxMemPoolEntry& child : pool.GetChildren(e)) {
431 spent.push_back(child.GetTx().GetHash().ToString());
432 }
433
434 info.pushKV("spentby", std::move(spent));
435
436 // Add opt-in RBF status
437 bool rbfStatus = false;
438 RBFTransactionState rbfState = IsRBFOptIn(tx, pool);
439 if (rbfState == RBFTransactionState::UNKNOWN) {
440 throw JSONRPCError(RPC_MISC_ERROR, "Transaction is not in mempool");
441 } else if (rbfState == RBFTransactionState::REPLACEABLE_BIP125) {
442 rbfStatus = true;
443 }
444
445 info.pushKV("bip125-replaceable", rbfStatus);
446 info.pushKV("unbroadcast", pool.IsUnbroadcastTx(tx.GetHash()));
447}
448
449UniValue MempoolToJSON(const CTxMemPool& pool, bool verbose, bool include_mempool_sequence)
450{
451 if (verbose) {
452 if (include_mempool_sequence) {
453 throw JSONRPCError(RPC_INVALID_PARAMETER, "Verbose results cannot contain mempool sequence values.");
454 }
455 LOCK(pool.cs);
457 for (const CTxMemPoolEntry& e : pool.entryAll()) {
459 entryToJSON(pool, info, e);
460 // Mempool has unique entries so there is no advantage in using
461 // UniValue::pushKV, which checks if the key already exists in O(N).
462 // UniValue::pushKVEnd is used instead which currently is O(1).
463 o.pushKVEnd(e.GetTx().GetHash().ToString(), std::move(info));
464 }
465 return o;
466 } else {
468 uint64_t mempool_sequence;
469 {
470 LOCK(pool.cs);
471 for (const CTxMemPoolEntry& e : pool.entryAll()) {
472 a.push_back(e.GetTx().GetHash().ToString());
473 }
474 mempool_sequence = pool.GetSequence();
475 }
476 if (!include_mempool_sequence) {
477 return a;
478 } else {
480 o.pushKV("txids", std::move(a));
481 o.pushKV("mempool_sequence", mempool_sequence);
482 return o;
483 }
484 }
485}
486
488{
489 return RPCHelpMan{"getmempoolfeeratediagram",
490 "Returns the feerate diagram for the whole mempool.",
491 {},
492 {
493 RPCResult{"mempool chunks",
494 RPCResult::Type::ARR, "", "",
495 {
496 {
497 RPCResult::Type::OBJ, "", "",
498 {
499 {RPCResult::Type::NUM, "weight", "cumulative sigops-adjusted weight"},
500 {RPCResult::Type::NUM, "fee", "cumulative fee"}
501 }
502 }
503 }
504 }
505 },
507 HelpExampleCli("getmempoolfeeratediagram", "")
508 + HelpExampleRpc("getmempoolfeeratediagram", "")
509 },
510 [&](const RPCHelpMan& self, const JSONRPCRequest& request) -> UniValue
511 {
512 const CTxMemPool& mempool = EnsureAnyMemPool(request.context);
513 LOCK(mempool.cs);
514
515 UniValue result(UniValue::VARR);
516
517 auto diagram = mempool.GetFeerateDiagram();
518
519 for (auto f : diagram) {
521 o.pushKV("weight", f.size);
522 o.pushKV("fee", ValueFromAmount(f.fee));
523 result.push_back(o);
524 }
525 return result;
526 }
527 };
528}
529
531{
532 return RPCHelpMan{
533 "getrawmempool",
534 "Returns all transaction ids in memory pool as a json array of string transaction ids.\n"
535 "\nHint: use getmempoolentry to fetch a specific transaction from the mempool.\n",
536 {
537 {"verbose", RPCArg::Type::BOOL, RPCArg::Default{false}, "True for a json object, false for array of transaction ids"},
538 {"mempool_sequence", RPCArg::Type::BOOL, RPCArg::Default{false}, "If verbose=false, returns a json object with transaction list and mempool sequence number attached."},
539 },
540 {
541 RPCResult{"for verbose = false",
542 RPCResult::Type::ARR, "", "",
543 {
544 {RPCResult::Type::STR_HEX, "", "The transaction id"},
545 }},
546 RPCResult{"for verbose = true",
548 {
549 {RPCResult::Type::OBJ, "transactionid", "", MempoolEntryDescription()},
550 }},
551 RPCResult{"for verbose = false and mempool_sequence = true",
552 RPCResult::Type::OBJ, "", "",
553 {
554 {RPCResult::Type::ARR, "txids", "",
555 {
556 {RPCResult::Type::STR_HEX, "", "The transaction id"},
557 }},
558 {RPCResult::Type::NUM, "mempool_sequence", "The mempool sequence value."},
559 }},
560 },
562 HelpExampleCli("getrawmempool", "true")
563 + HelpExampleRpc("getrawmempool", "true")
564 },
565 [&](const RPCHelpMan& self, const JSONRPCRequest& request) -> UniValue
566{
567 bool fVerbose = false;
568 if (!request.params[0].isNull())
569 fVerbose = request.params[0].get_bool();
570
571 bool include_mempool_sequence = false;
572 if (!request.params[1].isNull()) {
573 include_mempool_sequence = request.params[1].get_bool();
574 }
575
576 return MempoolToJSON(EnsureAnyMemPool(request.context), fVerbose, include_mempool_sequence);
577},
578 };
579}
580
582{
583 return RPCHelpMan{
584 "getmempoolancestors",
585 "If txid is in the mempool, returns all in-mempool ancestors.\n",
586 {
587 {"txid", RPCArg::Type::STR_HEX, RPCArg::Optional::NO, "The transaction id (must be in mempool)"},
588 {"verbose", RPCArg::Type::BOOL, RPCArg::Default{false}, "True for a json object, false for array of transaction ids"},
589 },
590 {
591 RPCResult{"for verbose = false",
592 RPCResult::Type::ARR, "", "",
593 {{RPCResult::Type::STR_HEX, "", "The transaction id of an in-mempool ancestor transaction"}}},
594 RPCResult{"for verbose = true",
596 {
597 {RPCResult::Type::OBJ, "transactionid", "", MempoolEntryDescription()},
598 }},
599 },
601 HelpExampleCli("getmempoolancestors", "\"mytxid\"")
602 + HelpExampleRpc("getmempoolancestors", "\"mytxid\"")
603 },
604 [&](const RPCHelpMan& self, const JSONRPCRequest& request) -> UniValue
605{
606 bool fVerbose = false;
607 if (!request.params[1].isNull())
608 fVerbose = request.params[1].get_bool();
609
610 auto txid{Txid::FromUint256(ParseHashV(request.params[0], "txid"))};
611
612 const CTxMemPool& mempool = EnsureAnyMemPool(request.context);
613 LOCK(mempool.cs);
614
615 const auto entry{mempool.GetEntry(txid)};
616 if (entry == nullptr) {
617 throw JSONRPCError(RPC_INVALID_ADDRESS_OR_KEY, "Transaction not in mempool");
618 }
619
620 auto ancestors{mempool.CalculateMemPoolAncestors(*entry)};
621
622 if (!fVerbose) {
624 for (CTxMemPool::txiter ancestorIt : ancestors) {
625 o.push_back(ancestorIt->GetTx().GetHash().ToString());
626 }
627 return o;
628 } else {
630 for (CTxMemPool::txiter ancestorIt : ancestors) {
631 const CTxMemPoolEntry &e = *ancestorIt;
633 entryToJSON(mempool, info, e);
634 o.pushKV(e.GetTx().GetHash().ToString(), std::move(info));
635 }
636 return o;
637 }
638},
639 };
640}
641
643{
644 return RPCHelpMan{
645 "getmempooldescendants",
646 "If txid is in the mempool, returns all in-mempool descendants.\n",
647 {
648 {"txid", RPCArg::Type::STR_HEX, RPCArg::Optional::NO, "The transaction id (must be in mempool)"},
649 {"verbose", RPCArg::Type::BOOL, RPCArg::Default{false}, "True for a json object, false for array of transaction ids"},
650 },
651 {
652 RPCResult{"for verbose = false",
653 RPCResult::Type::ARR, "", "",
654 {{RPCResult::Type::STR_HEX, "", "The transaction id of an in-mempool descendant transaction"}}},
655 RPCResult{"for verbose = true",
657 {
658 {RPCResult::Type::OBJ, "transactionid", "", MempoolEntryDescription()},
659 }},
660 },
662 HelpExampleCli("getmempooldescendants", "\"mytxid\"")
663 + HelpExampleRpc("getmempooldescendants", "\"mytxid\"")
664 },
665 [&](const RPCHelpMan& self, const JSONRPCRequest& request) -> UniValue
666{
667 bool fVerbose = false;
668 if (!request.params[1].isNull())
669 fVerbose = request.params[1].get_bool();
670
671 auto txid{Txid::FromUint256(ParseHashV(request.params[0], "txid"))};
672
673 const CTxMemPool& mempool = EnsureAnyMemPool(request.context);
674 LOCK(mempool.cs);
675
676 const auto it{mempool.GetIter(txid)};
677 if (!it) {
678 throw JSONRPCError(RPC_INVALID_ADDRESS_OR_KEY, "Transaction not in mempool");
679 }
680
681 CTxMemPool::setEntries setDescendants;
682 mempool.CalculateDescendants(*it, setDescendants);
683 // CTxMemPool::CalculateDescendants will include the given tx
684 setDescendants.erase(*it);
685
686 if (!fVerbose) {
688 for (CTxMemPool::txiter descendantIt : setDescendants) {
689 o.push_back(descendantIt->GetTx().GetHash().ToString());
690 }
691
692 return o;
693 } else {
695 for (CTxMemPool::txiter descendantIt : setDescendants) {
696 const CTxMemPoolEntry &e = *descendantIt;
698 entryToJSON(mempool, info, e);
699 o.pushKV(e.GetTx().GetHash().ToString(), std::move(info));
700 }
701 return o;
702 }
703},
704 };
705}
706
708{
709 return RPCHelpMan{"getmempoolcluster",
710 "Returns mempool data for given cluster\n",
711 {
712 {"txid", RPCArg::Type::STR_HEX, RPCArg::Optional::NO, "The txid of a transaction in the cluster"},
713 },
714 RPCResult{
717 HelpExampleCli("getmempoolcluster", "txid")
718 + HelpExampleRpc("getmempoolcluster", "txid")
719 },
720 [&](const RPCHelpMan& self, const JSONRPCRequest& request) -> UniValue
721{
722 uint256 hash = ParseHashV(request.params[0], "txid");
723
724 const CTxMemPool& mempool = EnsureAnyMemPool(request.context);
725 LOCK(mempool.cs);
726
727 auto txid = Txid::FromUint256(hash);
728 const auto entry{mempool.GetEntry(txid)};
729 if (entry == nullptr) {
730 throw JSONRPCError(RPC_INVALID_ADDRESS_OR_KEY, "Transaction not in mempool");
731 }
732
733 auto cluster = mempool.GetCluster(txid);
734
736 clusterToJSON(mempool, info, cluster);
737 return info;
738},
739 };
740}
741
743{
744 return RPCHelpMan{
745 "getmempoolentry",
746 "Returns mempool data for given transaction\n",
747 {
748 {"txid", RPCArg::Type::STR_HEX, RPCArg::Optional::NO, "The transaction id (must be in mempool)"},
749 },
750 RPCResult{
753 HelpExampleCli("getmempoolentry", "\"mytxid\"")
754 + HelpExampleRpc("getmempoolentry", "\"mytxid\"")
755 },
756 [&](const RPCHelpMan& self, const JSONRPCRequest& request) -> UniValue
757{
758 auto txid{Txid::FromUint256(ParseHashV(request.params[0], "txid"))};
759
760 const CTxMemPool& mempool = EnsureAnyMemPool(request.context);
761 LOCK(mempool.cs);
762
763 const auto entry{mempool.GetEntry(txid)};
764 if (entry == nullptr) {
765 throw JSONRPCError(RPC_INVALID_ADDRESS_OR_KEY, "Transaction not in mempool");
766 }
767
769 entryToJSON(mempool, info, *entry);
770 return info;
771},
772 };
773}
774
776{
777 return RPCHelpMan{"gettxspendingprevout",
778 "Scans the mempool to find transactions spending any of the given outputs",
779 {
780 {"outputs", RPCArg::Type::ARR, RPCArg::Optional::NO, "The transaction outputs that we want to check, and within each, the txid (string) vout (numeric).",
781 {
783 {
784 {"txid", RPCArg::Type::STR_HEX, RPCArg::Optional::NO, "The transaction id"},
785 {"vout", RPCArg::Type::NUM, RPCArg::Optional::NO, "The output number"},
786 },
787 },
788 },
789 },
790 },
791 RPCResult{
792 RPCResult::Type::ARR, "", "",
793 {
794 {RPCResult::Type::OBJ, "", "",
795 {
796 {RPCResult::Type::STR_HEX, "txid", "the transaction id of the checked output"},
797 {RPCResult::Type::NUM, "vout", "the vout value of the checked output"},
798 {RPCResult::Type::STR_HEX, "spendingtxid", /*optional=*/true, "the transaction id of the mempool transaction spending this output (omitted if unspent)"},
799 }},
800 }
801 },
803 HelpExampleCli("gettxspendingprevout", "\"[{\\\"txid\\\":\\\"a08e6907dbbd3d809776dbfc5d82e371b764ed838b5655e72f463568df1aadf0\\\",\\\"vout\\\":3}]\"")
804 + HelpExampleRpc("gettxspendingprevout", "\"[{\\\"txid\\\":\\\"a08e6907dbbd3d809776dbfc5d82e371b764ed838b5655e72f463568df1aadf0\\\",\\\"vout\\\":3}]\"")
805 },
806 [&](const RPCHelpMan& self, const JSONRPCRequest& request) -> UniValue
807 {
808 const UniValue& output_params = request.params[0].get_array();
809 if (output_params.empty()) {
810 throw JSONRPCError(RPC_INVALID_PARAMETER, "Invalid parameter, outputs are missing");
811 }
812
813 std::vector<COutPoint> prevouts;
814 prevouts.reserve(output_params.size());
815
816 for (unsigned int idx = 0; idx < output_params.size(); idx++) {
817 const UniValue& o = output_params[idx].get_obj();
818
820 {
821 {"txid", UniValueType(UniValue::VSTR)},
822 {"vout", UniValueType(UniValue::VNUM)},
823 }, /*fAllowNull=*/false, /*fStrict=*/true);
824
825 const Txid txid = Txid::FromUint256(ParseHashO(o, "txid"));
826 const int nOutput{o.find_value("vout").getInt<int>()};
827 if (nOutput < 0) {
828 throw JSONRPCError(RPC_INVALID_PARAMETER, "Invalid parameter, vout cannot be negative");
829 }
830
831 prevouts.emplace_back(txid, nOutput);
832 }
833
834 const CTxMemPool& mempool = EnsureAnyMemPool(request.context);
835 LOCK(mempool.cs);
836
837 UniValue result{UniValue::VARR};
838
839 for (const COutPoint& prevout : prevouts) {
841 o.pushKV("txid", prevout.hash.ToString());
842 o.pushKV("vout", prevout.n);
843
844 const CTransaction* spendingTx = mempool.GetConflictTx(prevout);
845 if (spendingTx != nullptr) {
846 o.pushKV("spendingtxid", spendingTx->GetHash().ToString());
847 }
848
849 result.push_back(std::move(o));
850 }
851
852 return result;
853 },
854 };
855}
856
858{
859 // Make sure this call is atomic in the pool.
860 LOCK(pool.cs);
862 ret.pushKV("loaded", pool.GetLoadTried());
863 ret.pushKV("size", pool.size());
864 ret.pushKV("bytes", pool.GetTotalTxSize());
865 ret.pushKV("usage", pool.DynamicMemoryUsage());
866 ret.pushKV("total_fee", ValueFromAmount(pool.GetTotalFee()));
867 ret.pushKV("maxmempool", pool.m_opts.max_size_bytes);
868 ret.pushKV("mempoolminfee", ValueFromAmount(std::max(pool.GetMinFee(), pool.m_opts.min_relay_feerate).GetFeePerK()));
869 ret.pushKV("minrelaytxfee", ValueFromAmount(pool.m_opts.min_relay_feerate.GetFeePerK()));
870 ret.pushKV("incrementalrelayfee", ValueFromAmount(pool.m_opts.incremental_relay_feerate.GetFeePerK()));
871 ret.pushKV("unbroadcastcount", pool.GetUnbroadcastTxs().size());
872 ret.pushKV("fullrbf", true);
873 ret.pushKV("permitbaremultisig", pool.m_opts.permit_bare_multisig);
874 ret.pushKV("maxdatacarriersize", pool.m_opts.max_datacarrier_bytes.value_or(0));
875 ret.pushKV("limitclustercount", pool.m_opts.limits.cluster_count);
876 ret.pushKV("limitclustersize", pool.m_opts.limits.cluster_size_vbytes);
877 return ret;
878}
879
881{
882 return RPCHelpMan{"getmempoolinfo",
883 "Returns details on the active state of the TX memory pool.",
884 {},
885 RPCResult{
886 RPCResult::Type::OBJ, "", "",
887 {
888 {RPCResult::Type::BOOL, "loaded", "True if the initial load attempt of the persisted mempool finished"},
889 {RPCResult::Type::NUM, "size", "Current tx count"},
890 {RPCResult::Type::NUM, "bytes", "Sum of all virtual transaction sizes as defined in BIP 141. Differs from actual serialized size because witness data is discounted"},
891 {RPCResult::Type::NUM, "usage", "Total memory usage for the mempool"},
892 {RPCResult::Type::STR_AMOUNT, "total_fee", "Total fees for the mempool in " + CURRENCY_UNIT + ", ignoring modified fees through prioritisetransaction"},
893 {RPCResult::Type::NUM, "maxmempool", "Maximum memory usage for the mempool"},
894 {RPCResult::Type::STR_AMOUNT, "mempoolminfee", "Minimum fee rate in " + CURRENCY_UNIT + "/kvB for tx to be accepted. Is the maximum of minrelaytxfee and minimum mempool fee"},
895 {RPCResult::Type::STR_AMOUNT, "minrelaytxfee", "Current minimum relay fee for transactions"},
896 {RPCResult::Type::NUM, "incrementalrelayfee", "minimum fee rate increment for mempool limiting or replacement in " + CURRENCY_UNIT + "/kvB"},
897 {RPCResult::Type::NUM, "unbroadcastcount", "Current number of transactions that haven't passed initial broadcast yet"},
898 {RPCResult::Type::BOOL, "fullrbf", "True if the mempool accepts RBF without replaceability signaling inspection (DEPRECATED)"},
899 {RPCResult::Type::BOOL, "permitbaremultisig", "True if the mempool accepts transactions with bare multisig outputs"},
900 {RPCResult::Type::NUM, "maxdatacarriersize", "Maximum number of bytes that can be used by OP_RETURN outputs in the mempool"},
901 {RPCResult::Type::NUM, "limitclustercount", "Maximum number of transactions that can be in a cluster (configured by -limitclustercount)"},
902 {RPCResult::Type::NUM, "limitclustersize", "Maximum size of a cluster in virtual bytes (configured by -limitclustersize)"},
903 }},
905 HelpExampleCli("getmempoolinfo", "")
906 + HelpExampleRpc("getmempoolinfo", "")
907 },
908 [&](const RPCHelpMan& self, const JSONRPCRequest& request) -> UniValue
909{
910 return MempoolInfoToJSON(EnsureAnyMemPool(request.context));
911},
912 };
913}
914
916{
917 return RPCHelpMan{
918 "importmempool",
919 "Import a mempool.dat file and attempt to add its contents to the mempool.\n"
920 "Warning: Importing untrusted files is dangerous, especially if metadata from the file is taken over.",
921 {
922 {"filepath", RPCArg::Type::STR, RPCArg::Optional::NO, "The mempool file"},
923 {"options",
926 "",
927 {
928 {"use_current_time", RPCArg::Type::BOOL, RPCArg::Default{true},
929 "Whether to use the current system time or use the entry time metadata from the mempool file.\n"
930 "Warning: Importing untrusted metadata may lead to unexpected issues and undesirable behavior."},
931 {"apply_fee_delta_priority", RPCArg::Type::BOOL, RPCArg::Default{false},
932 "Whether to apply the fee delta metadata from the mempool file.\n"
933 "It will be added to any existing fee deltas.\n"
934 "The fee delta can be set by the prioritisetransaction RPC.\n"
935 "Warning: Importing untrusted metadata may lead to unexpected issues and undesirable behavior.\n"
936 "Only set this bool if you understand what it does."},
937 {"apply_unbroadcast_set", RPCArg::Type::BOOL, RPCArg::Default{false},
938 "Whether to apply the unbroadcast set metadata from the mempool file.\n"
939 "Warning: Importing untrusted metadata may lead to unexpected issues and undesirable behavior."},
940 },
941 RPCArgOptions{.oneline_description = "options"}},
942 },
943 RPCResult{RPCResult::Type::OBJ, "", "", std::vector<RPCResult>{}},
944 RPCExamples{HelpExampleCli("importmempool", "/path/to/mempool.dat") + HelpExampleRpc("importmempool", "/path/to/mempool.dat")},
945 [&](const RPCHelpMan& self, const JSONRPCRequest& request) -> UniValue {
946 const NodeContext& node{EnsureAnyNodeContext(request.context)};
947
948 CTxMemPool& mempool{EnsureMemPool(node)};
950 Chainstate& chainstate = chainman.ActiveChainstate();
951
952 if (chainman.IsInitialBlockDownload()) {
953 throw JSONRPCError(RPC_CLIENT_IN_INITIAL_DOWNLOAD, "Can only import the mempool after the block download and sync is done.");
954 }
955
956 const fs::path load_path{fs::u8path(self.Arg<std::string_view>("filepath"))};
957 const UniValue& use_current_time{request.params[1]["use_current_time"]};
958 const UniValue& apply_fee_delta{request.params[1]["apply_fee_delta_priority"]};
959 const UniValue& apply_unbroadcast{request.params[1]["apply_unbroadcast_set"]};
961 .use_current_time = use_current_time.isNull() ? true : use_current_time.get_bool(),
962 .apply_fee_delta_priority = apply_fee_delta.isNull() ? false : apply_fee_delta.get_bool(),
963 .apply_unbroadcast_set = apply_unbroadcast.isNull() ? false : apply_unbroadcast.get_bool(),
964 };
965
966 if (!node::LoadMempool(mempool, load_path, chainstate, std::move(opts))) {
967 throw JSONRPCError(RPC_MISC_ERROR, "Unable to import mempool file, see debug.log for details.");
968 }
969
971 return ret;
972 },
973 };
974}
975
977{
978 return RPCHelpMan{
979 "savemempool",
980 "Dumps the mempool to disk. It will fail until the previous dump is fully loaded.\n",
981 {},
982 RPCResult{
983 RPCResult::Type::OBJ, "", "",
984 {
985 {RPCResult::Type::STR, "filename", "the directory and file where the mempool was saved"},
986 }},
988 HelpExampleCli("savemempool", "")
989 + HelpExampleRpc("savemempool", "")
990 },
991 [&](const RPCHelpMan& self, const JSONRPCRequest& request) -> UniValue
992{
993 const ArgsManager& args{EnsureAnyArgsman(request.context)};
994 const CTxMemPool& mempool = EnsureAnyMemPool(request.context);
995
996 if (!mempool.GetLoadTried()) {
997 throw JSONRPCError(RPC_MISC_ERROR, "The mempool was not loaded yet");
998 }
999
1000 const fs::path& dump_path = MempoolPath(args);
1001
1002 if (!DumpMempool(mempool, dump_path)) {
1003 throw JSONRPCError(RPC_MISC_ERROR, "Unable to dump mempool to disk");
1004 }
1005
1007 ret.pushKV("filename", dump_path.utf8string());
1008
1009 return ret;
1010},
1011 };
1012}
1013
1014static std::vector<RPCResult> OrphanDescription()
1015{
1016 return {
1017 RPCResult{RPCResult::Type::STR_HEX, "txid", "The transaction hash in hex"},
1018 RPCResult{RPCResult::Type::STR_HEX, "wtxid", "The transaction witness hash in hex"},
1019 RPCResult{RPCResult::Type::NUM, "bytes", "The serialized transaction size in bytes"},
1020 RPCResult{RPCResult::Type::NUM, "vsize", "The virtual transaction size as defined in BIP 141. This is different from actual serialized size for witness transactions as witness data is discounted."},
1021 RPCResult{RPCResult::Type::NUM, "weight", "The transaction weight as defined in BIP 141."},
1022 RPCResult{RPCResult::Type::ARR, "from", "",
1023 {
1024 RPCResult{RPCResult::Type::NUM, "peer_id", "Peer ID"},
1025 }},
1026 };
1027}
1028
1030{
1032 o.pushKV("txid", orphan.tx->GetHash().ToString());
1033 o.pushKV("wtxid", orphan.tx->GetWitnessHash().ToString());
1034 o.pushKV("bytes", orphan.tx->ComputeTotalSize());
1035 o.pushKV("vsize", GetVirtualTransactionSize(*orphan.tx));
1036 o.pushKV("weight", GetTransactionWeight(*orphan.tx));
1038 for (const auto fromPeer: orphan.announcers) {
1039 from.push_back(fromPeer);
1040 }
1041 o.pushKV("from", from);
1042 return o;
1043}
1044
1046{
1047 return RPCHelpMan{
1048 "getorphantxs",
1049 "Shows transactions in the tx orphanage.\n"
1050 "\nEXPERIMENTAL warning: this call may be changed in future releases.\n",
1051 {
1052 {"verbosity", RPCArg::Type::NUM, RPCArg::Default{0}, "0 for an array of txids (may contain duplicates), 1 for an array of objects with tx details, and 2 for details from (1) and tx hex",
1054 },
1055 {
1056 RPCResult{"for verbose = 0",
1057 RPCResult::Type::ARR, "", "",
1058 {
1059 {RPCResult::Type::STR_HEX, "txid", "The transaction hash in hex"},
1060 }},
1061 RPCResult{"for verbose = 1",
1062 RPCResult::Type::ARR, "", "",
1063 {
1065 }},
1066 RPCResult{"for verbose = 2",
1067 RPCResult::Type::ARR, "", "",
1068 {
1069 {RPCResult::Type::OBJ, "", "",
1070 Cat<std::vector<RPCResult>>(
1072 {{RPCResult::Type::STR_HEX, "hex", "The serialized, hex-encoded transaction data"}}
1073 )
1074 },
1075 }},
1076 },
1078 HelpExampleCli("getorphantxs", "2")
1079 + HelpExampleRpc("getorphantxs", "2")
1080 },
1081 [&](const RPCHelpMan& self, const JSONRPCRequest& request) -> UniValue
1082 {
1083 const NodeContext& node = EnsureAnyNodeContext(request.context);
1084 PeerManager& peerman = EnsurePeerman(node);
1085 std::vector<node::TxOrphanage::OrphanInfo> orphanage = peerman.GetOrphanTransactions();
1086
1087 int verbosity{ParseVerbosity(request.params[0], /*default_verbosity=*/0, /*allow_bool=*/false)};
1088
1090
1091 if (verbosity == 0) {
1092 for (auto const& orphan : orphanage) {
1093 ret.push_back(orphan.tx->GetHash().ToString());
1094 }
1095 } else if (verbosity == 1) {
1096 for (auto const& orphan : orphanage) {
1097 ret.push_back(OrphanToJSON(orphan));
1098 }
1099 } else if (verbosity == 2) {
1100 for (auto const& orphan : orphanage) {
1101 UniValue o{OrphanToJSON(orphan)};
1102 o.pushKV("hex", EncodeHexTx(*orphan.tx));
1103 ret.push_back(o);
1104 }
1105 } else {
1106 throw JSONRPCError(RPC_INVALID_PARAMETER, "Invalid verbosity value " + ToString(verbosity));
1107 }
1108
1109 return ret;
1110 },
1111 };
1112}
1113
1115{
1116 return RPCHelpMan{"submitpackage",
1117 "Submit a package of raw transactions (serialized, hex-encoded) to local node.\n"
1118 "The package will be validated according to consensus and mempool policy rules. If any transaction passes, it will be accepted to mempool.\n"
1119 "This RPC is experimental and the interface may be unstable. Refer to doc/policy/packages.md for documentation on package policies.\n"
1120 "Warning: successful submission does not mean the transactions will propagate throughout the network.\n"
1121 ,
1122 {
1123 {"package", RPCArg::Type::ARR, RPCArg::Optional::NO, "An array of raw transactions.\n"
1124 "The package must consist of a transaction with (some, all, or none of) its unconfirmed parents. A single transaction is permitted.\n"
1125 "None of the parents may depend on each other. Parents that are already in mempool do not need to be present in the package.\n"
1126 "The package must be topologically sorted, with the child being the last element in the array if there are multiple elements.",
1127 {
1129 },
1130 },
1132 "Reject transactions whose fee rate is higher than the specified value, expressed in " + CURRENCY_UNIT +
1133 "/kvB.\nFee rates larger than 1BTC/kvB are rejected.\nSet to 0 to accept any fee rate."},
1135 "Reject transactions with provably unspendable outputs (e.g. 'datacarrier' outputs that use the OP_RETURN opcode) greater than the specified value, expressed in " + CURRENCY_UNIT + ".\n"
1136 "If burning funds through unspendable outputs is desired, increase this value.\n"
1137 "This check is based on heuristics and does not guarantee spendability of outputs.\n"
1138 },
1139 },
1140 RPCResult{
1141 RPCResult::Type::OBJ, "", "",
1142 {
1143 {RPCResult::Type::STR, "package_msg", "The transaction package result message. \"success\" indicates all transactions were accepted into or are already in the mempool."},
1144 {RPCResult::Type::OBJ_DYN, "tx-results", "The transaction results keyed by wtxid. An entry is returned for every submitted wtxid.",
1145 {
1146 {RPCResult::Type::OBJ, "wtxid", "transaction wtxid", {
1147 {RPCResult::Type::STR_HEX, "txid", "The transaction hash in hex"},
1148 {RPCResult::Type::STR_HEX, "other-wtxid", /*optional=*/true, "The wtxid of a different transaction with the same txid but different witness found in the mempool. This means the submitted transaction was ignored."},
1149 {RPCResult::Type::NUM, "vsize", /*optional=*/true, "Sigops-adjusted virtual transaction size."},
1150 {RPCResult::Type::OBJ, "fees", /*optional=*/true, "Transaction fees", {
1151 {RPCResult::Type::STR_AMOUNT, "base", "transaction fee in " + CURRENCY_UNIT},
1152 {RPCResult::Type::STR_AMOUNT, "effective-feerate", /*optional=*/true, "if the transaction was not already in the mempool, the effective feerate in " + CURRENCY_UNIT + " per KvB. For example, the package feerate and/or feerate with modified fees from prioritisetransaction."},
1153 {RPCResult::Type::ARR, "effective-includes", /*optional=*/true, "if effective-feerate is provided, the wtxids of the transactions whose fees and vsizes are included in effective-feerate.",
1154 {{RPCResult::Type::STR_HEX, "", "transaction wtxid in hex"},
1155 }},
1156 }},
1157 {RPCResult::Type::STR, "error", /*optional=*/true, "Error string if rejected from mempool, or \"package-not-validated\" when the package aborts before any per-tx processing."},
1158 }}
1159 }},
1160 {RPCResult::Type::ARR, "replaced-transactions", /*optional=*/true, "List of txids of replaced transactions",
1161 {
1162 {RPCResult::Type::STR_HEX, "", "The transaction id"},
1163 }},
1164 },
1165 },
1167 HelpExampleRpc("submitpackage", R"(["raw-parent-tx-1", "raw-parent-tx-2", "raw-child-tx"])") +
1168 HelpExampleCli("submitpackage", R"('["raw-tx-without-unconfirmed-parents"]')")
1169 },
1170 [&](const RPCHelpMan& self, const JSONRPCRequest& request) -> UniValue
1171 {
1172 const UniValue raw_transactions = request.params[0].get_array();
1173 if (raw_transactions.empty() || raw_transactions.size() > MAX_PACKAGE_COUNT) {
1175 "Array must contain between 1 and " + ToString(MAX_PACKAGE_COUNT) + " transactions.");
1176 }
1177
1178 // Fee check needs to be run with chainstate and package context
1179 const CFeeRate max_raw_tx_fee_rate{ParseFeeRate(self.Arg<UniValue>("maxfeerate"))};
1180 std::optional<CFeeRate> client_maxfeerate{max_raw_tx_fee_rate};
1181 // 0-value is special; it's mapped to no sanity check
1182 if (max_raw_tx_fee_rate == CFeeRate(0)) {
1183 client_maxfeerate = std::nullopt;
1184 }
1185
1186 // Burn sanity check is run with no context
1187 const CAmount max_burn_amount = request.params[2].isNull() ? 0 : AmountFromValue(request.params[2]);
1188
1189 std::vector<CTransactionRef> txns;
1190 txns.reserve(raw_transactions.size());
1191 for (const auto& rawtx : raw_transactions.getValues()) {
1193 if (!DecodeHexTx(mtx, rawtx.get_str())) {
1195 "TX decode failed: " + rawtx.get_str() + " Make sure the tx has at least one input.");
1196 }
1197
1198 for (const auto& out : mtx.vout) {
1199 if((out.scriptPubKey.IsUnspendable() || !out.scriptPubKey.HasValidOps()) && out.nValue > max_burn_amount) {
1200 throw JSONRPCTransactionError(TransactionError::MAX_BURN_EXCEEDED);
1201 }
1202 }
1203
1204 txns.emplace_back(MakeTransactionRef(std::move(mtx)));
1205 }
1206 CHECK_NONFATAL(!txns.empty());
1207 if (txns.size() > 1 && !IsChildWithParentsTree(txns)) {
1208 throw JSONRPCTransactionError(TransactionError::INVALID_PACKAGE, "package topology disallowed. not child-with-parents or parents depend on each other.");
1209 }
1210
1211 NodeContext& node = EnsureAnyNodeContext(request.context);
1212 CTxMemPool& mempool = EnsureMemPool(node);
1214 const auto package_result = WITH_LOCK(::cs_main, return ProcessNewPackage(chainstate, mempool, txns, /*test_accept=*/ false, client_maxfeerate));
1215
1216 std::string package_msg = "success";
1217
1218 // First catch package-wide errors, continue if we can
1219 switch(package_result.m_state.GetResult()) {
1221 {
1222 // Belt-and-suspenders check; everything should be successful here
1223 CHECK_NONFATAL(package_result.m_tx_results.size() == txns.size());
1224 for (const auto& tx : txns) {
1225 CHECK_NONFATAL(mempool.exists(tx->GetHash()));
1226 }
1227 break;
1228 }
1230 {
1231 // This only happens with internal bug; user should stop and report
1232 throw JSONRPCTransactionError(TransactionError::MEMPOOL_ERROR,
1233 package_result.m_state.GetRejectReason());
1234 }
1237 {
1238 // Package-wide error we want to return, but we also want to return individual responses
1239 package_msg = package_result.m_state.ToString();
1240 CHECK_NONFATAL(package_result.m_tx_results.size() == txns.size() ||
1241 package_result.m_tx_results.empty());
1242 break;
1243 }
1244 }
1245
1246 size_t num_broadcast{0};
1247 for (const auto& tx : txns) {
1248 // We don't want to re-submit the txn for validation in BroadcastTransaction
1249 if (!mempool.exists(tx->GetHash())) {
1250 continue;
1251 }
1252
1253 // We do not expect an error here; we are only broadcasting things already/still in mempool
1254 std::string err_string;
1255 const auto err = BroadcastTransaction(node,
1256 tx,
1257 err_string,
1258 /*max_tx_fee=*/0,
1260 /*wait_callback=*/true);
1261 if (err != TransactionError::OK) {
1262 throw JSONRPCTransactionError(err,
1263 strprintf("transaction broadcast failed: %s (%d transactions were broadcast successfully)",
1264 err_string, num_broadcast));
1265 }
1266 num_broadcast++;
1267 }
1268
1269 UniValue rpc_result{UniValue::VOBJ};
1270 rpc_result.pushKV("package_msg", package_msg);
1271 UniValue tx_result_map{UniValue::VOBJ};
1272 std::set<Txid> replaced_txids;
1273 for (const auto& tx : txns) {
1274 UniValue result_inner{UniValue::VOBJ};
1275 result_inner.pushKV("txid", tx->GetHash().GetHex());
1276 const auto wtxid_hex = tx->GetWitnessHash().GetHex();
1277 auto it = package_result.m_tx_results.find(tx->GetWitnessHash());
1278 if (it == package_result.m_tx_results.end()) {
1279 // No per-tx result for this wtxid
1280 // Current invariant: per-tx results are all-or-none (every member or empty on package abort).
1281 // If any exist yet this one is missing, it's an unexpected partial map.
1282 CHECK_NONFATAL(package_result.m_tx_results.empty());
1283 result_inner.pushKV("error", "package-not-validated");
1284 tx_result_map.pushKV(wtxid_hex, std::move(result_inner));
1285 continue;
1286 }
1287 const auto& tx_result = it->second;
1288 switch(it->second.m_result_type) {
1290 result_inner.pushKV("other-wtxid", it->second.m_other_wtxid.value().GetHex());
1291 break;
1293 result_inner.pushKV("error", it->second.m_state.ToString());
1294 break;
1297 result_inner.pushKV("vsize", it->second.m_vsize.value());
1299 fees.pushKV("base", ValueFromAmount(it->second.m_base_fees.value()));
1300 if (tx_result.m_result_type == MempoolAcceptResult::ResultType::VALID) {
1301 // Effective feerate is not provided for MEMPOOL_ENTRY transactions even
1302 // though modified fees is known, because it is unknown whether package
1303 // feerate was used when it was originally submitted.
1304 fees.pushKV("effective-feerate", ValueFromAmount(tx_result.m_effective_feerate.value().GetFeePerK()));
1305 UniValue effective_includes_res(UniValue::VARR);
1306 for (const auto& wtxid : tx_result.m_wtxids_fee_calculations.value()) {
1307 effective_includes_res.push_back(wtxid.ToString());
1308 }
1309 fees.pushKV("effective-includes", std::move(effective_includes_res));
1310 }
1311 result_inner.pushKV("fees", std::move(fees));
1312 for (const auto& ptx : it->second.m_replaced_transactions) {
1313 replaced_txids.insert(ptx->GetHash());
1314 }
1315 break;
1316 }
1317 tx_result_map.pushKV(wtxid_hex, std::move(result_inner));
1318 }
1319 rpc_result.pushKV("tx-results", std::move(tx_result_map));
1320 UniValue replaced_list(UniValue::VARR);
1321 for (const auto& txid : replaced_txids) replaced_list.push_back(txid.ToString());
1322 rpc_result.pushKV("replaced-transactions", std::move(replaced_list));
1323 return rpc_result;
1324 },
1325 };
1326}
1327
1329{
1330 static const CRPCCommand commands[]{
1331 {"rawtransactions", &sendrawtransaction},
1332 {"rawtransactions", &testmempoolaccept},
1333 {"blockchain", &getmempoolancestors},
1334 {"blockchain", &getmempooldescendants},
1335 {"blockchain", &getmempoolentry},
1336 {"blockchain", &getmempoolcluster},
1337 {"blockchain", &gettxspendingprevout},
1338 {"blockchain", &getmempoolinfo},
1339 {"hidden", &getmempoolfeeratediagram},
1340 {"blockchain", &getrawmempool},
1341 {"blockchain", &importmempool},
1342 {"blockchain", &savemempool},
1343 {"hidden", &getorphantxs},
1344 {"rawtransactions", &submitpackage},
1345 };
1346 for (const auto& c : commands) {
1347 t.appendCommand(c.name, &c);
1348 }
1349}
int64_t CAmount
Amount in satoshis (Can be negative)
Definition: amount.h:12
ArgsManager gArgs
Definition: args.cpp:40
int ret
static CAmount AmountFromValue(const UniValue &value)
Definition: bitcoin-tx.cpp:554
ArgsManager & args
Definition: bitcoind.cpp:277
#define CHECK_NONFATAL(condition)
Identity function.
Definition: check.h:109
bool GetBoolArg(const std::string &strArg, bool fDefault) const
Return boolean argument or default value.
Definition: args.cpp:511
Fee rate in satoshis per virtualbyte: CAmount / vB the feerate is represented internally as FeeFrac.
Definition: feerate.h:35
CAmount GetFeePerK() const
Return the fee in satoshis for a vsize of 1000 vbytes.
Definition: feerate.h:65
An outpoint - a combination of a transaction hash and an index n into its vout.
Definition: transaction.h:29
Txid hash
Definition: transaction.h:31
RPC command dispatcher.
Definition: server.h:87
The basic transaction that is broadcasted on the network and contained in blocks.
Definition: transaction.h:281
const Txid & GetHash() const LIFETIMEBOUND
Definition: transaction.h:328
const std::vector< CTxIn > vin
Definition: transaction.h:291
An input of a transaction.
Definition: transaction.h:62
COutPoint prevout
Definition: transaction.h:64
CTxMemPoolEntry stores data about the corresponding transaction, as well as data about all in-mempool...
Definition: mempool_entry.h:66
const CTransaction & GetTx() const
CTxMemPool stores valid-according-to-the-current-best-chain transactions that may be included in the ...
Definition: txmempool.h:188
std::vector< const CTxMemPoolEntry * > GetCluster(Txid txid) const EXCLUSIVE_LOCKS_REQUIRED(cs)
Definition: txmempool.h:401
std::optional< txiter > GetIter(const Txid &txid) const EXCLUSIVE_LOCKS_REQUIRED(cs)
Returns an iterator to the given hash, if found.
Definition: txmempool.cpp:681
bool GetLoadTried() const
Definition: txmempool.cpp:942
RecursiveMutex cs
This mutex needs to be locked when accessing mapTx or other members that are guarded by it.
Definition: txmempool.h:261
CFeeRate GetMinFee(size_t sizelimit) const
Definition: txmempool.cpp:815
size_t DynamicMemoryUsage() const
Definition: txmempool.cpp:764
const Options m_opts
Definition: txmempool.h:304
std::vector< FeePerWeight > GetFeerateDiagram() const EXCLUSIVE_LOCKS_REQUIRED(cs)
Definition: txmempool.cpp:1067
bool exists(const Txid &txid) const
Definition: txmempool.h:504
std::set< txiter, CompareIteratorByHash > setEntries
Definition: txmempool.h:269
uint64_t GetSequence() const EXCLUSIVE_LOCKS_REQUIRED(cs)
Definition: txmempool.h:575
indexed_transaction_set::nth_index< 0 >::type::const_iterator txiter
Definition: txmempool.h:266
const CTransaction * GetConflictTx(const COutPoint &prevout) const EXCLUSIVE_LOCKS_REQUIRED(cs)
Get the transaction in the pool that spends the same prevout.
Definition: txmempool.cpp:675
std::set< Txid > GetUnbroadcastTxs() const
Returns transactions in unbroadcast set.
Definition: txmempool.h:557
void CalculateDescendants(txiter it, setEntries &setDescendants) const EXCLUSIVE_LOCKS_REQUIRED(cs)
Populate setDescendants with all in-mempool descendants of given transaction.
Definition: txmempool.cpp:299
unsigned long size() const
Definition: txmempool.h:486
setEntries CalculateMemPoolAncestors(const CTxMemPoolEntry &entry) const EXCLUSIVE_LOCKS_REQUIRED(cs)
Calculate all in-mempool ancestors of entry (not including the tx itself)
Definition: txmempool.cpp:130
std::vector< CTxMemPoolEntryRef > entryAll() const EXCLUSIVE_LOCKS_REQUIRED(cs)
Definition: txmempool.cpp:574
CAmount GetTotalFee() const EXCLUSIVE_LOCKS_REQUIRED(cs)
Definition: txmempool.h:498
uint64_t GetTotalTxSize() const EXCLUSIVE_LOCKS_REQUIRED(cs)
Definition: txmempool.h:492
const CTxMemPoolEntry * GetEntry(const Txid &txid) const LIFETIMEBOUND EXCLUSIVE_LOCKS_REQUIRED(cs)
Definition: txmempool.cpp:600
Chainstate stores and provides an API to update our local knowledge of the current best chain.
Definition: validation.h:550
Interface for managing multiple Chainstate objects, where each chainstate is associated with chainsta...
Definition: validation.h:935
bool IsInitialBlockDownload() const noexcept
Check whether we are doing an initial block download (synchronizing from disk or network)
MempoolAcceptResult ProcessTransaction(const CTransactionRef &tx, bool test_accept=false) EXCLUSIVE_LOCKS_REQUIRED(cs_main)
Try to add a transaction to the memory pool.
Chainstate & ActiveChainstate() const
Alternatives to CurrentChainstate() used by older code to query latest chainstate information without...
virtual std::vector< node::TxOrphanage::OrphanInfo > GetOrphanTransactions()=0
auto Arg(std::string_view key) const
Helper to get a required or default-valued request argument.
Definition: util.h:444
bool Contains(Network net) const EXCLUSIVE_LOCKS_REQUIRED(!m_mutex)
Definition: netbase.h:132
void push_back(UniValue val)
Definition: univalue.cpp:103
const UniValue & find_value(std::string_view key) const
Definition: univalue.cpp:232
@ VOBJ
Definition: univalue.h:24
@ VSTR
Definition: univalue.h:24
@ VARR
Definition: univalue.h:24
@ VNUM
Definition: univalue.h:24
bool isNull() const
Definition: univalue.h:81
const UniValue & get_obj() const
size_t size() const
Definition: univalue.h:71
const std::vector< UniValue > & getValues() const
bool empty() const
Definition: univalue.h:69
void pushKVEnd(std::string key, UniValue val)
Definition: univalue.cpp:117
Int getInt() const
Definition: univalue.h:140
const UniValue & get_array() const
void pushKV(std::string key, UniValue val)
Definition: univalue.cpp:125
bool get_bool() const
std::string GetRejectReason() const
Definition: validation.h:109
Result GetResult() const
Definition: validation.h:108
std::string ToString() const
Definition: validation.h:111
std::string ToString() const
static transaction_identifier FromUint256(const uint256 &id)
256-bit opaque blob.
Definition: uint256.h:195
static int32_t GetTransactionWeight(const CTransaction &tx)
Definition: validation.h:132
@ TX_MISSING_INPUTS
transaction was missing some of its inputs
std::string EncodeHexTx(const CTransaction &tx)
Definition: core_io.cpp:404
bool DecodeHexTx(CMutableTransaction &tx, const std::string &hex_tx, bool try_no_witness, bool try_witness)
Definition: core_io.cpp:227
UniValue ValueFromAmount(const CAmount amount)
Definition: core_io.cpp:287
RecursiveMutex cs_main
Mutex to guard access to validation specific variables, such as reading or changing the chainstate.
Definition: cs_main.cpp:8
const std::string CURRENCY_UNIT
Definition: feerate.h:18
static path u8path(std::string_view utf8_str)
Definition: fs.h:81
uint64_t fee
std::string FormatMoney(const CAmount n)
Money parsing/formatting utilities.
Definition: moneystr.cpp:19
Definition: messages.h:21
static const CAmount DEFAULT_MAX_BURN_AMOUNT
Maximum burn value for sendrawtransaction, submitpackage, and testmempoolaccept RPC calls.
Definition: transaction.h:34
@ MEMPOOL_AND_BROADCAST_TO_ALL
Add the transaction to the mempool and broadcast to all peers for which tx relay is enabled.
@ NO_MEMPOOL_PRIVATE_BROADCAST
Omit the mempool and directly send the transaction via a few dedicated connections to peers on privac...
TransactionError
Definition: types.h:28
fs::path MempoolPath(const ArgsManager &argsman)
static const CFeeRate DEFAULT_MAX_RAW_TX_FEE_RATE
Maximum fee rate for sendrawtransaction and testmempoolaccept RPC calls.
Definition: transaction.h:28
TransactionError BroadcastTransaction(NodeContext &node, const CTransactionRef tx, std::string &err_string, const CAmount &max_tx_fee, TxBroadcast broadcast_method, bool wait_callback)
Submit a transaction to the mempool and (optionally) relay it to all P2P peers.
Definition: transaction.cpp:32
bool LoadMempool(CTxMemPool &pool, const fs::path &load_path, Chainstate &active_chainstate, ImportMempoolOptions &&opts)
Import the file and attempt to add its contents to the mempool.
bool DumpMempool(const CTxMemPool &pool, const fs::path &dump_path, FopenFn mockable_fopen_function, bool skip_file_commit)
std::string ToString(const T &t)
Locale-independent version of std::to_string.
Definition: string.h:246
static constexpr bool DEFAULT_PRIVATE_BROADCAST
Default for -privatebroadcast.
Definition: net.h:89
@ NET_I2P
I2P.
Definition: netaddress.h:47
@ NET_ONION
TOR (v2 or v3)
Definition: netaddress.h:44
ReachableNets g_reachable_nets
Definition: netbase.cpp:43
is a home for public enum and struct type definitions that are used internally by node code,...
bool IsChildWithParentsTree(const Package &package)
Context-free check that a package IsChildWithParents() and none of the parents depend on each other (...
Definition: packages.cpp:136
static constexpr uint32_t MAX_PACKAGE_COUNT
Default maximum number of transactions in a package.
Definition: packages.h:19
@ PCKG_POLICY
The package itself is invalid (e.g. too many transactions).
@ PCKG_RESULT_UNSET
Initial value. The package has not yet been rejected.
@ PCKG_MEMPOOL_ERROR
Mempool logic error.
@ PCKG_TX
At least one tx is invalid.
RBFTransactionState IsRBFOptIn(const CTransaction &tx, const CTxMemPool &pool)
Determine whether an unconfirmed transaction is signaling opt-in to RBF according to BIP 125 This inv...
Definition: rbf.cpp:24
RBFTransactionState
The rbf state of unconfirmed transactions.
Definition: rbf.h:29
@ UNKNOWN
Unconfirmed tx that does not signal rbf and is not in the mempool.
@ REPLACEABLE_BIP125
Either this tx or a mempool ancestor signals rbf.
int64_t GetVirtualTransactionSize(int64_t nWeight, int64_t nSigOpCost, unsigned int bytes_per_sigop)
Compute the virtual transaction size (weight reinterpreted as bytes).
Definition: policy.cpp:381
static CTransactionRef MakeTransactionRef(Tx &&txIn)
Definition: transaction.h:404
std::shared_ptr< const CTransaction > CTransactionRef
Definition: transaction.h:403
UniValue JSONRPCError(int code, const std::string &message)
Definition: request.cpp:70
static UniValue OrphanToJSON(const node::TxOrphanage::OrphanInfo &orphan)
Definition: mempool.cpp:1029
static std::vector< RPCResult > ClusterDescription()
Definition: mempool.cpp:291
static RPCHelpMan getmempoolinfo()
Definition: mempool.cpp:880
static RPCHelpMan sendrawtransaction()
Definition: mempool.cpp:45
static std::vector< RPCResult > OrphanDescription()
Definition: mempool.cpp:1014
static void entryToJSON(const CTxMemPool &pool, UniValue &info, const CTxMemPoolEntry &e) EXCLUSIVE_LOCKS_REQUIRED(pool.cs)
Definition: mempool.cpp:386
static RPCHelpMan importmempool()
Definition: mempool.cpp:915
void RegisterMempoolRPCCommands(CRPCTable &t)
Definition: mempool.cpp:1328
static RPCHelpMan getrawmempool()
Definition: mempool.cpp:530
static RPCHelpMan getmempoolentry()
Definition: mempool.cpp:742
static void clusterToJSON(const CTxMemPool &pool, UniValue &info, std::vector< const CTxMemPoolEntry * > cluster) EXCLUSIVE_LOCKS_REQUIRED(pool.cs)
Definition: mempool.cpp:352
UniValue MempoolInfoToJSON(const CTxMemPool &pool)
Mempool information to JSON.
Definition: mempool.cpp:857
static RPCHelpMan getmempoolcluster()
Definition: mempool.cpp:707
static RPCHelpMan getmempoolfeeratediagram()
Definition: mempool.cpp:487
static RPCHelpMan gettxspendingprevout()
Definition: mempool.cpp:775
static std::vector< RPCResult > MempoolEntryDescription()
Definition: mempool.cpp:309
static RPCHelpMan submitpackage()
Definition: mempool.cpp:1114
static RPCHelpMan getorphantxs()
Definition: mempool.cpp:1045
void AppendChunkInfo(UniValue &all_chunks, FeePerWeight chunk_feerate, std::vector< const CTxMemPoolEntry * > chunk_txs)
Definition: mempool.cpp:339
UniValue MempoolToJSON(const CTxMemPool &pool, bool verbose, bool include_mempool_sequence)
Mempool to JSON.
Definition: mempool.cpp:449
static RPCHelpMan testmempoolaccept()
Definition: mempool.cpp:140
static RPCHelpMan getmempooldescendants()
Definition: mempool.cpp:642
static RPCHelpMan getmempoolancestors()
Definition: mempool.cpp:581
static RPCHelpMan savemempool()
Definition: mempool.cpp:976
@ RPC_MISC_ERROR
General application defined errors.
Definition: protocol.h:40
@ RPC_INVALID_PARAMETER
Invalid, missing or duplicate parameter.
Definition: protocol.h:44
@ RPC_CLIENT_IN_INITIAL_DOWNLOAD
Still downloading initial blocks.
Definition: protocol.h:59
@ 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
std::string HelpExampleCli(const std::string &methodname, const std::string &args)
Definition: util.cpp:183
UniValue JSONRPCTransactionError(TransactionError terr, const std::string &err_string)
Definition: util.cpp:408
CFeeRate ParseFeeRate(const UniValue &json)
Parse a json number or string, denoting BTC/kvB, into a CFeeRate (sat/kvB).
Definition: util.cpp:110
std::string HelpExampleRpc(const std::string &methodname, const std::string &args)
Definition: util.cpp:201
int ParseVerbosity(const UniValue &arg, int default_verbosity, bool allow_bool)
Parses verbosity from provided UniValue.
Definition: util.cpp:83
uint256 ParseHashO(const UniValue &o, std::string_view strKey)
Definition: util.cpp:126
void RPCTypeCheckObj(const UniValue &o, const std::map< std::string, UniValueType > &typesExpected, bool fAllowNull, bool fStrict)
Definition: util.cpp:56
uint256 ParseHashV(const UniValue &v, std::string_view name)
Utilities: convert hex-encoded Values (throws error if not hex).
Definition: util.cpp:117
NodeContext & EnsureAnyNodeContext(const std::any &context)
Definition: server_util.cpp:25
CTxMemPool & EnsureMemPool(const NodeContext &node)
Definition: server_util.cpp:34
PeerManager & EnsurePeerman(const NodeContext &node)
ChainstateManager & EnsureChainman(const NodeContext &node)
Definition: server_util.cpp:74
CTxMemPool & EnsureAnyMemPool(const std::any &context)
Definition: server_util.cpp:42
ArgsManager & EnsureAnyArgsman(const std::any &context)
Definition: server_util.cpp:69
A mutable version of CTransaction.
Definition: transaction.h:358
std::vector< CTxOut > vout
Definition: transaction.h:360
int64_t fee
Definition: feefrac.h:107
int32_t size
Definition: feefrac.h:108
Tagged wrapper around FeeFrac to avoid unit confusion.
Definition: feefrac.h:239
@ DIFFERENT_WITNESS
‍Valid, transaction was already in the mempool.
@ INVALID
‍Fully validated, valid.
Validation result for package mempool acceptance.
Definition: validation.h:236
PackageValidationState m_state
Definition: validation.h:237
std::map< Wtxid, MempoolAcceptResult > m_tx_results
Map from wtxid to finished MempoolAcceptResults.
Definition: validation.h:244
@ 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...
@ OMITTED
Optional argument for which the default value is omitted from help text for one of two reasons:
@ NO
Required arg.
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
@ NUM_TIME
Special numeric to denote unix epoch time.
@ 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.
Wrapper for UniValue::VType, which includes typeAny: Used to denote don't care type.
Definition: util.h:83
unsigned cluster_count
The maximum number of transactions in a cluster.
int64_t cluster_size_vbytes
The maximum allowed size in virtual bytes of a cluster.
std::optional< unsigned > max_datacarrier_bytes
A data carrying output is an unspendable output containing data.
CFeeRate incremental_relay_feerate
CFeeRate min_relay_feerate
A fee rate smaller than this is considered zero fee (for relaying, mining and transaction creation)
NodeContext struct containing references to chain state and connection state.
Definition: context.h:56
Allows providing orphan information externally.
Definition: txorphanage.h:44
std::set< NodeId > announcers
Peers added with AddTx or AddAnnouncer.
Definition: txorphanage.h:47
#define AssertLockNotHeld(cs)
Definition: sync.h:142
#define LOCK(cs)
Definition: sync.h:259
#define WITH_LOCK(cs, code)
Run code while locking a mutex.
Definition: sync.h:290
#define EXCLUSIVE_LOCKS_REQUIRED(...)
Definition: threadsafety.h:51
#define strprintf
Format arguments and return the string or write to given std::ostream (see tinyformat::format doc for...
Definition: tinyformat.h:1172
constexpr int64_t count_seconds(std::chrono::seconds t)
Definition: time.h:88
PackageMempoolAcceptResult ProcessNewPackage(Chainstate &active_chainstate, CTxMemPool &pool, const Package &package, bool test_accept, const std::optional< CFeeRate > &client_maxfeerate)
Validate (and maybe submit) a package to the mempool.
AssertLockHeld(pool.cs)