10 #include <chainparams.h>
21 #include <txmempool.h>
38 "\nSubmit a raw transaction (serialized, hex-encoded) to local node and network.\n"
39 "\nThe transaction will be sent unconditionally to all peers, so using sendrawtransaction\n"
40 "for manual rebroadcast may degrade privacy by leaking the transaction's origin, as\n"
41 "nodes will normally not rebroadcast non-wallet transactions already in their mempool.\n"
42 "\nA specific exception, RPC_TRANSACTION_ALREADY_IN_CHAIN, may throw if the transaction cannot be added to the mempool.\n"
43 "\nRelated RPCs: createrawtransaction, signrawtransactionwithkey\n",
47 "Reject transactions whose fee rate is higher than the specified value, expressed in " +
CURRENCY_UNIT +
48 "/kvB.\nSet to 0 to accept any fee rate."},
50 "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"
51 "If burning funds through unspendable outputs is desired, increase this value.\n"
52 "This check is based on heuristics and does not guarantee spendability of outputs.\n"},
58 "\nCreate a transaction\n"
59 +
HelpExampleCli(
"createrawtransaction",
"\"[{\\\"txid\\\" : \\\"mytxid\\\",\\\"vout\\\":0}]\" \"{\\\"myaddress\\\":0.01}\"") +
60 "Sign the transaction, and get back the hex\n"
62 "\nSend the transaction (signed hex)\n"
64 "\nAs a JSON-RPC call\n"
72 if (!
DecodeHexTx(mtx, request.params[0].get_str())) {
76 for (
const auto&
out : mtx.
vout) {
77 if((
out.scriptPubKey.IsUnspendable() || !
out.scriptPubKey.HasValidOps()) &&
out.nValue > max_burn_amount) {
84 const CFeeRate max_raw_tx_fee_rate = request.params[1].isNull() ?
89 CAmount max_raw_tx_fee = max_raw_tx_fee_rate.
GetFee(virtual_size);
91 std::string err_string;
99 return tx->GetHash().GetHex();
107 "\nReturns result of mempool acceptance tests indicating if raw transaction(s) (serialized, hex-encoded) would be accepted by mempool.\n"
108 "\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"
109 "\nIf one transaction fails, other transactions may not be fully validated (the 'allowed' key will be blank).\n"
111 "\nThis checks if transactions violate the consensus or policy rules.\n"
112 "\nSee sendrawtransaction call.\n",
120 "Reject transactions whose fee rate is higher than the specified value, expressed in " +
CURRENCY_UNIT +
"/kvB\n"},
123 RPCResult::Type::ARR,
"",
"The result of the mempool acceptance test for each raw transaction in the input array.\n"
124 "Returns results for each transaction in the same order they were passed in.\n"
125 "Transactions that cannot be fully validated due to failures in other transactions will not contain an 'allowed' result.\n",
131 {
RPCResult::Type::STR,
"package-error",
true,
"Package validation error, if any (only possible if rawtxs had more than 1 transaction)."},
132 {
RPCResult::Type::BOOL,
"allowed",
true,
"Whether this tx would be accepted to the mempool and pass client-specified maxfeerate. "
133 "If not present, the tx was not fully validated due to a failure in another tx in the list."},
134 {
RPCResult::Type::NUM,
"vsize",
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)"},
138 {
RPCResult::Type::STR_AMOUNT,
"effective-feerate",
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."},
139 {
RPCResult::Type::ARR,
"effective-includes",
false,
"transactions whose fees and vsizes are included in effective-feerate.",
143 {
RPCResult::Type::STR,
"reject-reason",
true,
"Rejection string (only present when 'allowed' is false)"},
148 "\nCreate a transaction\n"
149 +
HelpExampleCli(
"createrawtransaction",
"\"[{\\\"txid\\\" : \\\"mytxid\\\",\\\"vout\\\":0}]\" \"{\\\"myaddress\\\":0.01}\"") +
150 "Sign the transaction, and get back the hex\n"
152 "\nTest acceptance of the transaction (signed hex)\n"
154 "\nAs a JSON-RPC call\n"
165 const CFeeRate max_raw_tx_fee_rate = request.params[1].isNull() ?
169 std::vector<CTransactionRef> txns;
170 txns.reserve(raw_transactions.
size());
171 for (
const auto& rawtx : raw_transactions.
getValues()) {
175 "TX decode failed: " + rawtx.get_str() +
" Make sure the tx has at least one input.");
183 Chainstate& chainstate = chainman.ActiveChainstate();
196 bool exit_early{
false};
197 for (
const auto& tx : txns) {
199 result_inner.
pushKV(
"txid", tx->GetHash().GetHex());
200 result_inner.
pushKV(
"wtxid", tx->GetWitnessHash().GetHex());
204 auto it = package_result.
m_tx_results.find(tx->GetWitnessHash());
205 if (exit_early || it == package_result.
m_tx_results.end()) {
210 const auto& tx_result = it->second;
214 const CAmount fee = tx_result.m_base_fees.value();
216 const int64_t virtual_size = tx_result.m_vsize.value();
217 const CAmount max_raw_tx_fee = max_raw_tx_fee_rate.
GetFee(virtual_size);
218 if (max_raw_tx_fee && fee > max_raw_tx_fee) {
219 result_inner.
pushKV(
"allowed",
false);
220 result_inner.
pushKV(
"reject-reason",
"max-fee-exceeded");
225 result_inner.
pushKV(
"allowed",
true);
226 result_inner.
pushKV(
"vsize", virtual_size);
229 fees.
pushKV(
"effective-feerate",
ValueFromAmount(tx_result.m_effective_feerate.value().GetFeePerK()));
231 for (
const auto& wtxid : tx_result.m_wtxids_fee_calculations.value()) {
232 effective_includes_res.
push_back(wtxid.ToString());
234 fees.
pushKV(
"effective-includes", effective_includes_res);
235 result_inner.
pushKV(
"fees", fees);
238 result_inner.
pushKV(
"allowed",
false);
241 result_inner.
pushKV(
"reject-reason",
"missing-inputs");
256 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."},
276 RPCResult{
RPCResult::Type::BOOL,
"bip125-replaceable",
"Whether this transaction signals BIP125 replaceability or has an unconfirmed ancestor signaling BIP125 replaceability.\n"},
277 RPCResult{
RPCResult::Type::BOOL,
"unbroadcast",
"Whether this transaction is currently unbroadcast (initial broadcast not yet acknowledged by any peers)"},
285 info.pushKV(
"vsize", (
int)e.GetTxSize());
286 info.pushKV(
"weight", (
int)e.GetTxWeight());
288 info.pushKV(
"height", (
int)e.GetHeight());
289 info.pushKV(
"descendantcount", e.GetCountWithDescendants());
290 info.pushKV(
"descendantsize", e.GetSizeWithDescendants());
291 info.pushKV(
"ancestorcount", e.GetCountWithAncestors());
292 info.pushKV(
"ancestorsize", e.GetSizeWithAncestors());
293 info.pushKV(
"wtxid", pool.vTxHashes[e.vTxHashesIdx].first.ToString());
300 info.pushKV(
"fees", fees);
303 std::set<std::string> setDepends;
311 for (
const std::string& dep : setDepends)
316 info.pushKV(
"depends", depends);
322 spent.
push_back(child.GetTx().GetHash().ToString());
325 info.pushKV(
"spentby", spent);
328 bool rbfStatus =
false;
336 info.pushKV(
"bip125-replaceable", rbfStatus);
337 info.pushKV(
"unbroadcast", pool.IsUnbroadcastTx(tx.
GetHash()));
343 if (include_mempool_sequence) {
359 uint64_t mempool_sequence;
360 std::vector<uint256> vtxid;
367 for (
const uint256& hash : vtxid)
370 if (!include_mempool_sequence) {
375 o.
pushKV(
"mempool_sequence", mempool_sequence);
384 "\nReturns all transaction ids in memory pool as a json array of string transaction ids.\n"
385 "\nHint: use getmempoolentry to fetch a specific transaction from the mempool.\n",
388 {
"mempool_sequence",
RPCArg::Type::BOOL,
RPCArg::Default{
false},
"If verbose=false, returns a json object with transaction list and mempool sequence number attached."},
401 RPCResult{
"for verbose = false and mempool_sequence = true",
417 bool fVerbose =
false;
418 if (!request.params[0].isNull())
419 fVerbose = request.params[0].
get_bool();
421 bool include_mempool_sequence =
false;
422 if (!request.params[1].isNull()) {
423 include_mempool_sequence = request.params[1].get_bool();
434 "\nIf txid is in the mempool, returns all in-mempool ancestors.\n",
455 bool fVerbose =
false;
456 if (!request.params[1].isNull())
457 fVerbose = request.params[1].
get_bool();
465 if (it == mempool.mapTx.end()) {
474 o.
push_back(ancestorIt->GetTx().GetHash().ToString());
495 "\nIf txid is in the mempool, returns all in-mempool descendants.\n",
516 bool fVerbose =
false;
517 if (!request.params[1].isNull())
518 fVerbose = request.params[1].
get_bool();
526 if (it == mempool.mapTx.end()) {
533 setDescendants.erase(it);
538 o.
push_back(descendantIt->GetTx().GetHash().ToString());
560 "\nReturns mempool data for given transaction\n",
578 if (it == mempool.mapTx.end()) {
593 "Scans the mempool to find transactions spending any of the given outputs",
613 {
RPCResult::Type::STR_HEX,
"spendingtxid",
true,
"the transaction id of the mempool transaction spending this output (omitted if unspent)"},
618 HelpExampleCli(
"gettxspendingprevout",
"\"[{\\\"txid\\\":\\\"a08e6907dbbd3d809776dbfc5d82e371b764ed838b5655e72f463568df1aadf0\\\",\\\"vout\\\":3}]\"")
619 +
HelpExampleRpc(
"gettxspendingprevout",
"\"[{\\\"txid\\\":\\\"a08e6907dbbd3d809776dbfc5d82e371b764ed838b5655e72f463568df1aadf0\\\",\\\"vout\\\":3}]\"")
624 if (output_params.
empty()) {
628 std::vector<COutPoint> prevouts;
629 prevouts.reserve(output_params.
size());
631 for (
unsigned int idx = 0; idx < output_params.
size(); idx++) {
646 prevouts.emplace_back(txid, nOutput);
654 for (
const COutPoint& prevout : prevouts) {
656 o.
pushKV(
"txid", prevout.hash.ToString());
657 o.
pushKV(
"vout", (uint64_t)prevout.n);
660 if (spendingTx !=
nullptr) {
678 ret.pushKV(
"size", (int64_t)pool.
size());
694 "Returns details on the active state of the TX memory pool.",
701 {
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,
"unbroadcastcount",
"Current number of transactions that haven't passed initial broadcast yet"},
709 {
RPCResult::Type::BOOL,
"fullrbf",
"True if the mempool accepts RBF without replaceability signaling inspection"},
725 "\nDumps the mempool to disk. It will fail until the previous dump is fully loaded.\n",
762 "Submit a package of raw transactions (serialized, hex-encoded) to local node (-regtest only).\n"
763 "The package will be validated according to consensus and mempool policy rules. If all transactions pass, they will be accepted to mempool.\n"
764 "This RPC is experimental and the interface may be unstable. Refer to doc/policy/packages.md for documentation on package policies.\n"
765 "Warning: until package relay is in use, successful submission does not mean the transaction will propagate to other nodes on the network.\n"
766 "Currently, each transaction is broadcasted individually after submission, which means they must meet other nodes' feerate requirements alone.\n"
782 {
RPCResult::Type::STR_HEX,
"other-wtxid",
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."},
786 {
RPCResult::Type::STR_AMOUNT,
"effective-feerate",
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."},
787 {
RPCResult::Type::ARR,
"effective-includes",
true,
"if effective-feerate is provided, the wtxids of the transactions whose fees and vsizes are included in effective-feerate.",
806 throw std::runtime_error(
"submitpackage is for regression testing (-regtest mode) only");
814 std::vector<CTransactionRef> txns;
815 txns.reserve(raw_transactions.
size());
816 for (
const auto& rawtx : raw_transactions.
getValues()) {
820 "TX decode failed: " + rawtx.get_str() +
" Make sure the tx has at least one input.");
831 switch(package_result.m_state.GetResult()) {
836 package_result.m_state.GetRejectReason());
841 package_result.m_state.GetRejectReason());
845 for (
const auto& tx : txns) {
846 auto it = package_result.m_tx_results.find(tx->GetWitnessHash());
847 if (it != package_result.m_tx_results.end() && it->second.m_state.IsInvalid()) {
849 strprintf(
"%s failed: %s", tx->GetHash().ToString(), it->second.m_state.GetRejectReason()));
856 size_t num_broadcast{0};
857 for (
const auto& tx : txns) {
858 std::string err_string;
862 strprintf(
"transaction broadcast failed: %s (all transactions were submitted, %d transactions were broadcast successfully)",
863 err_string, num_broadcast));
869 std::set<uint256> replaced_txids;
870 for (
const auto& tx : txns) {
871 auto it = package_result.m_tx_results.find(tx->GetWitnessHash());
874 result_inner.pushKV(
"txid", tx->GetHash().GetHex());
875 const auto& tx_result = it->second;
877 result_inner.pushKV(
"other-wtxid", it->second.m_other_wtxid.value().GetHex());
881 result_inner.pushKV(
"vsize", int64_t{it->second.m_vsize.value()});
888 fees.
pushKV(
"effective-feerate",
ValueFromAmount(tx_result.m_effective_feerate.value().GetFeePerK()));
890 for (
const auto& wtxid : tx_result.m_wtxids_fee_calculations.value()) {
891 effective_includes_res.
push_back(wtxid.ToString());
893 fees.
pushKV(
"effective-includes", effective_includes_res);
895 result_inner.pushKV(
"fees", fees);
896 if (it->second.m_replaced_transactions.has_value()) {
897 for (
const auto& ptx : it->second.m_replaced_transactions.value()) {
898 replaced_txids.insert(ptx->GetHash());
902 tx_result_map.pushKV(tx->GetWitnessHash().GetHex(), result_inner);
904 rpc_result.pushKV(
"tx-results", tx_result_map);
906 for (
const uint256& hash : replaced_txids) replaced_list.
push_back(hash.ToString());
907 rpc_result.pushKV(
"replaced-transactions", replaced_list);
927 for (
const auto& c : commands) {
928 t.appendCommand(c.name, &c);
int64_t CAmount
Amount in satoshis (Can be negative)
static CAmount AmountFromValue(const UniValue &value)
const CChainParams & Params()
Return the currently selected parameters.
#define CHECK_NONFATAL(condition)
Identity function.
#define NONFATAL_UNREACHABLE()
NONFATAL_UNREACHABLE() is a macro that is used to mark unreachable code.
bool IsMockableChain() const
If this chain allows time to be mocked.
Fee rate in satoshis per kilovirtualbyte: CAmount / kvB.
CAmount GetFee(uint32_t num_bytes) const
Return the fee in satoshis for the given vsize in vbytes.
CAmount GetFeePerK() const
Return the fee in satoshis for a vsize of 1000 vbytes.
An outpoint - a combination of a transaction hash and an index n into its vout.
The basic transaction that is broadcasted on the network and contained in blocks.
const uint256 & GetHash() const
const std::vector< CTxIn > vin
An input of a transaction.
CTxMemPoolEntry stores data about the corresponding transaction, as well as data about all in-mempool...
const CTransaction & GetTx() const
std::set< CTxMemPoolEntryRef, CompareIteratorByHash > Children
CTxMemPool stores valid-according-to-the-current-best-chain transactions that may be included in the ...
setEntries AssumeCalculateMemPoolAncestors(std::string_view calling_fn_name, const CTxMemPoolEntry &entry, const Limits &limits, bool fSearchForParents=true) const EXCLUSIVE_LOCKS_REQUIRED(cs)
Same as CalculateMemPoolAncestors, but always returns a (non-optional) setEntries.
bool GetLoadTried() const
RecursiveMutex cs
This mutex needs to be locked when accessing mapTx or other members that are guarded by it.
CFeeRate GetMinFee(size_t sizelimit) const
const int64_t m_max_size_bytes
size_t DynamicMemoryUsage() const
std::set< txiter, CompareIteratorByHash > setEntries
std::set< uint256 > GetUnbroadcastTxs() const
Returns transactions in unbroadcast set.
void queryHashes(std::vector< uint256 > &vtxid) const
const CFeeRate m_min_relay_feerate
uint64_t GetSequence() const EXCLUSIVE_LOCKS_REQUIRED(cs)
indexed_transaction_set::nth_index< 0 >::type::const_iterator txiter
const CFeeRate m_incremental_relay_feerate
const CTransaction * GetConflictTx(const COutPoint &prevout) const EXCLUSIVE_LOCKS_REQUIRED(cs)
Get the transaction in the pool that spends the same prevout.
void CalculateDescendants(txiter it, setEntries &setDescendants) const EXCLUSIVE_LOCKS_REQUIRED(cs)
Populate setDescendants with all in-mempool descendants of hash.
unsigned long size() const
CAmount GetTotalFee() const EXCLUSIVE_LOCKS_REQUIRED(cs)
uint64_t GetTotalTxSize() const EXCLUSIVE_LOCKS_REQUIRED(cs)
Chainstate stores and provides an API to update our local knowledge of the current best chain.
Provides an interface for creating and interacting with one or two chainstates: an IBD chainstate gen...
MempoolAcceptResult ProcessTransaction(const CTransactionRef &tx, bool test_accept=false) EXCLUSIVE_LOCKS_REQUIRED(cs_main)
Try to add a transaction to the memory pool.
static GenTxid Txid(const uint256 &hash)
void push_back(UniValue val)
const UniValue & find_value(std::string_view key) const
const UniValue & get_obj() const
void __pushKV(std::string key, UniValue val)
const std::vector< UniValue > & getValues() const
const UniValue & get_array() const
void pushKV(std::string key, UniValue val)
std::string GetRejectReason() const
std::string ToString() const
Path class wrapper to block calls to the fs::path(std::string) implicit constructor and the fs::path:...
std::string u8string() const
@ TX_MISSING_INPUTS
transaction was missing some of its inputs
UniValue ValueFromAmount(const CAmount amount)
bool DecodeHexTx(CMutableTransaction &tx, const std::string &hex_tx, bool try_no_witness=false, bool try_witness=true)
RecursiveMutex cs_main
Mutex to guard access to validation specific variables, such as reading or changing the chainstate.
const std::string CURRENCY_UNIT
std::string FormatMoney(const CAmount n)
Money parsing/formatting utilities.
bool DumpMempool(const CTxMemPool &pool, const fs::path &dump_path, FopenFn mockable_fopen_function, bool skip_file_commit)
TransactionError BroadcastTransaction(NodeContext &node, const CTransactionRef tx, std::string &err_string, const CAmount &max_tx_fee, bool relay, bool wait_callback)
Submit a transaction to the mempool and (optionally) relay it to all P2P peers.
fs::path MempoolPath(const ArgsManager &argsman)
static const CFeeRate DEFAULT_MAX_RAW_TX_FEE_RATE
Maximum fee rate for sendrawtransaction and testmempoolaccept RPC calls.
static constexpr uint32_t MAX_PACKAGE_COUNT
Default maximum number of transactions in a package.
@ 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...
RBFTransactionState
The rbf state of unconfirmed transactions.
@ 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).
static CTransactionRef MakeTransactionRef(Tx &&txIn)
std::shared_ptr< const CTransaction > CTransactionRef
UniValue JSONRPCError(int code, const std::string &message)
static RPCHelpMan getmempoolinfo()
static RPCHelpMan sendrawtransaction()
static void entryToJSON(const CTxMemPool &pool, UniValue &info, const CTxMemPoolEntry &e) EXCLUSIVE_LOCKS_REQUIRED(pool.cs)
static std::vector< RPCResult > MempoolEntryDescription()
void RegisterMempoolRPCCommands(CRPCTable &t)
static RPCHelpMan getrawmempool()
static RPCHelpMan getmempoolentry()
UniValue MempoolInfoToJSON(const CTxMemPool &pool)
Mempool information to JSON.
static RPCHelpMan gettxspendingprevout()
static RPCHelpMan submitpackage()
UniValue MempoolToJSON(const CTxMemPool &pool, bool verbose, bool include_mempool_sequence)
Mempool to JSON.
static RPCHelpMan testmempoolaccept()
static RPCHelpMan getmempooldescendants()
static RPCHelpMan getmempoolancestors()
static RPCHelpMan savemempool()
@ RPC_MISC_ERROR
General application defined errors.
@ RPC_INVALID_PARAMETER
Invalid, missing or duplicate parameter.
@ RPC_DESERIALIZATION_ERROR
Error parsing or validating structure in raw format.
@ RPC_INVALID_ADDRESS_OR_KEY
Invalid address or key.
std::string HelpExampleCli(const std::string &methodname, const std::string &args)
UniValue JSONRPCTransactionError(TransactionError terr, const std::string &err_string)
std::string HelpExampleRpc(const std::string &methodname, const std::string &args)
uint256 ParseHashO(const UniValue &o, std::string strKey)
uint256 ParseHashV(const UniValue &v, std::string strName)
Utilities: convert hex-encoded Values (throws error if not hex).
void RPCTypeCheckObj(const UniValue &o, const std::map< std::string, UniValueType > &typesExpected, bool fAllowNull, bool fStrict)
ArgsManager & EnsureAnyArgsman(const std::any &context)
CTxMemPool & EnsureAnyMemPool(const std::any &context)
NodeContext & EnsureAnyNodeContext(const std::any &context)
CTxMemPool & EnsureMemPool(const NodeContext &node)
ChainstateManager & EnsureChainman(const NodeContext &node)
std::string ToString(const T &t)
Locale-independent version of std::to_string.
A mutable version of CTransaction.
std::vector< CTxOut > vout
@ DIFFERENT_WITNESS
Valid, transaction was already in the mempool.
Validation result for package mempool acceptance.
std::map< const uint256, const MempoolAcceptResult > m_tx_results
Map from wtxid to finished MempoolAcceptResults.
const PackageValidationState m_state
@ 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)
@ OMITTED
Optional argument for which the default value is omitted from help text for one of two reasons:
@ 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.
static constexpr MemPoolLimits NoLimits()
NodeContext struct containing references to chain state and connection state.
#define AssertLockNotHeld(cs)
#define WITH_LOCK(cs, code)
Run code while locking a mutex.
#define EXCLUSIVE_LOCKS_REQUIRED(...)
constexpr int64_t count_seconds(std::chrono::seconds t)
PackageMempoolAcceptResult ProcessNewPackage(Chainstate &active_chainstate, CTxMemPool &pool, const Package &package, bool test_accept)
Validate (and maybe submit) a package to the mempool.