Branch data Line data Source code
1 : : // Copyright (c) 2010 Satoshi Nakamoto
2 : : // Copyright (c) 2009-2022 The Bitcoin Core developers
3 : : // Distributed under the MIT software license, see the accompanying
4 : : // file COPYING or http://www.opensource.org/licenses/mit-license.php.
5 : :
6 : : #include <rpc/blockchain.h>
7 : :
8 : : #include <node/mempool_persist.h>
9 : :
10 : : #include <chainparams.h>
11 : : #include <consensus/validation.h>
12 : : #include <core_io.h>
13 : : #include <kernel/mempool_entry.h>
14 : : #include <net_processing.h>
15 : : #include <node/mempool_persist_args.h>
16 : : #include <node/types.h>
17 : : #include <policy/rbf.h>
18 : : #include <policy/settings.h>
19 : : #include <primitives/transaction.h>
20 : : #include <rpc/server.h>
21 : : #include <rpc/server_util.h>
22 : : #include <rpc/util.h>
23 : : #include <txmempool.h>
24 : : #include <univalue.h>
25 : : #include <util/fs.h>
26 : : #include <util/moneystr.h>
27 : : #include <util/strencodings.h>
28 : : #include <util/time.h>
29 : : #include <util/vector.h>
30 : :
31 : : #include <utility>
32 : :
33 : : using node::DumpMempool;
34 : :
35 : : using node::DEFAULT_MAX_BURN_AMOUNT;
36 : : using node::DEFAULT_MAX_RAW_TX_FEE_RATE;
37 : : using node::MempoolPath;
38 : : using node::NodeContext;
39 : : using node::TransactionError;
40 : : using util::ToString;
41 : :
42 : 23472 : static RPCHelpMan sendrawtransaction()
43 : : {
44 : 23472 : return RPCHelpMan{
45 : : "sendrawtransaction",
46 : : "Submit a raw transaction (serialized, hex-encoded) to local node and network.\n"
47 : : "\nThe transaction will be sent unconditionally to all peers, so using sendrawtransaction\n"
48 : : "for manual rebroadcast may degrade privacy by leaking the transaction's origin, as\n"
49 : : "nodes will normally not rebroadcast non-wallet transactions already in their mempool.\n"
50 : : "\nA specific exception, RPC_TRANSACTION_ALREADY_IN_UTXO_SET, may throw if the transaction cannot be added to the mempool.\n"
51 : : "\nRelated RPCs: createrawtransaction, signrawtransactionwithkey\n",
52 : : {
53 [ + - ]: 23472 : {"hexstring", RPCArg::Type::STR_HEX, RPCArg::Optional::NO, "The hex string of the raw transaction"},
54 [ + - + - ]: 46944 : {"maxfeerate", RPCArg::Type::AMOUNT, RPCArg::Default{FormatMoney(DEFAULT_MAX_RAW_TX_FEE_RATE.GetFeePerK())},
55 : 23472 : "Reject transactions whose fee rate is higher than the specified value, expressed in " + CURRENCY_UNIT +
56 : 23472 : "/kvB.\nFee rates larger than 1BTC/kvB are rejected.\nSet to 0 to accept any fee rate."},
57 [ + - + - ]: 46944 : {"maxburnamount", RPCArg::Type::AMOUNT, RPCArg::Default{FormatMoney(DEFAULT_MAX_BURN_AMOUNT)},
58 : 23472 : "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"
59 : : "If burning funds through unspendable outputs is desired, increase this value.\n"
60 : 23472 : "This check is based on heuristics and does not guarantee spendability of outputs.\n"},
61 : : },
62 : 0 : RPCResult{
63 : : RPCResult::Type::STR_HEX, "", "The transaction hash in hex"
64 [ + - + - : 46944 : },
+ - ]
65 : 23472 : RPCExamples{
66 : : "\nCreate a transaction\n"
67 [ + - + - : 46944 : + HelpExampleCli("createrawtransaction", "\"[{\\\"txid\\\" : \\\"mytxid\\\",\\\"vout\\\":0}]\" \"{\\\"myaddress\\\":0.01}\"") +
+ - + - ]
68 : 23472 : "Sign the transaction, and get back the hex\n"
69 [ + - + - : 93888 : + HelpExampleCli("signrawtransactionwithwallet", "\"myhex\"") +
+ - + - ]
70 : 23472 : "\nSend the transaction (signed hex)\n"
71 [ + - + - : 93888 : + HelpExampleCli("sendrawtransaction", "\"signedhex\"") +
+ - + - ]
72 : 23472 : "\nAs a JSON-RPC call\n"
73 [ + - + - : 93888 : + HelpExampleRpc("sendrawtransaction", "\"signedhex\"")
+ - + - ]
74 [ + - ]: 23472 : },
75 : 21303 : [&](const RPCHelpMan& self, const JSONRPCRequest& request) -> UniValue
76 : : {
77 [ + + ]: 21303 : const CAmount max_burn_amount = request.params[2].isNull() ? 0 : AmountFromValue(request.params[2]);
78 : :
79 : 21303 : CMutableTransaction mtx;
80 [ + - + - : 21303 : if (!DecodeHexTx(mtx, request.params[0].get_str())) {
+ - + + ]
81 [ + - + - ]: 4 : throw JSONRPCError(RPC_DESERIALIZATION_ERROR, "TX decode failed. Make sure the tx has at least one input.");
82 : : }
83 : :
84 [ + + ]: 81461 : for (const auto& out : mtx.vout) {
85 [ + + + - : 60164 : if((out.scriptPubKey.IsUnspendable() || !out.scriptPubKey.HasValidOps()) && out.nValue > max_burn_amount) {
+ + + + ]
86 [ + - + - ]: 8 : throw JSONRPCTransactionError(TransactionError::MAX_BURN_EXCEEDED);
87 : : }
88 : : }
89 : :
90 [ + - ]: 21297 : CTransactionRef tx(MakeTransactionRef(std::move(mtx)));
91 : :
92 [ + - + - ]: 21297 : const CFeeRate max_raw_tx_fee_rate{ParseFeeRate(self.Arg<UniValue>("maxfeerate"))};
93 : :
94 [ + - ]: 21297 : int64_t virtual_size = GetVirtualTransactionSize(*tx);
95 [ + - ]: 21297 : CAmount max_raw_tx_fee = max_raw_tx_fee_rate.GetFee(virtual_size);
96 : :
97 [ + - ]: 21297 : std::string err_string;
98 : 21297 : AssertLockNotHeld(cs_main);
99 [ + - ]: 21297 : NodeContext& node = EnsureAnyNodeContext(request.context);
100 [ + - + - : 42594 : const TransactionError err = BroadcastTransaction(node, tx, err_string, max_raw_tx_fee, /*relay=*/true, /*wait_callback=*/true);
+ - ]
101 [ + + ]: 21297 : if (TransactionError::OK != err) {
102 [ + - ]: 4237 : throw JSONRPCTransactionError(err, err_string);
103 : : }
104 : :
105 [ + - + - ]: 34120 : return tx->GetHash().GetHex();
106 [ + - ]: 59654 : },
107 [ + - + - : 445968 : };
+ - + - +
- + - + -
+ - + - +
- + + -
- ]
108 [ + - + - : 164304 : }
+ - + - -
- ]
109 : :
110 : 3639 : static RPCHelpMan testmempoolaccept()
111 : : {
112 : 3639 : return RPCHelpMan{
113 : : "testmempoolaccept",
114 : : "Returns result of mempool acceptance tests indicating if raw transaction(s) (serialized, hex-encoded) would be accepted by mempool.\n"
115 : : "\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"
116 : : "\nIf one transaction fails, other transactions may not be fully validated (the 'allowed' key will be blank).\n"
117 [ + - + - ]: 7278 : "\nThe maximum number of transactions allowed is " + ToString(MAX_PACKAGE_COUNT) + ".\n"
118 : : "\nThis checks if transactions violate the consensus or policy rules.\n"
119 : 3639 : "\nSee sendrawtransaction call.\n",
120 : : {
121 [ + - ]: 3639 : {"rawtxs", RPCArg::Type::ARR, RPCArg::Optional::NO, "An array of hex strings of raw transactions.",
122 : : {
123 [ + - ]: 3639 : {"rawtx", RPCArg::Type::STR_HEX, RPCArg::Optional::OMITTED, ""},
124 : : },
125 : : },
126 [ + - + - ]: 7278 : {"maxfeerate", RPCArg::Type::AMOUNT, RPCArg::Default{FormatMoney(DEFAULT_MAX_RAW_TX_FEE_RATE.GetFeePerK())},
127 : 3639 : "Reject transactions whose fee rate is higher than the specified value, expressed in " + CURRENCY_UNIT +
128 : 3639 : "/kvB.\nFee rates larger than 1BTC/kvB are rejected.\nSet to 0 to accept any fee rate."},
129 : : },
130 : 0 : RPCResult{
131 : : RPCResult::Type::ARR, "", "The result of the mempool acceptance test for each raw transaction in the input array.\n"
132 : : "Returns results for each transaction in the same order they were passed in.\n"
133 : : "Transactions that cannot be fully validated due to failures in other transactions will not contain an 'allowed' result.\n",
134 : : {
135 : : {RPCResult::Type::OBJ, "", "",
136 : : {
137 : : {RPCResult::Type::STR_HEX, "txid", "The transaction hash in hex"},
138 : : {RPCResult::Type::STR_HEX, "wtxid", "The transaction witness hash in hex"},
139 : : {RPCResult::Type::STR, "package-error", /*optional=*/true, "Package validation error, if any (only possible if rawtxs had more than 1 transaction)."},
140 : : {RPCResult::Type::BOOL, "allowed", /*optional=*/true, "Whether this tx would be accepted to the mempool and pass client-specified maxfeerate. "
141 : : "If not present, the tx was not fully validated due to a failure in another tx in the list."},
142 : : {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)"},
143 : : {RPCResult::Type::OBJ, "fees", /*optional=*/true, "Transaction fees (only present if 'allowed' is true)",
144 : : {
145 [ + - ]: 7278 : {RPCResult::Type::STR_AMOUNT, "base", "transaction fee in " + CURRENCY_UNIT},
146 [ + - ]: 7278 : {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."},
147 : : {RPCResult::Type::ARR, "effective-includes", /*optional=*/false, "transactions whose fees and vsizes are included in effective-feerate.",
148 [ + - + - : 7278 : {RPCResult{RPCResult::Type::STR_HEX, "", "transaction wtxid in hex"},
+ - ]
149 : : }},
150 : : }},
151 : : {RPCResult::Type::STR, "reject-reason", /*optional=*/true, "Rejection reason (only present when 'allowed' is false)"},
152 : : {RPCResult::Type::STR, "reject-details", /*optional=*/true, "Rejection details (only present when 'allowed' is false and rejection details exist)"},
153 : : }},
154 : : }
155 [ + - + - : 87336 : },
+ - + - +
- + - + -
+ - + - +
- + - + -
+ - + - +
- + - + -
+ - + - +
- + - + -
+ - + - +
- + - + -
+ - + - +
- + - + -
+ - + - +
- + - + -
+ - + + +
+ + + + +
- - - - -
- - - ]
156 : 3639 : RPCExamples{
157 : : "\nCreate a transaction\n"
158 [ + - + - : 7278 : + HelpExampleCli("createrawtransaction", "\"[{\\\"txid\\\" : \\\"mytxid\\\",\\\"vout\\\":0}]\" \"{\\\"myaddress\\\":0.01}\"") +
+ - + - ]
159 : 3639 : "Sign the transaction, and get back the hex\n"
160 [ + - + - : 14556 : + HelpExampleCli("signrawtransactionwithwallet", "\"myhex\"") +
+ - + - ]
161 : 3639 : "\nTest acceptance of the transaction (signed hex)\n"
162 [ + - + - : 14556 : + HelpExampleCli("testmempoolaccept", R"('["signedhex"]')") +
+ - + - ]
163 : 3639 : "\nAs a JSON-RPC call\n"
164 [ + - + - : 14556 : + HelpExampleRpc("testmempoolaccept", "[\"signedhex\"]")
+ - + - ]
165 [ + - ]: 3639 : },
166 : 1470 : [&](const RPCHelpMan& self, const JSONRPCRequest& request) -> UniValue
167 : : {
168 : 1470 : const UniValue raw_transactions = request.params[0].get_array();
169 [ + + + + ]: 1470 : if (raw_transactions.size() < 1 || raw_transactions.size() > MAX_PACKAGE_COUNT) {
170 : 2 : throw JSONRPCError(RPC_INVALID_PARAMETER,
171 [ + - + - : 6 : "Array must contain between 1 and " + ToString(MAX_PACKAGE_COUNT) + " transactions.");
+ - ]
172 : : }
173 : :
174 [ + - + + ]: 1468 : const CFeeRate max_raw_tx_fee_rate{ParseFeeRate(self.Arg<UniValue>("maxfeerate"))};
175 : :
176 : 1466 : std::vector<CTransactionRef> txns;
177 [ + - ]: 1466 : txns.reserve(raw_transactions.size());
178 [ + - + + ]: 3534 : for (const auto& rawtx : raw_transactions.getValues()) {
179 [ + - ]: 2069 : CMutableTransaction mtx;
180 [ + - + - : 2069 : if (!DecodeHexTx(mtx, rawtx.get_str())) {
+ + ]
181 : 1 : throw JSONRPCError(RPC_DESERIALIZATION_ERROR,
182 [ + - + - : 2 : "TX decode failed: " + rawtx.get_str() + " Make sure the tx has at least one input.");
+ - ]
183 : : }
184 [ + - + - ]: 6204 : txns.emplace_back(MakeTransactionRef(std::move(mtx)));
185 : 2069 : }
186 : :
187 [ + - ]: 1465 : NodeContext& node = EnsureAnyNodeContext(request.context);
188 [ + - ]: 1465 : CTxMemPool& mempool = EnsureMemPool(node);
189 [ + - ]: 1465 : ChainstateManager& chainman = EnsureChainman(node);
190 [ + - ]: 1465 : Chainstate& chainstate = chainman.ActiveChainstate();
191 : 2930 : const PackageMempoolAcceptResult package_result = [&] {
192 : 1465 : LOCK(::cs_main);
193 [ + + + - ]: 1465 : if (txns.size() > 1) return ProcessNewPackage(chainstate, mempool, txns, /*test_accept=*/true, /*client_maxfeerate=*/{});
194 [ + - ]: 1381 : return PackageMempoolAcceptResult(txns[0]->GetWitnessHash(),
195 [ + - + - ]: 1381 : chainman.ProcessTransaction(txns[0], /*test_accept=*/true));
196 [ + - ]: 2930 : }();
197 : :
198 : 1465 : UniValue rpc_result(UniValue::VARR);
199 : : // We will check transaction fees while we iterate through txns in order. If any transaction fee
200 : : // exceeds maxfeerate, we will leave the rest of the validation results blank, because it
201 : : // doesn't make sense to return a validation result for a transaction if its ancestor(s) would
202 : : // not be submitted.
203 : 1465 : bool exit_early{false};
204 [ + + ]: 3533 : for (const auto& tx : txns) {
205 : 2068 : UniValue result_inner(UniValue::VOBJ);
206 [ + - + - : 4136 : result_inner.pushKV("txid", tx->GetHash().GetHex());
+ - + - ]
207 [ + - + - : 4136 : result_inner.pushKV("wtxid", tx->GetWitnessHash().GetHex());
+ - + - ]
208 [ + + ]: 2068 : if (package_result.m_state.GetResult() == PackageValidationResult::PCKG_POLICY) {
209 [ + - + - : 220 : result_inner.pushKV("package-error", package_result.m_state.ToString());
+ - + - ]
210 : : }
211 : 2068 : auto it = package_result.m_tx_results.find(tx->GetWitnessHash());
212 [ + + + + ]: 2068 : if (exit_early || it == package_result.m_tx_results.end()) {
213 : : // Validation unfinished. Just return the txid and wtxid.
214 [ + - ]: 150 : rpc_result.push_back(std::move(result_inner));
215 : 150 : continue;
216 : : }
217 [ + - ]: 1918 : const auto& tx_result = it->second;
218 : : // Package testmempoolaccept doesn't allow transactions to already be in the mempool.
219 [ + - ]: 1918 : CHECK_NONFATAL(tx_result.m_result_type != MempoolAcceptResult::ResultType::MEMPOOL_ENTRY);
220 [ + + ]: 1918 : if (tx_result.m_result_type == MempoolAcceptResult::ResultType::VALID) {
221 [ + - ]: 1779 : const CAmount fee = tx_result.m_base_fees.value();
222 : : // Check that fee does not exceed maximum fee
223 [ + - ]: 1779 : const int64_t virtual_size = tx_result.m_vsize.value();
224 [ + - ]: 1779 : const CAmount max_raw_tx_fee = max_raw_tx_fee_rate.GetFee(virtual_size);
225 [ + + ]: 1779 : if (max_raw_tx_fee && fee > max_raw_tx_fee) {
226 [ + - + - : 8 : result_inner.pushKV("allowed", false);
+ - ]
227 [ + - + - : 4 : result_inner.pushKV("reject-reason", "max-fee-exceeded");
+ - ]
228 : 4 : exit_early = true;
229 : : } else {
230 : : // Only return the fee and vsize if the transaction would pass ATMP.
231 : : // These can be used to calculate the feerate.
232 [ + - + - : 3550 : result_inner.pushKV("allowed", true);
+ - ]
233 [ + - + - : 3550 : result_inner.pushKV("vsize", virtual_size);
+ - ]
234 : 1775 : UniValue fees(UniValue::VOBJ);
235 [ + - + - : 3550 : fees.pushKV("base", ValueFromAmount(fee));
+ - ]
236 [ + - + - : 3550 : fees.pushKV("effective-feerate", ValueFromAmount(tx_result.m_effective_feerate.value().GetFeePerK()));
+ - + - ]
237 : 1775 : UniValue effective_includes_res(UniValue::VARR);
238 [ + - + + ]: 3550 : for (const auto& wtxid : tx_result.m_wtxids_fee_calculations.value()) {
239 [ + - + - : 1775 : effective_includes_res.push_back(wtxid.ToString());
+ - ]
240 : : }
241 [ + - + - ]: 3550 : fees.pushKV("effective-includes", std::move(effective_includes_res));
242 [ + - + - ]: 3550 : result_inner.pushKV("fees", std::move(fees));
243 : 1775 : }
244 : : } else {
245 [ + - + - : 278 : result_inner.pushKV("allowed", false);
+ - ]
246 [ + - ]: 139 : const TxValidationState state = tx_result.m_state;
247 [ + + ]: 139 : if (state.GetResult() == TxValidationResult::TX_MISSING_INPUTS) {
248 [ + - + - : 12 : result_inner.pushKV("reject-reason", "missing-inputs");
+ - ]
249 : : } else {
250 [ + - + - : 266 : result_inner.pushKV("reject-reason", state.GetRejectReason());
+ - + - ]
251 [ + - + - : 266 : result_inner.pushKV("reject-details", state.ToString());
+ - + - ]
252 : : }
253 : 139 : }
254 [ + - ]: 1918 : rpc_result.push_back(std::move(result_inner));
255 : 2068 : }
256 : 1465 : return rpc_result;
257 : 1471 : },
258 [ + - + - : 69141 : };
+ - + - +
- + - + -
+ - + - +
- + + + +
- - - - ]
259 [ + - + - : 76419 : }
+ - + - +
- + - + -
+ - + - +
- + - + -
+ - + - +
- + - + -
+ - - - -
- - - ]
260 : :
261 : 16021 : static std::vector<RPCResult> MempoolEntryDescription()
262 : : {
263 : 16021 : return {
264 [ + - + - : 32042 : 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."},
+ - ]
265 [ + - + - : 32042 : RPCResult{RPCResult::Type::NUM, "weight", "transaction weight as defined in BIP 141."},
+ - ]
266 [ + - + - : 32042 : RPCResult{RPCResult::Type::NUM_TIME, "time", "local time transaction entered pool in seconds since 1 Jan 1970 GMT"},
+ - ]
267 [ + - + - : 32042 : RPCResult{RPCResult::Type::NUM, "height", "block height when transaction entered pool"},
+ - ]
268 [ + - + - : 32042 : RPCResult{RPCResult::Type::NUM, "descendantcount", "number of in-mempool descendant transactions (including this one)"},
+ - ]
269 [ + - + - : 32042 : RPCResult{RPCResult::Type::NUM, "descendantsize", "virtual transaction size of in-mempool descendants (including this one)"},
+ - ]
270 [ + - + - : 32042 : RPCResult{RPCResult::Type::NUM, "ancestorcount", "number of in-mempool ancestor transactions (including this one)"},
+ - ]
271 [ + - + - : 32042 : RPCResult{RPCResult::Type::NUM, "ancestorsize", "virtual transaction size of in-mempool ancestors (including this one)"},
+ - ]
272 [ + - + - : 32042 : RPCResult{RPCResult::Type::STR_HEX, "wtxid", "hash of serialized transaction, including witness data"},
+ - ]
273 : : RPCResult{RPCResult::Type::OBJ, "fees", "",
274 : : {
275 [ + - + - : 32042 : RPCResult{RPCResult::Type::STR_AMOUNT, "base", "transaction fee, denominated in " + CURRENCY_UNIT},
+ - ]
276 [ + - + - : 32042 : RPCResult{RPCResult::Type::STR_AMOUNT, "modified", "transaction fee with fee deltas used for mining priority, denominated in " + CURRENCY_UNIT},
+ - ]
277 [ + - + - : 32042 : 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},
+ - ]
278 [ + - + - : 32042 : 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},
+ - ]
279 [ + - + - : 128168 : }},
+ - + + -
- ]
280 : : RPCResult{RPCResult::Type::ARR, "depends", "unconfirmed transactions used as inputs for this transaction",
281 [ + - + - : 48063 : {RPCResult{RPCResult::Type::STR_HEX, "transactionid", "parent transaction id"}}},
+ - + - +
- + - + +
- - ]
282 : : RPCResult{RPCResult::Type::ARR, "spentby", "unconfirmed transactions spending outputs from this transaction",
283 [ + - + - : 48063 : {RPCResult{RPCResult::Type::STR_HEX, "transactionid", "child transaction id"}}},
+ - + - +
- + - + +
- - ]
284 [ + - + - : 32042 : RPCResult{RPCResult::Type::BOOL, "bip125-replaceable", "Whether this transaction signals BIP125 replaceability or has an unconfirmed ancestor signaling BIP125 replaceability. (DEPRECATED)\n"},
+ - ]
285 [ + - + - : 32042 : RPCResult{RPCResult::Type::BOOL, "unbroadcast", "Whether this transaction is currently unbroadcast (initial broadcast not yet acknowledged by any peers)"},
+ - ]
286 [ + - + + : 272357 : };
- - ]
287 [ + - + - : 336441 : }
+ - + - +
- + - + -
+ - + - +
- + - + -
+ - + - +
- + - + -
+ - + - +
- + - - -
- - ]
288 : :
289 : 4537 : static void entryToJSON(const CTxMemPool& pool, UniValue& info, const CTxMemPoolEntry& e) EXCLUSIVE_LOCKS_REQUIRED(pool.cs)
290 : : {
291 : 4537 : AssertLockHeld(pool.cs);
292 : :
293 [ + - + - ]: 9074 : info.pushKV("vsize", (int)e.GetTxSize());
294 [ + - + - ]: 9074 : info.pushKV("weight", (int)e.GetTxWeight());
295 [ + - + - ]: 9074 : info.pushKV("time", count_seconds(e.GetTime()));
296 [ + - + - ]: 9074 : info.pushKV("height", (int)e.GetHeight());
297 [ + - + - ]: 9074 : info.pushKV("descendantcount", e.GetCountWithDescendants());
298 [ + - + - ]: 9074 : info.pushKV("descendantsize", e.GetSizeWithDescendants());
299 [ + - + - ]: 9074 : info.pushKV("ancestorcount", e.GetCountWithAncestors());
300 [ + - + - ]: 9074 : info.pushKV("ancestorsize", e.GetSizeWithAncestors());
301 [ + - + - : 9074 : info.pushKV("wtxid", e.GetTx().GetWitnessHash().ToString());
+ - ]
302 : :
303 : 4537 : UniValue fees(UniValue::VOBJ);
304 [ + - + - : 9074 : fees.pushKV("base", ValueFromAmount(e.GetFee()));
+ - ]
305 [ + - + - : 9074 : fees.pushKV("modified", ValueFromAmount(e.GetModifiedFee()));
+ - ]
306 [ + - + - : 9074 : fees.pushKV("ancestor", ValueFromAmount(e.GetModFeesWithAncestors()));
+ - ]
307 [ + - + - : 9074 : fees.pushKV("descendant", ValueFromAmount(e.GetModFeesWithDescendants()));
+ - ]
308 [ + - + - ]: 9074 : info.pushKV("fees", std::move(fees));
309 : :
310 : 4537 : const CTransaction& tx = e.GetTx();
311 : 4537 : std::set<std::string> setDepends;
312 [ + + ]: 15011 : for (const CTxIn& txin : tx.vin)
313 : : {
314 [ + - + + ]: 10474 : if (pool.exists(GenTxid::Txid(txin.prevout.hash)))
315 [ + - + - ]: 12862 : setDepends.insert(txin.prevout.hash.ToString());
316 : : }
317 : :
318 : 4537 : UniValue depends(UniValue::VARR);
319 [ + + ]: 10968 : for (const std::string& dep : setDepends)
320 : : {
321 [ + - + - ]: 6431 : depends.push_back(dep);
322 : : }
323 : :
324 [ + - + - ]: 9074 : info.pushKV("depends", std::move(depends));
325 : :
326 : 4537 : UniValue spent(UniValue::VARR);
327 [ + - + + ]: 10786 : for (const CTxMemPoolEntry& child : e.GetMemPoolChildrenConst()) {
328 [ + - + - : 6249 : spent.push_back(child.GetTx().GetHash().ToString());
+ - ]
329 : : }
330 : :
331 [ + - + - ]: 9074 : info.pushKV("spentby", std::move(spent));
332 : :
333 : : // Add opt-in RBF status
334 : 4537 : bool rbfStatus = false;
335 [ + - ]: 4537 : RBFTransactionState rbfState = IsRBFOptIn(tx, pool);
336 [ - + ]: 4537 : if (rbfState == RBFTransactionState::UNKNOWN) {
337 [ # # # # ]: 0 : throw JSONRPCError(RPC_MISC_ERROR, "Transaction is not in mempool");
338 [ + + ]: 4537 : } else if (rbfState == RBFTransactionState::REPLACEABLE_BIP125) {
339 : 3832 : rbfStatus = true;
340 : : }
341 : :
342 [ + - + - : 9074 : info.pushKV("bip125-replaceable", rbfStatus);
+ - ]
343 [ + - + - : 9074 : info.pushKV("unbroadcast", pool.IsUnbroadcastTx(tx.GetHash()));
+ - ]
344 : 4537 : }
345 : :
346 : 6382 : UniValue MempoolToJSON(const CTxMemPool& pool, bool verbose, bool include_mempool_sequence)
347 : : {
348 [ + + ]: 6382 : if (verbose) {
349 [ + + ]: 1037 : if (include_mempool_sequence) {
350 [ + - + - ]: 2 : throw JSONRPCError(RPC_INVALID_PARAMETER, "Verbose results cannot contain mempool sequence values.");
351 : : }
352 : 1036 : LOCK(pool.cs);
353 : 1036 : UniValue o(UniValue::VOBJ);
354 [ + - + + ]: 4062 : for (const CTxMemPoolEntry& e : pool.entryAll()) {
355 : 3026 : UniValue info(UniValue::VOBJ);
356 [ + - ]: 3026 : entryToJSON(pool, info, e);
357 : : // Mempool has unique entries so there is no advantage in using
358 : : // UniValue::pushKV, which checks if the key already exists in O(N).
359 : : // UniValue::pushKVEnd is used instead which currently is O(1).
360 [ + - + - ]: 6052 : o.pushKVEnd(e.GetTx().GetHash().ToString(), std::move(info));
361 : 3026 : }
362 [ + - ]: 1036 : return o;
363 : 1036 : } else {
364 : 5345 : UniValue a(UniValue::VARR);
365 : 5345 : uint64_t mempool_sequence;
366 : 5345 : {
367 [ + - ]: 5345 : LOCK(pool.cs);
368 [ + - + - : 248958 : for (const CTxMemPoolEntry& e : pool.entryAll()) {
+ + ]
369 [ + - + - : 243613 : a.push_back(e.GetTx().GetHash().ToString());
+ - ]
370 : 0 : }
371 [ + - ]: 5345 : mempool_sequence = pool.GetSequence();
372 : 0 : }
373 [ + + ]: 5345 : if (!include_mempool_sequence) {
374 : 5328 : return a;
375 : : } else {
376 : 17 : UniValue o(UniValue::VOBJ);
377 [ + - + - ]: 34 : o.pushKV("txids", std::move(a));
378 [ + - + - : 34 : o.pushKV("mempool_sequence", mempool_sequence);
+ - ]
379 : 17 : return o;
380 : 17 : }
381 : 5345 : }
382 : : }
383 : :
384 : 8546 : static RPCHelpMan getrawmempool()
385 : : {
386 : 8546 : return RPCHelpMan{
387 : : "getrawmempool",
388 : : "Returns all transaction ids in memory pool as a json array of string transaction ids.\n"
389 : : "\nHint: use getmempoolentry to fetch a specific transaction from the mempool.\n",
390 : : {
391 [ + - ]: 17092 : {"verbose", RPCArg::Type::BOOL, RPCArg::Default{false}, "True for a json object, false for array of transaction ids"},
392 [ + - ]: 17092 : {"mempool_sequence", RPCArg::Type::BOOL, RPCArg::Default{false}, "If verbose=false, returns a json object with transaction list and mempool sequence number attached."},
393 : : },
394 : : {
395 : : RPCResult{"for verbose = false",
396 : : RPCResult::Type::ARR, "", "",
397 : : {
398 : : {RPCResult::Type::STR_HEX, "", "The transaction id"},
399 [ + - + - : 25638 : }},
+ - + - +
- + - + -
+ + - - ]
400 : : RPCResult{"for verbose = true",
401 : : RPCResult::Type::OBJ_DYN, "", "",
402 : : {
403 [ + - ]: 17092 : {RPCResult::Type::OBJ, "transactionid", "", MempoolEntryDescription()},
404 [ + - + - : 42730 : }},
+ - + - +
- + - + +
- - ]
405 : : RPCResult{"for verbose = false and mempool_sequence = true",
406 : : RPCResult::Type::OBJ, "", "",
407 : : {
408 : : {RPCResult::Type::ARR, "txids", "",
409 : : {
410 : : {RPCResult::Type::STR_HEX, "", "The transaction id"},
411 : : }},
412 : : {RPCResult::Type::NUM, "mempool_sequence", "The mempool sequence value."},
413 [ + - + - : 51276 : }},
+ - + - +
- + - + -
+ - + - +
- + - + -
+ - + + +
+ - - -
- ]
414 : : },
415 : 8546 : RPCExamples{
416 [ + - + - : 17092 : HelpExampleCli("getrawmempool", "true")
+ - ]
417 [ + - + - : 34184 : + HelpExampleRpc("getrawmempool", "true")
+ - + - ]
418 [ + - ]: 8546 : },
419 : 6378 : [&](const RPCHelpMan& self, const JSONRPCRequest& request) -> UniValue
420 : : {
421 : 6378 : bool fVerbose = false;
422 [ + + ]: 6378 : if (!request.params[0].isNull())
423 : 1095 : fVerbose = request.params[0].get_bool();
424 : :
425 : 6378 : bool include_mempool_sequence = false;
426 [ + + ]: 6378 : if (!request.params[1].isNull()) {
427 : 18 : include_mempool_sequence = request.params[1].get_bool();
428 : : }
429 : :
430 : 6378 : return MempoolToJSON(EnsureAnyMemPool(request.context), fVerbose, include_mempool_sequence);
431 : : },
432 [ + - + - : 170920 : };
+ - + - +
- + - + -
+ - + - +
+ + + - -
- - ]
433 [ + - + - : 119644 : }
+ - + - +
- + - + -
+ - + - +
- + - + -
- - - - -
- ]
434 : :
435 : 2219 : static RPCHelpMan getmempoolancestors()
436 : : {
437 : 2219 : return RPCHelpMan{
438 : : "getmempoolancestors",
439 : : "If txid is in the mempool, returns all in-mempool ancestors.\n",
440 : : {
441 [ + - ]: 2219 : {"txid", RPCArg::Type::STR_HEX, RPCArg::Optional::NO, "The transaction id (must be in mempool)"},
442 [ + - ]: 4438 : {"verbose", RPCArg::Type::BOOL, RPCArg::Default{false}, "True for a json object, false for array of transaction ids"},
443 : : },
444 : : {
445 : : RPCResult{"for verbose = false",
446 : : RPCResult::Type::ARR, "", "",
447 [ + - + - : 6657 : {{RPCResult::Type::STR_HEX, "", "The transaction id of an in-mempool ancestor transaction"}}},
+ - + - +
- + - + -
+ + - - ]
448 : : RPCResult{"for verbose = true",
449 : : RPCResult::Type::OBJ_DYN, "", "",
450 : : {
451 [ + - ]: 4438 : {RPCResult::Type::OBJ, "transactionid", "", MempoolEntryDescription()},
452 [ + - + - : 11095 : }},
+ - + - +
- + - + +
- - ]
453 : : },
454 : 2219 : RPCExamples{
455 [ + - + - : 4438 : HelpExampleCli("getmempoolancestors", "\"mytxid\"")
+ - ]
456 [ + - + - : 8876 : + HelpExampleRpc("getmempoolancestors", "\"mytxid\"")
+ - + - ]
457 [ + - ]: 2219 : },
458 : 51 : [&](const RPCHelpMan& self, const JSONRPCRequest& request) -> UniValue
459 : : {
460 : 51 : bool fVerbose = false;
461 [ + + ]: 51 : if (!request.params[1].isNull())
462 : 26 : fVerbose = request.params[1].get_bool();
463 : :
464 : 51 : uint256 hash = ParseHashV(request.params[0], "parameter 1");
465 : :
466 : 51 : const CTxMemPool& mempool = EnsureAnyMemPool(request.context);
467 : 51 : LOCK(mempool.cs);
468 : :
469 [ + - ]: 51 : const auto entry{mempool.GetEntry(Txid::FromUint256(hash))};
470 [ - + ]: 51 : if (entry == nullptr) {
471 [ # # # # ]: 0 : throw JSONRPCError(RPC_INVALID_ADDRESS_OR_KEY, "Transaction not in mempool");
472 : : }
473 : :
474 [ + - ]: 51 : auto ancestors{mempool.AssumeCalculateMemPoolAncestors(self.m_name, *entry, CTxMemPool::Limits::NoLimits(), /*fSearchForParents=*/false)};
475 : :
476 [ + + ]: 51 : if (!fVerbose) {
477 : 25 : UniValue o(UniValue::VARR);
478 [ + + ]: 325 : for (CTxMemPool::txiter ancestorIt : ancestors) {
479 [ + - + - : 300 : o.push_back(ancestorIt->GetTx().GetHash().ToString());
+ - ]
480 : : }
481 : : return o;
482 : 0 : } else {
483 : 26 : UniValue o(UniValue::VOBJ);
484 [ + + ]: 350 : for (CTxMemPool::txiter ancestorIt : ancestors) {
485 : 324 : const CTxMemPoolEntry &e = *ancestorIt;
486 : 324 : const uint256& _hash = e.GetTx().GetHash();
487 : 324 : UniValue info(UniValue::VOBJ);
488 [ + - ]: 324 : entryToJSON(mempool, info, e);
489 [ + - + - ]: 648 : o.pushKV(_hash.ToString(), std::move(info));
490 : 324 : }
491 : 26 : return o;
492 : 26 : }
493 [ + - ]: 102 : },
494 [ + - + - : 37723 : };
+ - + - +
- + - + -
+ - + - +
+ + + - -
- - ]
495 [ + - + - : 22190 : }
+ - + - +
- + - + -
+ - - - -
- ]
496 : :
497 : 2219 : static RPCHelpMan getmempooldescendants()
498 : : {
499 : 2219 : return RPCHelpMan{
500 : : "getmempooldescendants",
501 : : "If txid is in the mempool, returns all in-mempool descendants.\n",
502 : : {
503 [ + - ]: 2219 : {"txid", RPCArg::Type::STR_HEX, RPCArg::Optional::NO, "The transaction id (must be in mempool)"},
504 [ + - ]: 4438 : {"verbose", RPCArg::Type::BOOL, RPCArg::Default{false}, "True for a json object, false for array of transaction ids"},
505 : : },
506 : : {
507 : : RPCResult{"for verbose = false",
508 : : RPCResult::Type::ARR, "", "",
509 [ + - + - : 6657 : {{RPCResult::Type::STR_HEX, "", "The transaction id of an in-mempool descendant transaction"}}},
+ - + - +
- + - + -
+ + - - ]
510 : : RPCResult{"for verbose = true",
511 : : RPCResult::Type::OBJ_DYN, "", "",
512 : : {
513 [ + - ]: 4438 : {RPCResult::Type::OBJ, "transactionid", "", MempoolEntryDescription()},
514 [ + - + - : 11095 : }},
+ - + - +
- + - + +
- - ]
515 : : },
516 : 2219 : RPCExamples{
517 [ + - + - : 4438 : HelpExampleCli("getmempooldescendants", "\"mytxid\"")
+ - ]
518 [ + - + - : 8876 : + HelpExampleRpc("getmempooldescendants", "\"mytxid\"")
+ - + - ]
519 [ + - ]: 2219 : },
520 : 51 : [&](const RPCHelpMan& self, const JSONRPCRequest& request) -> UniValue
521 : : {
522 : 51 : bool fVerbose = false;
523 [ + + ]: 51 : if (!request.params[1].isNull())
524 : 26 : fVerbose = request.params[1].get_bool();
525 : :
526 : 51 : uint256 hash = ParseHashV(request.params[0], "parameter 1");
527 : :
528 : 51 : const CTxMemPool& mempool = EnsureAnyMemPool(request.context);
529 : 51 : LOCK(mempool.cs);
530 : :
531 [ + - ]: 51 : const auto it{mempool.GetIter(hash)};
532 [ - + ]: 51 : if (!it) {
533 [ # # # # ]: 0 : throw JSONRPCError(RPC_INVALID_ADDRESS_OR_KEY, "Transaction not in mempool");
534 : : }
535 : :
536 [ + - ]: 51 : CTxMemPool::setEntries setDescendants;
537 [ + - ]: 51 : mempool.CalculateDescendants(*it, setDescendants);
538 : : // CTxMemPool::CalculateDescendants will include the given tx
539 : 51 : setDescendants.erase(*it);
540 : :
541 [ + + ]: 51 : if (!fVerbose) {
542 : 25 : UniValue o(UniValue::VARR);
543 [ + + ]: 325 : for (CTxMemPool::txiter descendantIt : setDescendants) {
544 [ + - + - : 300 : o.push_back(descendantIt->GetTx().GetHash().ToString());
+ - ]
545 : : }
546 : :
547 : : return o;
548 : 0 : } else {
549 : 26 : UniValue o(UniValue::VOBJ);
550 [ + + ]: 350 : for (CTxMemPool::txiter descendantIt : setDescendants) {
551 : 324 : const CTxMemPoolEntry &e = *descendantIt;
552 : 324 : const uint256& _hash = e.GetTx().GetHash();
553 : 324 : UniValue info(UniValue::VOBJ);
554 [ + - ]: 324 : entryToJSON(mempool, info, e);
555 [ + - + - ]: 648 : o.pushKV(_hash.ToString(), std::move(info));
556 : 324 : }
557 : 26 : return o;
558 : 26 : }
559 [ + - ]: 102 : },
560 [ + - + - : 37723 : };
+ - + - +
- + - + -
+ - + - +
+ + + - -
- - ]
561 [ + - + - : 22190 : }
+ - + - +
- + - + -
+ - - - -
- ]
562 : :
563 : 3037 : static RPCHelpMan getmempoolentry()
564 : : {
565 : 3037 : return RPCHelpMan{
566 : : "getmempoolentry",
567 : : "Returns mempool data for given transaction\n",
568 : : {
569 [ + - ]: 3037 : {"txid", RPCArg::Type::STR_HEX, RPCArg::Optional::NO, "The transaction id (must be in mempool)"},
570 : : },
571 : 0 : RPCResult{
572 [ + - + - : 6074 : RPCResult::Type::OBJ, "", "", MempoolEntryDescription()},
+ - + - ]
573 : 3037 : RPCExamples{
574 [ + - + - : 6074 : HelpExampleCli("getmempoolentry", "\"mytxid\"")
+ - ]
575 [ + - + - : 12148 : + HelpExampleRpc("getmempoolentry", "\"mytxid\"")
+ - + - ]
576 [ + - ]: 3037 : },
577 : 869 : [&](const RPCHelpMan& self, const JSONRPCRequest& request) -> UniValue
578 : : {
579 : 869 : uint256 hash = ParseHashV(request.params[0], "parameter 1");
580 : :
581 : 869 : const CTxMemPool& mempool = EnsureAnyMemPool(request.context);
582 : 869 : LOCK(mempool.cs);
583 : :
584 [ + - ]: 869 : const auto entry{mempool.GetEntry(Txid::FromUint256(hash))};
585 [ + + ]: 869 : if (entry == nullptr) {
586 [ + - + - ]: 12 : throw JSONRPCError(RPC_INVALID_ADDRESS_OR_KEY, "Transaction not in mempool");
587 : : }
588 : :
589 : 863 : UniValue info(UniValue::VOBJ);
590 [ + - ]: 863 : entryToJSON(mempool, info, *entry);
591 [ + - ]: 863 : return info;
592 : 863 : },
593 [ + - + - : 27333 : };
+ - + - +
- + - + +
- - ]
594 [ + - + - ]: 9111 : }
595 : :
596 : 2204 : static RPCHelpMan gettxspendingprevout()
597 : : {
598 : 2204 : return RPCHelpMan{"gettxspendingprevout",
599 : : "Scans the mempool to find transactions spending any of the given outputs",
600 : : {
601 [ + - ]: 2204 : {"outputs", RPCArg::Type::ARR, RPCArg::Optional::NO, "The transaction outputs that we want to check, and within each, the txid (string) vout (numeric).",
602 : : {
603 [ + - ]: 2204 : {"", RPCArg::Type::OBJ, RPCArg::Optional::OMITTED, "",
604 : : {
605 [ + - ]: 2204 : {"txid", RPCArg::Type::STR_HEX, RPCArg::Optional::NO, "The transaction id"},
606 [ + - ]: 2204 : {"vout", RPCArg::Type::NUM, RPCArg::Optional::NO, "The output number"},
607 : : },
608 : : },
609 : : },
610 : : },
611 : : },
612 : 0 : RPCResult{
613 : : RPCResult::Type::ARR, "", "",
614 : : {
615 : : {RPCResult::Type::OBJ, "", "",
616 : : {
617 : : {RPCResult::Type::STR_HEX, "txid", "the transaction id of the checked output"},
618 : : {RPCResult::Type::NUM, "vout", "the vout value of the checked output"},
619 : : {RPCResult::Type::STR_HEX, "spendingtxid", /*optional=*/true, "the transaction id of the mempool transaction spending this output (omitted if unspent)"},
620 : : }},
621 : : }
622 [ + - + - : 15428 : },
+ - + - +
- + - + -
+ - + - +
- + - + -
+ - + - +
- + - + +
+ + - - -
- ]
623 : 2204 : RPCExamples{
624 [ + - + - : 4408 : HelpExampleCli("gettxspendingprevout", "\"[{\\\"txid\\\":\\\"a08e6907dbbd3d809776dbfc5d82e371b764ed838b5655e72f463568df1aadf0\\\",\\\"vout\\\":3}]\"")
+ - ]
625 [ + - + - : 8816 : + HelpExampleRpc("gettxspendingprevout", "\"[{\\\"txid\\\":\\\"a08e6907dbbd3d809776dbfc5d82e371b764ed838b5655e72f463568df1aadf0\\\",\\\"vout\\\":3}]\"")
+ - + - ]
626 [ + - ]: 2204 : },
627 : 36 : [&](const RPCHelpMan& self, const JSONRPCRequest& request) -> UniValue
628 : : {
629 : 36 : const UniValue& output_params = request.params[0].get_array();
630 [ + + ]: 36 : if (output_params.empty()) {
631 [ + - + - ]: 2 : throw JSONRPCError(RPC_INVALID_PARAMETER, "Invalid parameter, outputs are missing");
632 : : }
633 : :
634 : 35 : std::vector<COutPoint> prevouts;
635 [ + - ]: 35 : prevouts.reserve(output_params.size());
636 : :
637 [ + + ]: 68 : for (unsigned int idx = 0; idx < output_params.size(); idx++) {
638 [ + - + - ]: 38 : const UniValue& o = output_params[idx].get_obj();
639 : :
640 [ + + + + : 156 : RPCTypeCheckObj(o,
+ + ]
641 : : {
642 [ + - ]: 38 : {"txid", UniValueType(UniValue::VSTR)},
643 [ + - ]: 38 : {"vout", UniValueType(UniValue::VNUM)},
644 : : }, /*fAllowNull=*/false, /*fStrict=*/true);
645 : :
646 [ + - ]: 34 : const Txid txid = Txid::FromUint256(ParseHashO(o, "txid"));
647 [ + - + - ]: 34 : const int nOutput{o.find_value("vout").getInt<int>()};
648 [ + + ]: 34 : if (nOutput < 0) {
649 [ + - + - ]: 2 : throw JSONRPCError(RPC_INVALID_PARAMETER, "Invalid parameter, vout cannot be negative");
650 : : }
651 : :
652 [ + - ]: 33 : prevouts.emplace_back(txid, nOutput);
653 : : }
654 : :
655 [ + - ]: 30 : const CTxMemPool& mempool = EnsureAnyMemPool(request.context);
656 [ + - ]: 30 : LOCK(mempool.cs);
657 : :
658 : 30 : UniValue result{UniValue::VARR};
659 : :
660 [ + + ]: 63 : for (const COutPoint& prevout : prevouts) {
661 : 33 : UniValue o(UniValue::VOBJ);
662 [ + - + - : 66 : o.pushKV("txid", prevout.hash.ToString());
+ - + - ]
663 [ + - + - : 66 : o.pushKV("vout", (uint64_t)prevout.n);
+ - ]
664 : :
665 [ + - ]: 33 : const CTransaction* spendingTx = mempool.GetConflictTx(prevout);
666 [ + + ]: 33 : if (spendingTx != nullptr) {
667 [ + - + - : 60 : o.pushKV("spendingtxid", spendingTx->GetHash().ToString());
+ - + - ]
668 : : }
669 : :
670 [ + - ]: 33 : result.push_back(std::move(o));
671 : 33 : }
672 : :
673 [ + - ]: 30 : return result;
674 [ + - + - : 72 : },
+ - - + ]
675 [ + - + - : 39672 : };
+ - + - +
- + - + -
+ - + - +
- + - + -
+ - + - +
+ + + + +
- - - - -
- ]
676 [ + - + - : 30856 : }
+ - + - +
- + - + -
+ - + - +
- - - -
- ]
677 : :
678 : 1152 : UniValue MempoolInfoToJSON(const CTxMemPool& pool)
679 : : {
680 : : // Make sure this call is atomic in the pool.
681 : 1152 : LOCK(pool.cs);
682 : 1152 : UniValue ret(UniValue::VOBJ);
683 [ + - + - : 2304 : ret.pushKV("loaded", pool.GetLoadTried());
+ - + - ]
684 [ + - + - : 2304 : ret.pushKV("size", (int64_t)pool.size());
+ - + - ]
685 [ + - + - : 2304 : ret.pushKV("bytes", (int64_t)pool.GetTotalTxSize());
+ - ]
686 [ + - + - : 2304 : ret.pushKV("usage", (int64_t)pool.DynamicMemoryUsage());
+ - + - ]
687 [ + - + - : 2304 : ret.pushKV("total_fee", ValueFromAmount(pool.GetTotalFee()));
+ - ]
688 [ + - + - : 2304 : ret.pushKV("maxmempool", pool.m_opts.max_size_bytes);
+ - ]
689 [ + - + + : 3381 : ret.pushKV("mempoolminfee", ValueFromAmount(std::max(pool.GetMinFee(), pool.m_opts.min_relay_feerate).GetFeePerK()));
+ - + - +
- ]
690 [ + - + - : 2304 : ret.pushKV("minrelaytxfee", ValueFromAmount(pool.m_opts.min_relay_feerate.GetFeePerK()));
+ - ]
691 [ + - + - : 2304 : ret.pushKV("incrementalrelayfee", ValueFromAmount(pool.m_opts.incremental_relay_feerate.GetFeePerK()));
+ - ]
692 [ + - + - : 2304 : ret.pushKV("unbroadcastcount", uint64_t{pool.GetUnbroadcastTxs().size()});
+ - + - ]
693 [ + - + - : 2304 : ret.pushKV("fullrbf", true);
+ - ]
694 [ + - ]: 1152 : return ret;
695 : 1152 : }
696 : :
697 : 3319 : static RPCHelpMan getmempoolinfo()
698 : : {
699 : 3319 : return RPCHelpMan{"getmempoolinfo",
700 : : "Returns details on the active state of the TX memory pool.",
701 : : {},
702 : 0 : RPCResult{
703 : : RPCResult::Type::OBJ, "", "",
704 : : {
705 : : {RPCResult::Type::BOOL, "loaded", "True if the initial load attempt of the persisted mempool finished"},
706 : : {RPCResult::Type::NUM, "size", "Current tx count"},
707 : : {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"},
708 : : {RPCResult::Type::NUM, "usage", "Total memory usage for the mempool"},
709 [ + - ]: 6638 : {RPCResult::Type::STR_AMOUNT, "total_fee", "Total fees for the mempool in " + CURRENCY_UNIT + ", ignoring modified fees through prioritisetransaction"},
710 : : {RPCResult::Type::NUM, "maxmempool", "Maximum memory usage for the mempool"},
711 [ + - ]: 6638 : {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"},
712 : : {RPCResult::Type::STR_AMOUNT, "minrelaytxfee", "Current minimum relay fee for transactions"},
713 [ + - ]: 6638 : {RPCResult::Type::NUM, "incrementalrelayfee", "minimum fee rate increment for mempool limiting or replacement in " + CURRENCY_UNIT + "/kvB"},
714 : : {RPCResult::Type::NUM, "unbroadcastcount", "Current number of transactions that haven't passed initial broadcast yet"},
715 : : {RPCResult::Type::BOOL, "fullrbf", "True if the mempool accepts RBF without replaceability signaling inspection (DEPRECATED)"},
716 [ + - + - : 63061 : }},
+ - + - +
- + - + -
+ - + - +
- + - + -
+ - + - +
- + - + -
+ - + - +
- + - + -
+ - + - +
- + - + -
+ - + - +
- + - + -
+ - + - +
+ - - ]
717 : 3319 : RPCExamples{
718 [ + - + - : 6638 : HelpExampleCli("getmempoolinfo", "")
+ - ]
719 [ + - + - : 13276 : + HelpExampleRpc("getmempoolinfo", "")
+ - + - ]
720 [ + - ]: 3319 : },
721 : 1151 : [&](const RPCHelpMan& self, const JSONRPCRequest& request) -> UniValue
722 : : {
723 : 1151 : return MempoolInfoToJSON(EnsureAnyMemPool(request.context));
724 : : },
725 [ + - + - : 19914 : };
+ - + - ]
726 [ + - + - : 39828 : }
+ - + - +
- + - + -
+ - + - +
- + - + -
- - ]
727 : :
728 : 2171 : static RPCHelpMan importmempool()
729 : : {
730 : 2171 : return RPCHelpMan{
731 : : "importmempool",
732 : : "Import a mempool.dat file and attempt to add its contents to the mempool.\n"
733 : : "Warning: Importing untrusted files is dangerous, especially if metadata from the file is taken over.",
734 : : {
735 [ + - ]: 2171 : {"filepath", RPCArg::Type::STR, RPCArg::Optional::NO, "The mempool file"},
736 : : {"options",
737 : : RPCArg::Type::OBJ_NAMED_PARAMS,
738 [ + - ]: 2171 : RPCArg::Optional::OMITTED,
739 : : "",
740 : : {
741 [ + - ]: 4342 : {"use_current_time", RPCArg::Type::BOOL, RPCArg::Default{true},
742 : : "Whether to use the current system time or use the entry time metadata from the mempool file.\n"
743 : : "Warning: Importing untrusted metadata may lead to unexpected issues and undesirable behavior."},
744 [ + - ]: 4342 : {"apply_fee_delta_priority", RPCArg::Type::BOOL, RPCArg::Default{false},
745 : : "Whether to apply the fee delta metadata from the mempool file.\n"
746 : : "It will be added to any existing fee deltas.\n"
747 : : "The fee delta can be set by the prioritisetransaction RPC.\n"
748 : : "Warning: Importing untrusted metadata may lead to unexpected issues and undesirable behavior.\n"
749 : : "Only set this bool if you understand what it does."},
750 [ + - ]: 4342 : {"apply_unbroadcast_set", RPCArg::Type::BOOL, RPCArg::Default{false},
751 : : "Whether to apply the unbroadcast set metadata from the mempool file.\n"
752 : : "Warning: Importing untrusted metadata may lead to unexpected issues and undesirable behavior."},
753 : : },
754 [ + - + - ]: 2171 : RPCArgOptions{.oneline_description = "options"}},
755 : : },
756 [ + - + - : 4342 : RPCResult{RPCResult::Type::OBJ, "", "", std::vector<RPCResult>{}},
+ - ]
757 [ + - + - : 6513 : RPCExamples{HelpExampleCli("importmempool", "/path/to/mempool.dat") + HelpExampleRpc("importmempool", "/path/to/mempool.dat")},
+ - + - +
- + - + -
+ - ]
758 : 3 : [&](const RPCHelpMan& self, const JSONRPCRequest& request) -> UniValue {
759 : 3 : const NodeContext& node{EnsureAnyNodeContext(request.context)};
760 : :
761 : 3 : CTxMemPool& mempool{EnsureMemPool(node)};
762 : 3 : ChainstateManager& chainman = EnsureChainman(node);
763 : 3 : Chainstate& chainstate = chainman.ActiveChainstate();
764 : :
765 [ - + ]: 3 : if (chainman.IsInitialBlockDownload()) {
766 [ # # # # ]: 0 : throw JSONRPCError(RPC_CLIENT_IN_INITIAL_DOWNLOAD, "Can only import the mempool after the block download and sync is done.");
767 : : }
768 : :
769 : 3 : const fs::path load_path{fs::u8path(request.params[0].get_str())};
770 [ + - + - : 3 : const UniValue& use_current_time{request.params[1]["use_current_time"]};
+ - ]
771 [ + - + - : 3 : const UniValue& apply_fee_delta{request.params[1]["apply_fee_delta_priority"]};
+ - ]
772 [ + - + - : 3 : const UniValue& apply_unbroadcast{request.params[1]["apply_unbroadcast_set"]};
+ - ]
773 [ - + ]: 3 : node::ImportMempoolOptions opts{
774 [ - + - - ]: 3 : .use_current_time = use_current_time.isNull() ? true : use_current_time.get_bool(),
775 [ + + + - ]: 3 : .apply_fee_delta_priority = apply_fee_delta.isNull() ? false : apply_fee_delta.get_bool(),
776 [ + + + - ]: 3 : .apply_unbroadcast_set = apply_unbroadcast.isNull() ? false : apply_unbroadcast.get_bool(),
777 [ - + + + : 5 : };
+ + ]
778 : :
779 [ + - - + ]: 3 : if (!node::LoadMempool(mempool, load_path, chainstate, std::move(opts))) {
780 [ # # # # ]: 0 : throw JSONRPCError(RPC_MISC_ERROR, "Unable to import mempool file, see debug.log for details.");
781 : : }
782 : :
783 : 3 : UniValue ret{UniValue::VOBJ};
784 : 3 : return ret;
785 : 6 : },
786 [ + - + - : 58617 : };
+ - + - +
- + - + -
+ - + - +
- + - + -
+ - + - +
- + + + +
- - - - ]
787 [ + - + - : 21710 : }
+ - + - +
- + - - -
- - ]
788 : :
789 : 2172 : static RPCHelpMan savemempool()
790 : : {
791 : 2172 : return RPCHelpMan{
792 : : "savemempool",
793 : : "Dumps the mempool to disk. It will fail until the previous dump is fully loaded.\n",
794 : : {},
795 : 0 : RPCResult{
796 : : RPCResult::Type::OBJ, "", "",
797 : : {
798 : : {RPCResult::Type::STR, "filename", "the directory and file where the mempool was saved"},
799 [ + - + - : 6516 : }},
+ - + - +
- + - + -
+ + - - ]
800 : 2172 : RPCExamples{
801 [ + - + - : 4344 : HelpExampleCli("savemempool", "")
+ - ]
802 [ + - + - : 8688 : + HelpExampleRpc("savemempool", "")
+ - + - ]
803 [ + - ]: 2172 : },
804 : 4 : [&](const RPCHelpMan& self, const JSONRPCRequest& request) -> UniValue
805 : : {
806 : 4 : const ArgsManager& args{EnsureAnyArgsman(request.context)};
807 : 4 : const CTxMemPool& mempool = EnsureAnyMemPool(request.context);
808 : :
809 [ - + ]: 4 : if (!mempool.GetLoadTried()) {
810 [ # # # # ]: 0 : throw JSONRPCError(RPC_MISC_ERROR, "The mempool was not loaded yet");
811 : : }
812 : :
813 : 4 : const fs::path& dump_path = MempoolPath(args);
814 : :
815 [ + - + + ]: 4 : if (!DumpMempool(mempool, dump_path)) {
816 [ + - + - ]: 2 : throw JSONRPCError(RPC_MISC_ERROR, "Unable to dump mempool to disk");
817 : : }
818 : :
819 : 3 : UniValue ret(UniValue::VOBJ);
820 [ + - + - : 6 : ret.pushKV("filename", dump_path.utf8string());
+ - + - ]
821 : :
822 : 3 : return ret;
823 : 3 : },
824 [ + - + - : 13032 : };
+ - + - ]
825 [ + - + - ]: 4344 : }
826 : :
827 : 4644 : static std::vector<RPCResult> OrphanDescription()
828 : : {
829 : 4644 : return {
830 [ + - + - : 9288 : RPCResult{RPCResult::Type::STR_HEX, "txid", "The transaction hash in hex"},
+ - ]
831 [ + - + - : 9288 : RPCResult{RPCResult::Type::STR_HEX, "wtxid", "The transaction witness hash in hex"},
+ - ]
832 [ + - + - : 9288 : RPCResult{RPCResult::Type::NUM, "bytes", "The serialized transaction size in bytes"},
+ - ]
833 [ + - + - : 9288 : 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."},
+ - ]
834 [ + - + - : 9288 : RPCResult{RPCResult::Type::NUM, "weight", "The transaction weight as defined in BIP 141."},
+ - ]
835 [ + - + - : 9288 : RPCResult{RPCResult::Type::NUM_TIME, "entry", "The entry time into the orphanage expressed in " + UNIX_EPOCH_TIME},
+ - ]
836 [ + - + - : 9288 : RPCResult{RPCResult::Type::NUM_TIME, "expiration", "The orphan expiration time expressed in " + UNIX_EPOCH_TIME},
+ - ]
837 : : RPCResult{RPCResult::Type::ARR, "from", "",
838 : : {
839 [ + - + - : 9288 : RPCResult{RPCResult::Type::NUM, "peer_id", "Peer ID"},
+ - ]
840 [ + - + - : 23220 : }},
+ - + + -
- ]
841 [ + - + + : 51084 : };
- - ]
842 [ + - + - : 46440 : }
+ - + - +
- + - + -
+ - + - +
- - - ]
843 : :
844 : 10043 : static UniValue OrphanToJSON(const TxOrphanage::OrphanTxBase& orphan)
845 : : {
846 : 10043 : UniValue o(UniValue::VOBJ);
847 [ + - + - : 20086 : o.pushKV("txid", orphan.tx->GetHash().ToString());
+ - + - ]
848 [ + - + - : 20086 : o.pushKV("wtxid", orphan.tx->GetWitnessHash().ToString());
+ - + - ]
849 [ + - + - : 20086 : o.pushKV("bytes", orphan.tx->GetTotalSize());
+ - + - ]
850 [ + - + - : 20086 : o.pushKV("vsize", GetVirtualTransactionSize(*orphan.tx));
+ - + - ]
851 [ + - + - : 20086 : o.pushKV("weight", GetTransactionWeight(*orphan.tx));
+ - ]
852 [ + - + - : 20086 : o.pushKV("entry", int64_t{TicksSinceEpoch<std::chrono::seconds>(orphan.nTimeExpire - ORPHAN_TX_EXPIRE_TIME)});
+ - ]
853 [ + - + - : 20086 : o.pushKV("expiration", int64_t{TicksSinceEpoch<std::chrono::seconds>(orphan.nTimeExpire)});
+ - ]
854 : 10043 : UniValue from(UniValue::VARR);
855 [ + + ]: 20093 : for (const auto fromPeer: orphan.announcers) {
856 [ + - + - ]: 10050 : from.push_back(fromPeer);
857 : : }
858 [ + - + - : 20086 : o.pushKV("from", from);
+ - ]
859 : 10043 : return o;
860 : 10043 : }
861 : :
862 : 2322 : static RPCHelpMan getorphantxs()
863 : : {
864 : 2322 : return RPCHelpMan{
865 : : "getorphantxs",
866 : : "Shows transactions in the tx orphanage.\n"
867 : : "\nEXPERIMENTAL warning: this call may be changed in future releases.\n",
868 : : {
869 [ + - ]: 4644 : {"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",
870 [ + - ]: 4644 : RPCArgOptions{.skip_type_check = true}},
871 : : },
872 : : {
873 : : RPCResult{"for verbose = 0",
874 : : RPCResult::Type::ARR, "", "",
875 : : {
876 : : {RPCResult::Type::STR_HEX, "txid", "The transaction hash in hex"},
877 [ + - + - : 6966 : }},
+ - + - +
- + - + -
+ + - - ]
878 : : RPCResult{"for verbose = 1",
879 : : RPCResult::Type::ARR, "", "",
880 : : {
881 [ + - ]: 4644 : {RPCResult::Type::OBJ, "", "", OrphanDescription()},
882 [ + - + - : 11610 : }},
+ - + - +
- + - + +
- - ]
883 : : RPCResult{"for verbose = 2",
884 : : RPCResult::Type::ARR, "", "",
885 : : {
886 : : {RPCResult::Type::OBJ, "", "",
887 [ + - + - : 11610 : Cat<std::vector<RPCResult>>(
+ - + - +
- + + -
- ]
888 [ + - ]: 4644 : OrphanDescription(),
889 : : {{RPCResult::Type::STR_HEX, "hex", "The serialized, hex-encoded transaction data"}}
890 : : )
891 : : },
892 [ + - + - : 11610 : }},
+ - + - +
- + - + +
- - ]
893 : : },
894 : 2322 : RPCExamples{
895 [ + - + - : 4644 : HelpExampleCli("getorphantxs", "2")
+ - ]
896 [ + - + - : 9288 : + HelpExampleRpc("getorphantxs", "2")
+ - + - ]
897 [ + - ]: 2322 : },
898 : 162 : [&](const RPCHelpMan& self, const JSONRPCRequest& request) -> UniValue
899 : : {
900 : 162 : const NodeContext& node = EnsureAnyNodeContext(request.context);
901 : 162 : PeerManager& peerman = EnsurePeerman(node);
902 : 162 : std::vector<TxOrphanage::OrphanTxBase> orphanage = peerman.GetOrphanTransactions();
903 : :
904 [ + - + + ]: 162 : int verbosity{ParseVerbosity(request.params[0], /*default_verbosity=*/0, /*allow_bool*/false)};
905 : :
906 : 160 : UniValue ret(UniValue::VARR);
907 : :
908 [ + + ]: 160 : if (verbosity == 0) {
909 [ + + ]: 330 : for (auto const& orphan : orphanage) {
910 [ + - + - : 305 : ret.push_back(orphan.tx->GetHash().ToString());
+ - ]
911 : : }
912 [ + + ]: 135 : } else if (verbosity == 1) {
913 [ + + ]: 10155 : for (auto const& orphan : orphanage) {
914 [ + - + - ]: 10032 : ret.push_back(OrphanToJSON(orphan));
915 : : }
916 [ + + ]: 12 : } else if (verbosity == 2) {
917 [ + + ]: 21 : for (auto const& orphan : orphanage) {
918 [ + - ]: 11 : UniValue o{OrphanToJSON(orphan)};
919 [ + - + - : 22 : o.pushKV("hex", EncodeHexTx(*orphan.tx));
+ - + - ]
920 [ + - + - ]: 11 : ret.push_back(o);
921 : 11 : }
922 : : } else {
923 [ + - + - : 4 : throw JSONRPCError(RPC_INVALID_PARAMETER, "Invalid verbosity value " + ToString(verbosity));
+ - ]
924 : : }
925 : :
926 : 158 : return ret;
927 : 164 : },
928 [ + - + - : 34830 : };
+ - + - +
- + - + -
+ + + + -
- - - ]
929 [ + - + - : 23220 : }
+ - + - +
- + - + -
+ - + - +
- - - ]
930 : :
931 : 2258 : static RPCHelpMan submitpackage()
932 : : {
933 : 2258 : return RPCHelpMan{"submitpackage",
934 : : "Submit a package of raw transactions (serialized, hex-encoded) to local node.\n"
935 : : "The package will be validated according to consensus and mempool policy rules. If any transaction passes, it will be accepted to mempool.\n"
936 : : "This RPC is experimental and the interface may be unstable. Refer to doc/policy/packages.md for documentation on package policies.\n"
937 : : "Warning: successful submission does not mean the transactions will propagate throughout the network.\n"
938 : : ,
939 : : {
940 [ + - ]: 2258 : {"package", RPCArg::Type::ARR, RPCArg::Optional::NO, "An array of raw transactions.\n"
941 : : "The package must solely consist of a child transaction and all of its unconfirmed parents, if any. None of the parents may depend on each other.\n"
942 : : "The package must be topologically sorted, with the child being the last element in the array.",
943 : : {
944 [ + - ]: 2258 : {"rawtx", RPCArg::Type::STR_HEX, RPCArg::Optional::OMITTED, ""},
945 : : },
946 : : },
947 [ + - + - ]: 4516 : {"maxfeerate", RPCArg::Type::AMOUNT, RPCArg::Default{FormatMoney(DEFAULT_MAX_RAW_TX_FEE_RATE.GetFeePerK())},
948 : 2258 : "Reject transactions whose fee rate is higher than the specified value, expressed in " + CURRENCY_UNIT +
949 : 2258 : "/kvB.\nFee rates larger than 1BTC/kvB are rejected.\nSet to 0 to accept any fee rate."},
950 [ + - + - ]: 4516 : {"maxburnamount", RPCArg::Type::AMOUNT, RPCArg::Default{FormatMoney(DEFAULT_MAX_BURN_AMOUNT)},
951 : 2258 : "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"
952 : : "If burning funds through unspendable outputs is desired, increase this value.\n"
953 : 2258 : "This check is based on heuristics and does not guarantee spendability of outputs.\n"
954 : : },
955 : : },
956 : 0 : RPCResult{
957 : : RPCResult::Type::OBJ, "", "",
958 : : {
959 : : {RPCResult::Type::STR, "package_msg", "The transaction package result message. \"success\" indicates all transactions were accepted into or are already in the mempool."},
960 : : {RPCResult::Type::OBJ_DYN, "tx-results", "transaction results keyed by wtxid",
961 : : {
962 : : {RPCResult::Type::OBJ, "wtxid", "transaction wtxid", {
963 : : {RPCResult::Type::STR_HEX, "txid", "The transaction hash in hex"},
964 : : {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."},
965 : : {RPCResult::Type::NUM, "vsize", /*optional=*/true, "Sigops-adjusted virtual transaction size."},
966 : : {RPCResult::Type::OBJ, "fees", /*optional=*/true, "Transaction fees", {
967 [ + - ]: 4516 : {RPCResult::Type::STR_AMOUNT, "base", "transaction fee in " + CURRENCY_UNIT},
968 [ + - ]: 4516 : {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."},
969 : : {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.",
970 : : {{RPCResult::Type::STR_HEX, "", "transaction wtxid in hex"},
971 : : }},
972 : : }},
973 : : {RPCResult::Type::STR, "error", /*optional=*/true, "The transaction error string, if it was rejected by the mempool"},
974 : : }}
975 : : }},
976 : : {RPCResult::Type::ARR, "replaced-transactions", /*optional=*/true, "List of txids of replaced transactions",
977 : : {
978 : : {RPCResult::Type::STR_HEX, "", "The transaction id"},
979 : : }},
980 : : },
981 [ + - + - : 56450 : },
+ - + - +
- + - + -
+ - + - +
- + - + -
+ - + - +
- + - + -
+ - + - +
- + - + -
+ - + - +
- + - + -
+ - + - +
- + - + -
+ - + - +
- + - + -
+ - + - +
- + - + -
+ - + - +
+ + + + +
+ + + + +
+ - - - -
- - - - -
- - - ]
982 : 2258 : RPCExamples{
983 [ + - + - : 4516 : HelpExampleRpc("submitpackage", R"(["raw-parent-tx-1", "raw-parent-tx-2", "raw-child-tx"])") +
+ - ]
984 [ + - + - : 6774 : HelpExampleCli("submitpackage", R"('["raw-tx-without-unconfirmed-parents"]')")
+ - + - ]
985 [ + - ]: 2258 : },
986 : 90 : [&](const RPCHelpMan& self, const JSONRPCRequest& request) -> UniValue
987 : : {
988 : 90 : const UniValue raw_transactions = request.params[0].get_array();
989 [ + + + + ]: 90 : if (raw_transactions.empty() || raw_transactions.size() > MAX_PACKAGE_COUNT) {
990 : 2 : throw JSONRPCError(RPC_INVALID_PARAMETER,
991 [ + - + - : 6 : "Array must contain between 1 and " + ToString(MAX_PACKAGE_COUNT) + " transactions.");
+ - ]
992 : : }
993 : :
994 : : // Fee check needs to be run with chainstate and package context
995 [ + - + - ]: 88 : const CFeeRate max_raw_tx_fee_rate{ParseFeeRate(self.Arg<UniValue>("maxfeerate"))};
996 [ + + ]: 88 : std::optional<CFeeRate> client_maxfeerate{max_raw_tx_fee_rate};
997 : : // 0-value is special; it's mapped to no sanity check
998 [ + + ]: 88 : if (max_raw_tx_fee_rate == CFeeRate(0)) {
999 : 5 : client_maxfeerate = std::nullopt;
1000 : : }
1001 : :
1002 : : // Burn sanity check is run with no context
1003 [ + - + + : 88 : const CAmount max_burn_amount = request.params[2].isNull() ? 0 : AmountFromValue(request.params[2]);
+ - + - ]
1004 : :
1005 : 88 : std::vector<CTransactionRef> txns;
1006 [ + - ]: 88 : txns.reserve(raw_transactions.size());
1007 [ + - + + ]: 412 : for (const auto& rawtx : raw_transactions.getValues()) {
1008 [ + - ]: 326 : CMutableTransaction mtx;
1009 [ + - + - : 326 : if (!DecodeHexTx(mtx, rawtx.get_str())) {
+ + ]
1010 : 1 : throw JSONRPCError(RPC_DESERIALIZATION_ERROR,
1011 [ + - + - : 3 : "TX decode failed: " + rawtx.get_str() + " Make sure the tx has at least one input.");
+ - ]
1012 : : }
1013 : :
1014 [ + + ]: 787 : for (const auto& out : mtx.vout) {
1015 [ + + + - : 463 : if((out.scriptPubKey.IsUnspendable() || !out.scriptPubKey.HasValidOps()) && out.nValue > max_burn_amount) {
- + + + ]
1016 [ + - + - ]: 2 : throw JSONRPCTransactionError(TransactionError::MAX_BURN_EXCEEDED);
1017 : : }
1018 : : }
1019 : :
1020 [ + - + - ]: 972 : txns.emplace_back(MakeTransactionRef(std::move(mtx)));
1021 : 326 : }
1022 [ + - ]: 86 : CHECK_NONFATAL(!txns.empty());
1023 [ + + + - : 86 : if (txns.size() > 1 && !IsChildWithParentsTree(txns)) {
+ + ]
1024 [ + - + - ]: 2 : throw JSONRPCTransactionError(TransactionError::INVALID_PACKAGE, "package topology disallowed. not child-with-parents or parents depend on each other.");
1025 : : }
1026 : :
1027 [ + - ]: 85 : NodeContext& node = EnsureAnyNodeContext(request.context);
1028 [ + - ]: 85 : CTxMemPool& mempool = EnsureMemPool(node);
1029 [ + - + - ]: 85 : Chainstate& chainstate = EnsureChainman(node).ActiveChainstate();
1030 [ + - + - ]: 255 : const auto package_result = WITH_LOCK(::cs_main, return ProcessNewPackage(chainstate, mempool, txns, /*test_accept=*/ false, client_maxfeerate));
1031 : :
1032 [ + - ]: 85 : std::string package_msg = "success";
1033 : :
1034 : : // First catch package-wide errors, continue if we can
1035 [ + - + - ]: 85 : switch(package_result.m_state.GetResult()) {
1036 : 38 : case PackageValidationResult::PCKG_RESULT_UNSET:
1037 : 38 : {
1038 : : // Belt-and-suspenders check; everything should be successful here
1039 [ + - ]: 38 : CHECK_NONFATAL(package_result.m_tx_results.size() == txns.size());
1040 [ + + ]: 209 : for (const auto& tx : txns) {
1041 [ + - + - ]: 171 : CHECK_NONFATAL(mempool.exists(GenTxid::Txid(tx->GetHash())));
1042 : : }
1043 : : break;
1044 : : }
1045 : 0 : case PackageValidationResult::PCKG_MEMPOOL_ERROR:
1046 : 0 : {
1047 : : // This only happens with internal bug; user should stop and report
1048 : 0 : throw JSONRPCTransactionError(TransactionError::MEMPOOL_ERROR,
1049 [ # # # # ]: 0 : package_result.m_state.GetRejectReason());
1050 : : }
1051 : 47 : case PackageValidationResult::PCKG_POLICY:
1052 : 47 : case PackageValidationResult::PCKG_TX:
1053 : 47 : {
1054 : : // Package-wide error we want to return, but we also want to return individual responses
1055 [ + - ]: 47 : package_msg = package_result.m_state.ToString();
1056 [ + + + - : 51 : CHECK_NONFATAL(package_result.m_tx_results.size() == txns.size() ||
+ - ]
1057 : : package_result.m_tx_results.empty());
1058 : : break;
1059 : : }
1060 : : }
1061 : :
1062 : 85 : size_t num_broadcast{0};
1063 [ + + ]: 405 : for (const auto& tx : txns) {
1064 : : // We don't want to re-submit the txn for validation in BroadcastTransaction
1065 [ + - + + ]: 320 : if (!mempool.exists(GenTxid::Txid(tx->GetHash()))) {
1066 : 89 : continue;
1067 : : }
1068 : :
1069 : : // We do not expect an error here; we are only broadcasting things already/still in mempool
1070 [ + - ]: 231 : std::string err_string;
1071 [ + - + - : 462 : const auto err = BroadcastTransaction(node, tx, err_string, /*max_tx_fee=*/0, /*relay=*/true, /*wait_callback=*/true);
+ - ]
1072 [ - + ]: 231 : if (err != TransactionError::OK) {
1073 : 0 : throw JSONRPCTransactionError(err,
1074 [ # # ]: 0 : strprintf("transaction broadcast failed: %s (%d transactions were broadcast successfully)",
1075 [ # # ]: 0 : err_string, num_broadcast));
1076 : : }
1077 : 231 : num_broadcast++;
1078 : 231 : }
1079 : :
1080 : 85 : UniValue rpc_result{UniValue::VOBJ};
1081 [ + - + - : 170 : rpc_result.pushKV("package_msg", package_msg);
+ - ]
1082 : 170 : UniValue tx_result_map{UniValue::VOBJ};
1083 : 170 : std::set<uint256> replaced_txids;
1084 [ + + ]: 405 : for (const auto& tx : txns) {
1085 : 320 : UniValue result_inner{UniValue::VOBJ};
1086 [ + - + - : 640 : result_inner.pushKV("txid", tx->GetHash().GetHex());
+ - + - ]
1087 : 320 : auto it = package_result.m_tx_results.find(tx->GetWitnessHash());
1088 [ + + ]: 320 : if (it == package_result.m_tx_results.end()) {
1089 : : // No results, report error and continue
1090 [ + - + - : 20 : result_inner.pushKV("error", "unevaluated");
+ - ]
1091 : 10 : continue;
1092 : : }
1093 [ - + + - ]: 310 : const auto& tx_result = it->second;
1094 [ - + + - ]: 310 : switch(it->second.m_result_type) {
1095 : 0 : case MempoolAcceptResult::ResultType::DIFFERENT_WITNESS:
1096 [ # # # # : 0 : result_inner.pushKV("other-wtxid", it->second.m_other_wtxid.value().GetHex());
# # # # #
# ]
1097 : 0 : break;
1098 : 80 : case MempoolAcceptResult::ResultType::INVALID:
1099 [ + - + - : 160 : result_inner.pushKV("error", it->second.m_state.ToString());
+ - + - ]
1100 : 80 : break;
1101 : 230 : case MempoolAcceptResult::ResultType::VALID:
1102 : 230 : case MempoolAcceptResult::ResultType::MEMPOOL_ENTRY:
1103 [ + - + - : 460 : result_inner.pushKV("vsize", int64_t{it->second.m_vsize.value()});
+ - + - ]
1104 : 230 : UniValue fees(UniValue::VOBJ);
1105 [ + - + - : 460 : fees.pushKV("base", ValueFromAmount(it->second.m_base_fees.value()));
+ - + - ]
1106 [ + + ]: 230 : if (tx_result.m_result_type == MempoolAcceptResult::ResultType::VALID) {
1107 : : // Effective feerate is not provided for MEMPOOL_ENTRY transactions even
1108 : : // though modified fees is known, because it is unknown whether package
1109 : : // feerate was used when it was originally submitted.
1110 [ + - + - : 286 : fees.pushKV("effective-feerate", ValueFromAmount(tx_result.m_effective_feerate.value().GetFeePerK()));
+ - + - ]
1111 : 143 : UniValue effective_includes_res(UniValue::VARR);
1112 [ + - + + ]: 316 : for (const auto& wtxid : tx_result.m_wtxids_fee_calculations.value()) {
1113 [ + - + - : 173 : effective_includes_res.push_back(wtxid.ToString());
+ - ]
1114 : : }
1115 [ + - + - ]: 286 : fees.pushKV("effective-includes", std::move(effective_includes_res));
1116 : 143 : }
1117 [ + - + - ]: 460 : result_inner.pushKV("fees", std::move(fees));
1118 [ + + ]: 344 : for (const auto& ptx : it->second.m_replaced_transactions) {
1119 [ + - ]: 114 : replaced_txids.insert(ptx->GetHash());
1120 : : }
1121 : 230 : break;
1122 : : }
1123 [ + - + - ]: 620 : tx_result_map.pushKV(tx->GetWitnessHash().GetHex(), std::move(result_inner));
1124 : 320 : }
1125 [ + - + - ]: 170 : rpc_result.pushKV("tx-results", std::move(tx_result_map));
1126 : 170 : UniValue replaced_list(UniValue::VARR);
1127 [ + - + - : 199 : for (const uint256& hash : replaced_txids) replaced_list.push_back(hash.ToString());
+ - + + ]
1128 [ + - + - ]: 170 : rpc_result.pushKV("replaced-transactions", std::move(replaced_list));
1129 : 170 : return rpc_result;
1130 : 93 : },
1131 [ + - + - : 49676 : };
+ - + - +
- + - + -
+ - + - +
- + - + -
+ - + + +
+ - - -
- ]
1132 [ + - + - : 54192 : }
+ - + - +
- + - + -
+ - + - +
- + - + -
+ - + - +
- + - + -
+ - + - +
- - - - -
- - - - ]
1133 : :
1134 : 1209 : void RegisterMempoolRPCCommands(CRPCTable& t)
1135 : : {
1136 : 1209 : static const CRPCCommand commands[]{
1137 : : {"rawtransactions", &sendrawtransaction},
1138 : : {"rawtransactions", &testmempoolaccept},
1139 : : {"blockchain", &getmempoolancestors},
1140 : : {"blockchain", &getmempooldescendants},
1141 : : {"blockchain", &getmempoolentry},
1142 : : {"blockchain", &gettxspendingprevout},
1143 : : {"blockchain", &getmempoolinfo},
1144 : : {"blockchain", &getrawmempool},
1145 : : {"blockchain", &importmempool},
1146 : : {"blockchain", &savemempool},
1147 : : {"hidden", &getorphantxs},
1148 : : {"rawtransactions", &submitpackage},
1149 [ + + + - : 1209 : };
+ - + - +
- + - + -
+ - + - +
- + - + -
+ - + - +
- + - + -
+ - + - +
- + - + -
+ - + - +
- + - -
- ]
1150 [ + + ]: 15717 : for (const auto& c : commands) {
1151 : 14508 : t.appendCommand(c.name, &c);
1152 : : }
1153 : 1209 : }
|