Bitcoin Core Fuzz Coverage Report for wallet_tx_can_be_bumped

Coverage Report

Created: 2025-11-19 11:20

next uncovered line (L), next uncovered region (R), next uncovered branch (B)
/Users/brunogarcia/projects/bitcoin-core-dev/src/rpc/blockchain.cpp
Line
Count
Source
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
8
#include <blockfilter.h>
9
#include <chain.h>
10
#include <chainparams.h>
11
#include <chainparamsbase.h>
12
#include <clientversion.h>
13
#include <coins.h>
14
#include <common/args.h>
15
#include <consensus/amount.h>
16
#include <consensus/params.h>
17
#include <consensus/validation.h>
18
#include <core_io.h>
19
#include <deploymentinfo.h>
20
#include <deploymentstatus.h>
21
#include <flatfile.h>
22
#include <hash.h>
23
#include <index/blockfilterindex.h>
24
#include <index/coinstatsindex.h>
25
#include <interfaces/mining.h>
26
#include <kernel/coinstats.h>
27
#include <logging/timer.h>
28
#include <net.h>
29
#include <net_processing.h>
30
#include <node/blockstorage.h>
31
#include <node/context.h>
32
#include <node/transaction.h>
33
#include <node/utxo_snapshot.h>
34
#include <node/warnings.h>
35
#include <primitives/transaction.h>
36
#include <rpc/server.h>
37
#include <rpc/server_util.h>
38
#include <rpc/util.h>
39
#include <script/descriptor.h>
40
#include <serialize.h>
41
#include <streams.h>
42
#include <sync.h>
43
#include <tinyformat.h>
44
#include <txdb.h>
45
#include <txmempool.h>
46
#include <undo.h>
47
#include <univalue.h>
48
#include <util/check.h>
49
#include <util/fs.h>
50
#include <util/strencodings.h>
51
#include <util/syserror.h>
52
#include <util/translation.h>
53
#include <validation.h>
54
#include <validationinterface.h>
55
#include <versionbits.h>
56
57
#include <cstdint>
58
59
#include <condition_variable>
60
#include <iterator>
61
#include <memory>
62
#include <mutex>
63
#include <optional>
64
#include <string>
65
#include <string_view>
66
#include <vector>
67
68
using kernel::CCoinsStats;
69
using kernel::CoinStatsHashType;
70
71
using interfaces::BlockRef;
72
using interfaces::Mining;
73
using node::BlockManager;
74
using node::NodeContext;
75
using node::SnapshotMetadata;
76
using util::MakeUnorderedList;
77
78
std::tuple<std::unique_ptr<CCoinsViewCursor>, CCoinsStats, const CBlockIndex*>
79
PrepareUTXOSnapshot(
80
    Chainstate& chainstate,
81
    const std::function<void()>& interruption_point = {})
82
    EXCLUSIVE_LOCKS_REQUIRED(::cs_main);
83
84
UniValue WriteUTXOSnapshot(
85
    Chainstate& chainstate,
86
    CCoinsViewCursor* pcursor,
87
    CCoinsStats* maybe_stats,
88
    const CBlockIndex* tip,
89
    AutoFile&& afile,
90
    const fs::path& path,
91
    const fs::path& temppath,
92
    const std::function<void()>& interruption_point = {});
93
94
/* Calculate the difficulty for a given block index.
95
 */
96
double GetDifficulty(const CBlockIndex& blockindex)
97
0
{
98
0
    int nShift = (blockindex.nBits >> 24) & 0xff;
99
0
    double dDiff =
100
0
        (double)0x0000ffff / (double)(blockindex.nBits & 0x00ffffff);
101
102
0
    while (nShift < 29)
103
0
    {
104
0
        dDiff *= 256.0;
105
0
        nShift++;
106
0
    }
107
0
    while (nShift > 29)
108
0
    {
109
0
        dDiff /= 256.0;
110
0
        nShift--;
111
0
    }
112
113
0
    return dDiff;
114
0
}
115
116
static int ComputeNextBlockAndDepth(const CBlockIndex& tip, const CBlockIndex& blockindex, const CBlockIndex*& next)
117
0
{
118
0
    next = tip.GetAncestor(blockindex.nHeight + 1);
119
0
    if (next && next->pprev == &blockindex) {
120
0
        return tip.nHeight - blockindex.nHeight + 1;
121
0
    }
122
0
    next = nullptr;
123
0
    return &blockindex == &tip ? 1 : -1;
124
0
}
125
126
static const CBlockIndex* ParseHashOrHeight(const UniValue& param, ChainstateManager& chainman)
127
0
{
128
0
    LOCK(::cs_main);
Line
Count
Source
259
0
#define LOCK(cs) UniqueLock UNIQUE_NAME(criticalblock)(MaybeCheckNotHeld(cs), #cs, __FILE__, __LINE__)
Line
Count
Source
11
0
#define UNIQUE_NAME(name) PASTE2(name, __COUNTER__)
Line
Count
Source
9
0
#define PASTE2(x, y) PASTE(x, y)
Line
Count
Source
8
0
#define PASTE(x, y) x ## y
129
0
    CChain& active_chain = chainman.ActiveChain();
130
131
0
    if (param.isNum()) {
132
0
        const int height{param.getInt<int>()};
133
0
        if (height < 0) {
134
0
            throw JSONRPCError(RPC_INVALID_PARAMETER, strprintf("Target block height %d is negative", height));
Line
Count
Source
1172
0
#define strprintf tfm::format
135
0
        }
136
0
        const int current_tip{active_chain.Height()};
137
0
        if (height > current_tip) {
138
0
            throw JSONRPCError(RPC_INVALID_PARAMETER, strprintf("Target block height %d after current tip %d", height, current_tip));
Line
Count
Source
1172
0
#define strprintf tfm::format
139
0
        }
140
141
0
        return active_chain[height];
142
0
    } else {
143
0
        const uint256 hash{ParseHashV(param, "hash_or_height")};
144
0
        const CBlockIndex* pindex = chainman.m_blockman.LookupBlockIndex(hash);
145
146
0
        if (!pindex) {
147
0
            throw JSONRPCError(RPC_INVALID_ADDRESS_OR_KEY, "Block not found");
148
0
        }
149
150
0
        return pindex;
151
0
    }
152
0
}
153
154
UniValue blockheaderToJSON(const CBlockIndex& tip, const CBlockIndex& blockindex, const uint256 pow_limit)
155
0
{
156
    // Serialize passed information without accessing chain state of the active chain!
157
0
    AssertLockNotHeld(cs_main); // For performance reasons
Line
Count
Source
142
0
#define AssertLockNotHeld(cs) AssertLockNotHeldInline(#cs, __FILE__, __LINE__, &cs)
158
159
0
    UniValue result(UniValue::VOBJ);
160
0
    result.pushKV("hash", blockindex.GetBlockHash().GetHex());
161
0
    const CBlockIndex* pnext;
162
0
    int confirmations = ComputeNextBlockAndDepth(tip, blockindex, pnext);
163
0
    result.pushKV("confirmations", confirmations);
164
0
    result.pushKV("height", blockindex.nHeight);
165
0
    result.pushKV("version", blockindex.nVersion);
166
0
    result.pushKV("versionHex", strprintf("%08x", blockindex.nVersion));
Line
Count
Source
1172
0
#define strprintf tfm::format
167
0
    result.pushKV("merkleroot", blockindex.hashMerkleRoot.GetHex());
168
0
    result.pushKV("time", blockindex.nTime);
169
0
    result.pushKV("mediantime", blockindex.GetMedianTimePast());
170
0
    result.pushKV("nonce", blockindex.nNonce);
171
0
    result.pushKV("bits", strprintf("%08x", blockindex.nBits));
Line
Count
Source
1172
0
#define strprintf tfm::format
172
0
    result.pushKV("target", GetTarget(blockindex, pow_limit).GetHex());
173
0
    result.pushKV("difficulty", GetDifficulty(blockindex));
174
0
    result.pushKV("chainwork", blockindex.nChainWork.GetHex());
175
0
    result.pushKV("nTx", blockindex.nTx);
176
177
0
    if (blockindex.pprev)
178
0
        result.pushKV("previousblockhash", blockindex.pprev->GetBlockHash().GetHex());
179
0
    if (pnext)
180
0
        result.pushKV("nextblockhash", pnext->GetBlockHash().GetHex());
181
0
    return result;
182
0
}
183
184
UniValue blockToJSON(BlockManager& blockman, const CBlock& block, const CBlockIndex& tip, const CBlockIndex& blockindex, TxVerbosity verbosity, const uint256 pow_limit)
185
0
{
186
0
    UniValue result = blockheaderToJSON(tip, blockindex, pow_limit);
187
188
0
    result.pushKV("strippedsize", ::GetSerializeSize(TX_NO_WITNESS(block)));
189
0
    result.pushKV("size", ::GetSerializeSize(TX_WITH_WITNESS(block)));
190
0
    result.pushKV("weight", ::GetBlockWeight(block));
191
0
    UniValue txs(UniValue::VARR);
192
0
    txs.reserve(block.vtx.size());
193
194
0
    switch (verbosity) {
195
0
        case TxVerbosity::SHOW_TXID:
196
0
            for (const CTransactionRef& tx : block.vtx) {
197
0
                txs.push_back(tx->GetHash().GetHex());
198
0
            }
199
0
            break;
200
201
0
        case TxVerbosity::SHOW_DETAILS:
202
0
        case TxVerbosity::SHOW_DETAILS_AND_PREVOUT:
203
0
            CBlockUndo blockUndo;
204
0
            const bool is_not_pruned{WITH_LOCK(::cs_main, return !blockman.IsBlockPruned(blockindex))};
Line
Count
Source
290
0
#define WITH_LOCK(cs, code) (MaybeCheckNotHeld(cs), [&]() -> decltype(auto) { LOCK(cs); code; }())
205
0
            bool have_undo{is_not_pruned && WITH_LOCK(::cs_main, return blockindex.nStatus & BLOCK_HAVE_UNDO)};
Line
Count
Source
290
0
#define WITH_LOCK(cs, code) (MaybeCheckNotHeld(cs), [&]() -> decltype(auto) { LOCK(cs); code; }())
206
0
            if (have_undo && !blockman.ReadBlockUndo(blockUndo, blockindex)) {
207
0
                throw JSONRPCError(RPC_INTERNAL_ERROR, "Undo data expected but can't be read. This could be due to disk corruption or a conflict with a pruning event.");
208
0
            }
209
0
            for (size_t i = 0; i < block.vtx.size(); ++i) {
210
0
                const CTransactionRef& tx = block.vtx.at(i);
211
                // coinbase transaction (i.e. i == 0) doesn't have undo data
212
0
                const CTxUndo* txundo = (have_undo && i > 0) ? &blockUndo.vtxundo.at(i - 1) : nullptr;
213
0
                UniValue objTx(UniValue::VOBJ);
214
0
                TxToUniv(*tx, /*block_hash=*/uint256(), /*entry=*/objTx, /*include_hex=*/true, txundo, verbosity);
215
0
                txs.push_back(std::move(objTx));
216
0
            }
217
0
            break;
218
0
    }
219
220
0
    result.pushKV("tx", std::move(txs));
221
222
0
    return result;
223
0
}
224
225
static RPCHelpMan getblockcount()
226
0
{
227
0
    return RPCHelpMan{
228
0
        "getblockcount",
229
0
        "Returns the height of the most-work fully-validated chain.\n"
230
0
                "The genesis block has height 0.\n",
231
0
                {},
232
0
                RPCResult{
233
0
                    RPCResult::Type::NUM, "", "The current block count"},
234
0
                RPCExamples{
235
0
                    HelpExampleCli("getblockcount", "")
236
0
            + HelpExampleRpc("getblockcount", "")
237
0
                },
238
0
        [&](const RPCHelpMan& self, const JSONRPCRequest& request) -> UniValue
239
0
{
240
0
    ChainstateManager& chainman = EnsureAnyChainman(request.context);
241
0
    LOCK(cs_main);
Line
Count
Source
259
0
#define LOCK(cs) UniqueLock UNIQUE_NAME(criticalblock)(MaybeCheckNotHeld(cs), #cs, __FILE__, __LINE__)
Line
Count
Source
11
0
#define UNIQUE_NAME(name) PASTE2(name, __COUNTER__)
Line
Count
Source
9
0
#define PASTE2(x, y) PASTE(x, y)
Line
Count
Source
8
0
#define PASTE(x, y) x ## y
242
0
    return chainman.ActiveChain().Height();
243
0
},
244
0
    };
245
0
}
246
247
static RPCHelpMan getbestblockhash()
248
0
{
249
0
    return RPCHelpMan{
250
0
        "getbestblockhash",
251
0
        "Returns the hash of the best (tip) block in the most-work fully-validated chain.\n",
252
0
                {},
253
0
                RPCResult{
254
0
                    RPCResult::Type::STR_HEX, "", "the block hash, hex-encoded"},
255
0
                RPCExamples{
256
0
                    HelpExampleCli("getbestblockhash", "")
257
0
            + HelpExampleRpc("getbestblockhash", "")
258
0
                },
259
0
        [&](const RPCHelpMan& self, const JSONRPCRequest& request) -> UniValue
260
0
{
261
0
    ChainstateManager& chainman = EnsureAnyChainman(request.context);
262
0
    LOCK(cs_main);
Line
Count
Source
259
0
#define LOCK(cs) UniqueLock UNIQUE_NAME(criticalblock)(MaybeCheckNotHeld(cs), #cs, __FILE__, __LINE__)
Line
Count
Source
11
0
#define UNIQUE_NAME(name) PASTE2(name, __COUNTER__)
Line
Count
Source
9
0
#define PASTE2(x, y) PASTE(x, y)
Line
Count
Source
8
0
#define PASTE(x, y) x ## y
263
0
    return chainman.ActiveChain().Tip()->GetBlockHash().GetHex();
264
0
},
265
0
    };
266
0
}
267
268
static RPCHelpMan waitfornewblock()
269
0
{
270
0
    return RPCHelpMan{
271
0
        "waitfornewblock",
272
0
        "Waits for any new block and returns useful info about it.\n"
273
0
                "\nReturns the current block on timeout or exit.\n"
274
0
                "\nMake sure to use no RPC timeout (bitcoin-cli -rpcclienttimeout=0)",
275
0
                {
276
0
                    {"timeout", RPCArg::Type::NUM, RPCArg::Default{0}, "Time in milliseconds to wait for a response. 0 indicates no timeout."},
277
0
                    {"current_tip", RPCArg::Type::STR_HEX, RPCArg::Optional::OMITTED, "Method waits for the chain tip to differ from this."},
278
0
                },
279
0
                RPCResult{
280
0
                    RPCResult::Type::OBJ, "", "",
281
0
                    {
282
0
                        {RPCResult::Type::STR_HEX, "hash", "The blockhash"},
283
0
                        {RPCResult::Type::NUM, "height", "Block height"},
284
0
                    }},
285
0
                RPCExamples{
286
0
                    HelpExampleCli("waitfornewblock", "1000")
287
0
            + HelpExampleRpc("waitfornewblock", "1000")
288
0
                },
289
0
        [&](const RPCHelpMan& self, const JSONRPCRequest& request) -> UniValue
290
0
{
291
0
    int timeout = 0;
292
0
    if (!request.params[0].isNull())
293
0
        timeout = request.params[0].getInt<int>();
294
0
    if (timeout < 0) throw JSONRPCError(RPC_MISC_ERROR, "Negative timeout");
295
296
0
    NodeContext& node = EnsureAnyNodeContext(request.context);
297
0
    Mining& miner = EnsureMining(node);
298
299
    // If the caller provided a current_tip value, pass it to waitTipChanged().
300
    //
301
    // If the caller did not provide a current tip hash, call getTip() to get
302
    // one and wait for the tip to be different from this value. This mode is
303
    // less reliable because if the tip changed between waitfornewblock calls,
304
    // it will need to change a second time before this call returns.
305
0
    BlockRef current_block{CHECK_NONFATAL(miner.getTip()).value()};
Line
Count
Source
110
0
    inline_check_non_fatal(condition, std::source_location::current(), #condition)
306
307
0
    uint256 tip_hash{request.params[1].isNull()
308
0
        ? current_block.hash
309
0
        : ParseHashV(request.params[1], "current_tip")};
310
311
    // If the user provided an invalid current_tip then this call immediately
312
    // returns the current tip.
313
0
    std::optional<BlockRef> block = timeout ? miner.waitTipChanged(tip_hash, std::chrono::milliseconds(timeout)) :
314
0
                                              miner.waitTipChanged(tip_hash);
315
316
    // Return current block upon shutdown
317
0
    if (block) current_block = *block;
318
319
0
    UniValue ret(UniValue::VOBJ);
320
0
    ret.pushKV("hash", current_block.hash.GetHex());
321
0
    ret.pushKV("height", current_block.height);
322
0
    return ret;
323
0
},
324
0
    };
325
0
}
326
327
static RPCHelpMan waitforblock()
328
0
{
329
0
    return RPCHelpMan{
330
0
        "waitforblock",
331
0
        "Waits for a specific new block and returns useful info about it.\n"
332
0
                "\nReturns the current block on timeout or exit.\n"
333
0
                "\nMake sure to use no RPC timeout (bitcoin-cli -rpcclienttimeout=0)",
334
0
                {
335
0
                    {"blockhash", RPCArg::Type::STR_HEX, RPCArg::Optional::NO, "Block hash to wait for."},
336
0
                    {"timeout", RPCArg::Type::NUM, RPCArg::Default{0}, "Time in milliseconds to wait for a response. 0 indicates no timeout."},
337
0
                },
338
0
                RPCResult{
339
0
                    RPCResult::Type::OBJ, "", "",
340
0
                    {
341
0
                        {RPCResult::Type::STR_HEX, "hash", "The blockhash"},
342
0
                        {RPCResult::Type::NUM, "height", "Block height"},
343
0
                    }},
344
0
                RPCExamples{
345
0
                    HelpExampleCli("waitforblock", "\"0000000000079f8ef3d2c688c244eb7a4570b24c9ed7b4a8c619eb02596f8862\" 1000")
346
0
            + HelpExampleRpc("waitforblock", "\"0000000000079f8ef3d2c688c244eb7a4570b24c9ed7b4a8c619eb02596f8862\", 1000")
347
0
                },
348
0
        [&](const RPCHelpMan& self, const JSONRPCRequest& request) -> UniValue
349
0
{
350
0
    int timeout = 0;
351
352
0
    uint256 hash(ParseHashV(request.params[0], "blockhash"));
353
354
0
    if (!request.params[1].isNull())
355
0
        timeout = request.params[1].getInt<int>();
356
0
    if (timeout < 0) throw JSONRPCError(RPC_MISC_ERROR, "Negative timeout");
357
358
0
    NodeContext& node = EnsureAnyNodeContext(request.context);
359
0
    Mining& miner = EnsureMining(node);
360
361
    // Abort if RPC came out of warmup too early
362
0
    BlockRef current_block{CHECK_NONFATAL(miner.getTip()).value()};
Line
Count
Source
110
0
    inline_check_non_fatal(condition, std::source_location::current(), #condition)
363
364
0
    const auto deadline{std::chrono::steady_clock::now() + 1ms * timeout};
365
0
    while (current_block.hash != hash) {
366
0
        std::optional<BlockRef> block;
367
0
        if (timeout) {
368
0
            auto now{std::chrono::steady_clock::now()};
369
0
            if (now >= deadline) break;
370
0
            const MillisecondsDouble remaining{deadline - now};
371
0
            block = miner.waitTipChanged(current_block.hash, remaining);
372
0
        } else {
373
0
            block = miner.waitTipChanged(current_block.hash);
374
0
        }
375
        // Return current block upon shutdown
376
0
        if (!block) break;
377
0
        current_block = *block;
378
0
    }
379
380
0
    UniValue ret(UniValue::VOBJ);
381
0
    ret.pushKV("hash", current_block.hash.GetHex());
382
0
    ret.pushKV("height", current_block.height);
383
0
    return ret;
384
0
},
385
0
    };
386
0
}
387
388
static RPCHelpMan waitforblockheight()
389
0
{
390
0
    return RPCHelpMan{
391
0
        "waitforblockheight",
392
0
        "Waits for (at least) block height and returns the height and hash\n"
393
0
                "of the current tip.\n"
394
0
                "\nReturns the current block on timeout or exit.\n"
395
0
                "\nMake sure to use no RPC timeout (bitcoin-cli -rpcclienttimeout=0)",
396
0
                {
397
0
                    {"height", RPCArg::Type::NUM, RPCArg::Optional::NO, "Block height to wait for."},
398
0
                    {"timeout", RPCArg::Type::NUM, RPCArg::Default{0}, "Time in milliseconds to wait for a response. 0 indicates no timeout."},
399
0
                },
400
0
                RPCResult{
401
0
                    RPCResult::Type::OBJ, "", "",
402
0
                    {
403
0
                        {RPCResult::Type::STR_HEX, "hash", "The blockhash"},
404
0
                        {RPCResult::Type::NUM, "height", "Block height"},
405
0
                    }},
406
0
                RPCExamples{
407
0
                    HelpExampleCli("waitforblockheight", "100 1000")
408
0
            + HelpExampleRpc("waitforblockheight", "100, 1000")
409
0
                },
410
0
        [&](const RPCHelpMan& self, const JSONRPCRequest& request) -> UniValue
411
0
{
412
0
    int timeout = 0;
413
414
0
    int height = request.params[0].getInt<int>();
415
416
0
    if (!request.params[1].isNull())
417
0
        timeout = request.params[1].getInt<int>();
418
0
    if (timeout < 0) throw JSONRPCError(RPC_MISC_ERROR, "Negative timeout");
419
420
0
    NodeContext& node = EnsureAnyNodeContext(request.context);
421
0
    Mining& miner = EnsureMining(node);
422
423
    // Abort if RPC came out of warmup too early
424
0
    BlockRef current_block{CHECK_NONFATAL(miner.getTip()).value()};
Line
Count
Source
110
0
    inline_check_non_fatal(condition, std::source_location::current(), #condition)
425
426
0
    const auto deadline{std::chrono::steady_clock::now() + 1ms * timeout};
427
428
0
    while (current_block.height < height) {
429
0
        std::optional<BlockRef> block;
430
0
        if (timeout) {
431
0
            auto now{std::chrono::steady_clock::now()};
432
0
            if (now >= deadline) break;
433
0
            const MillisecondsDouble remaining{deadline - now};
434
0
            block = miner.waitTipChanged(current_block.hash, remaining);
435
0
        } else {
436
0
            block = miner.waitTipChanged(current_block.hash);
437
0
        }
438
        // Return current block on shutdown
439
0
        if (!block) break;
440
0
        current_block = *block;
441
0
    }
442
443
0
    UniValue ret(UniValue::VOBJ);
444
0
    ret.pushKV("hash", current_block.hash.GetHex());
445
0
    ret.pushKV("height", current_block.height);
446
0
    return ret;
447
0
},
448
0
    };
449
0
}
450
451
static RPCHelpMan syncwithvalidationinterfacequeue()
452
0
{
453
0
    return RPCHelpMan{
454
0
        "syncwithvalidationinterfacequeue",
455
0
        "Waits for the validation interface queue to catch up on everything that was there when we entered this function.\n",
456
0
                {},
457
0
                RPCResult{RPCResult::Type::NONE, "", ""},
458
0
                RPCExamples{
459
0
                    HelpExampleCli("syncwithvalidationinterfacequeue","")
460
0
            + HelpExampleRpc("syncwithvalidationinterfacequeue","")
461
0
                },
462
0
        [&](const RPCHelpMan& self, const JSONRPCRequest& request) -> UniValue
463
0
{
464
0
    NodeContext& node = EnsureAnyNodeContext(request.context);
465
0
    CHECK_NONFATAL(node.validation_signals)->SyncWithValidationInterfaceQueue();
Line
Count
Source
110
0
    inline_check_non_fatal(condition, std::source_location::current(), #condition)
466
0
    return UniValue::VNULL;
467
0
},
468
0
    };
469
0
}
470
471
static RPCHelpMan getdifficulty()
472
0
{
473
0
    return RPCHelpMan{
474
0
        "getdifficulty",
475
0
        "Returns the proof-of-work difficulty as a multiple of the minimum difficulty.\n",
476
0
                {},
477
0
                RPCResult{
478
0
                    RPCResult::Type::NUM, "", "the proof-of-work difficulty as a multiple of the minimum difficulty."},
479
0
                RPCExamples{
480
0
                    HelpExampleCli("getdifficulty", "")
481
0
            + HelpExampleRpc("getdifficulty", "")
482
0
                },
483
0
        [&](const RPCHelpMan& self, const JSONRPCRequest& request) -> UniValue
484
0
{
485
0
    ChainstateManager& chainman = EnsureAnyChainman(request.context);
486
0
    LOCK(cs_main);
Line
Count
Source
259
0
#define LOCK(cs) UniqueLock UNIQUE_NAME(criticalblock)(MaybeCheckNotHeld(cs), #cs, __FILE__, __LINE__)
Line
Count
Source
11
0
#define UNIQUE_NAME(name) PASTE2(name, __COUNTER__)
Line
Count
Source
9
0
#define PASTE2(x, y) PASTE(x, y)
Line
Count
Source
8
0
#define PASTE(x, y) x ## y
487
0
    return GetDifficulty(*CHECK_NONFATAL(chainman.ActiveChain().Tip()));
Line
Count
Source
110
0
    inline_check_non_fatal(condition, std::source_location::current(), #condition)
488
0
},
489
0
    };
490
0
}
491
492
static RPCHelpMan getblockfrompeer()
493
0
{
494
0
    return RPCHelpMan{
495
0
        "getblockfrompeer",
496
0
        "Attempt to fetch block from a given peer.\n\n"
497
0
        "We must have the header for this block, e.g. using submitheader.\n"
498
0
        "The block will not have any undo data which can limit the usage of the block data in a context where the undo data is needed.\n"
499
0
        "Subsequent calls for the same block may cause the response from the previous peer to be ignored.\n"
500
0
        "Peers generally ignore requests for a stale block that they never fully verified, or one that is more than a month old.\n"
501
0
        "When a peer does not respond with a block, we will disconnect.\n"
502
0
        "Note: The block could be re-pruned as soon as it is received.\n\n"
503
0
        "Returns an empty JSON object if the request was successfully scheduled.",
504
0
        {
505
0
            {"blockhash", RPCArg::Type::STR_HEX, RPCArg::Optional::NO, "The block hash to try to fetch"},
506
0
            {"peer_id", RPCArg::Type::NUM, RPCArg::Optional::NO, "The peer to fetch it from (see getpeerinfo for peer IDs)"},
507
0
        },
508
0
        RPCResult{RPCResult::Type::OBJ, "", /*optional=*/false, "", {}},
509
0
        RPCExamples{
510
0
            HelpExampleCli("getblockfrompeer", "\"00000000c937983704a73af28acdec37b049d214adbda81d7e2a3dd146f6ed09\" 0")
511
0
            + HelpExampleRpc("getblockfrompeer", "\"00000000c937983704a73af28acdec37b049d214adbda81d7e2a3dd146f6ed09\" 0")
512
0
        },
513
0
        [&](const RPCHelpMan& self, const JSONRPCRequest& request) -> UniValue
514
0
{
515
0
    const NodeContext& node = EnsureAnyNodeContext(request.context);
516
0
    ChainstateManager& chainman = EnsureChainman(node);
517
0
    PeerManager& peerman = EnsurePeerman(node);
518
519
0
    const uint256& block_hash{ParseHashV(request.params[0], "blockhash")};
520
0
    const NodeId peer_id{request.params[1].getInt<int64_t>()};
521
522
0
    const CBlockIndex* const index = WITH_LOCK(cs_main, return chainman.m_blockman.LookupBlockIndex(block_hash););
Line
Count
Source
290
0
#define WITH_LOCK(cs, code) (MaybeCheckNotHeld(cs), [&]() -> decltype(auto) { LOCK(cs); code; }())
523
524
0
    if (!index) {
525
0
        throw JSONRPCError(RPC_MISC_ERROR, "Block header missing");
526
0
    }
527
528
    // Fetching blocks before the node has syncing past their height can prevent block files from
529
    // being pruned, so we avoid it if the node is in prune mode.
530
0
    if (chainman.m_blockman.IsPruneMode() && index->nHeight > WITH_LOCK(chainman.GetMutex(), return chainman.ActiveTip()->nHeight)) {
Line
Count
Source
290
0
#define WITH_LOCK(cs, code) (MaybeCheckNotHeld(cs), [&]() -> decltype(auto) { LOCK(cs); code; }())
531
0
        throw JSONRPCError(RPC_MISC_ERROR, "In prune mode, only blocks that the node has already synced previously can be fetched from a peer");
532
0
    }
533
534
0
    const bool block_has_data = WITH_LOCK(::cs_main, return index->nStatus & BLOCK_HAVE_DATA);
Line
Count
Source
290
0
#define WITH_LOCK(cs, code) (MaybeCheckNotHeld(cs), [&]() -> decltype(auto) { LOCK(cs); code; }())
535
0
    if (block_has_data) {
536
0
        throw JSONRPCError(RPC_MISC_ERROR, "Block already downloaded");
537
0
    }
538
539
0
    if (const auto err{peerman.FetchBlock(peer_id, *index)}) {
540
0
        throw JSONRPCError(RPC_MISC_ERROR, err.value());
541
0
    }
542
0
    return UniValue::VOBJ;
543
0
},
544
0
    };
545
0
}
546
547
static RPCHelpMan getblockhash()
548
0
{
549
0
    return RPCHelpMan{
550
0
        "getblockhash",
551
0
        "Returns hash of block in best-block-chain at height provided.\n",
552
0
                {
553
0
                    {"height", RPCArg::Type::NUM, RPCArg::Optional::NO, "The height index"},
554
0
                },
555
0
                RPCResult{
556
0
                    RPCResult::Type::STR_HEX, "", "The block hash"},
557
0
                RPCExamples{
558
0
                    HelpExampleCli("getblockhash", "1000")
559
0
            + HelpExampleRpc("getblockhash", "1000")
560
0
                },
561
0
        [&](const RPCHelpMan& self, const JSONRPCRequest& request) -> UniValue
562
0
{
563
0
    ChainstateManager& chainman = EnsureAnyChainman(request.context);
564
0
    LOCK(cs_main);
Line
Count
Source
259
0
#define LOCK(cs) UniqueLock UNIQUE_NAME(criticalblock)(MaybeCheckNotHeld(cs), #cs, __FILE__, __LINE__)
Line
Count
Source
11
0
#define UNIQUE_NAME(name) PASTE2(name, __COUNTER__)
Line
Count
Source
9
0
#define PASTE2(x, y) PASTE(x, y)
Line
Count
Source
8
0
#define PASTE(x, y) x ## y
565
0
    const CChain& active_chain = chainman.ActiveChain();
566
567
0
    int nHeight = request.params[0].getInt<int>();
568
0
    if (nHeight < 0 || nHeight > active_chain.Height())
569
0
        throw JSONRPCError(RPC_INVALID_PARAMETER, "Block height out of range");
570
571
0
    const CBlockIndex* pblockindex = active_chain[nHeight];
572
0
    return pblockindex->GetBlockHash().GetHex();
573
0
},
574
0
    };
575
0
}
576
577
static RPCHelpMan getblockheader()
578
0
{
579
0
    return RPCHelpMan{
580
0
        "getblockheader",
581
0
        "If verbose is false, returns a string that is serialized, hex-encoded data for blockheader 'hash'.\n"
582
0
                "If verbose is true, returns an Object with information about blockheader <hash>.\n",
583
0
                {
584
0
                    {"blockhash", RPCArg::Type::STR_HEX, RPCArg::Optional::NO, "The block hash"},
585
0
                    {"verbose", RPCArg::Type::BOOL, RPCArg::Default{true}, "true for a json object, false for the hex-encoded data"},
586
0
                },
587
0
                {
588
0
                    RPCResult{"for verbose = true",
589
0
                        RPCResult::Type::OBJ, "", "",
590
0
                        {
591
0
                            {RPCResult::Type::STR_HEX, "hash", "the block hash (same as provided)"},
592
0
                            {RPCResult::Type::NUM, "confirmations", "The number of confirmations, or -1 if the block is not on the main chain"},
593
0
                            {RPCResult::Type::NUM, "height", "The block height or index"},
594
0
                            {RPCResult::Type::NUM, "version", "The block version"},
595
0
                            {RPCResult::Type::STR_HEX, "versionHex", "The block version formatted in hexadecimal"},
596
0
                            {RPCResult::Type::STR_HEX, "merkleroot", "The merkle root"},
597
0
                            {RPCResult::Type::NUM_TIME, "time", "The block time expressed in " + UNIX_EPOCH_TIME},
598
0
                            {RPCResult::Type::NUM_TIME, "mediantime", "The median block time expressed in " + UNIX_EPOCH_TIME},
599
0
                            {RPCResult::Type::NUM, "nonce", "The nonce"},
600
0
                            {RPCResult::Type::STR_HEX, "bits", "nBits: compact representation of the block difficulty target"},
601
0
                            {RPCResult::Type::STR_HEX, "target", "The difficulty target"},
602
0
                            {RPCResult::Type::NUM, "difficulty", "The difficulty"},
603
0
                            {RPCResult::Type::STR_HEX, "chainwork", "Expected number of hashes required to produce the current chain"},
604
0
                            {RPCResult::Type::NUM, "nTx", "The number of transactions in the block"},
605
0
                            {RPCResult::Type::STR_HEX, "previousblockhash", /*optional=*/true, "The hash of the previous block (if available)"},
606
0
                            {RPCResult::Type::STR_HEX, "nextblockhash", /*optional=*/true, "The hash of the next block (if available)"},
607
0
                        }},
608
0
                    RPCResult{"for verbose=false",
609
0
                        RPCResult::Type::STR_HEX, "", "A string that is serialized, hex-encoded data for block 'hash'"},
610
0
                },
611
0
                RPCExamples{
612
0
                    HelpExampleCli("getblockheader", "\"00000000c937983704a73af28acdec37b049d214adbda81d7e2a3dd146f6ed09\"")
613
0
            + HelpExampleRpc("getblockheader", "\"00000000c937983704a73af28acdec37b049d214adbda81d7e2a3dd146f6ed09\"")
614
0
                },
615
0
        [&](const RPCHelpMan& self, const JSONRPCRequest& request) -> UniValue
616
0
{
617
0
    uint256 hash(ParseHashV(request.params[0], "hash"));
618
619
0
    bool fVerbose = true;
620
0
    if (!request.params[1].isNull())
621
0
        fVerbose = request.params[1].get_bool();
622
623
0
    const CBlockIndex* pblockindex;
624
0
    const CBlockIndex* tip;
625
0
    ChainstateManager& chainman = EnsureAnyChainman(request.context);
626
0
    {
627
0
        LOCK(cs_main);
Line
Count
Source
259
0
#define LOCK(cs) UniqueLock UNIQUE_NAME(criticalblock)(MaybeCheckNotHeld(cs), #cs, __FILE__, __LINE__)
Line
Count
Source
11
0
#define UNIQUE_NAME(name) PASTE2(name, __COUNTER__)
Line
Count
Source
9
0
#define PASTE2(x, y) PASTE(x, y)
Line
Count
Source
8
0
#define PASTE(x, y) x ## y
628
0
        pblockindex = chainman.m_blockman.LookupBlockIndex(hash);
629
0
        tip = chainman.ActiveChain().Tip();
630
0
    }
631
632
0
    if (!pblockindex) {
633
0
        throw JSONRPCError(RPC_INVALID_ADDRESS_OR_KEY, "Block not found");
634
0
    }
635
636
0
    if (!fVerbose)
637
0
    {
638
0
        DataStream ssBlock{};
639
0
        ssBlock << pblockindex->GetBlockHeader();
640
0
        std::string strHex = HexStr(ssBlock);
641
0
        return strHex;
642
0
    }
643
644
0
    return blockheaderToJSON(*tip, *pblockindex, chainman.GetConsensus().powLimit);
645
0
},
646
0
    };
647
0
}
648
649
void CheckBlockDataAvailability(BlockManager& blockman, const CBlockIndex& blockindex, bool check_for_undo)
650
0
{
651
0
    AssertLockHeld(cs_main);
Line
Count
Source
137
0
#define AssertLockHeld(cs) AssertLockHeldInternal(#cs, __FILE__, __LINE__, &cs)
652
0
    uint32_t flag = check_for_undo ? BLOCK_HAVE_UNDO : BLOCK_HAVE_DATA;
653
0
    if (!(blockindex.nStatus & flag)) {
654
0
        if (blockman.IsBlockPruned(blockindex)) {
655
0
            throw JSONRPCError(RPC_MISC_ERROR, strprintf("%s not available (pruned data)", check_for_undo ? "Undo data" : "Block"));
Line
Count
Source
1172
0
#define strprintf tfm::format
656
0
        }
657
0
        if (check_for_undo) {
658
0
            throw JSONRPCError(RPC_MISC_ERROR, "Undo data not available");
659
0
        }
660
0
        throw JSONRPCError(RPC_MISC_ERROR, "Block not available (not fully downloaded)");
661
0
    }
662
0
}
663
664
static CBlock GetBlockChecked(BlockManager& blockman, const CBlockIndex& blockindex)
665
0
{
666
0
    CBlock block;
667
0
    {
668
0
        LOCK(cs_main);
Line
Count
Source
259
0
#define LOCK(cs) UniqueLock UNIQUE_NAME(criticalblock)(MaybeCheckNotHeld(cs), #cs, __FILE__, __LINE__)
Line
Count
Source
11
0
#define UNIQUE_NAME(name) PASTE2(name, __COUNTER__)
Line
Count
Source
9
0
#define PASTE2(x, y) PASTE(x, y)
Line
Count
Source
8
0
#define PASTE(x, y) x ## y
669
0
        CheckBlockDataAvailability(blockman, blockindex, /*check_for_undo=*/false);
670
0
    }
671
672
0
    if (!blockman.ReadBlock(block, blockindex)) {
673
        // Block not found on disk. This shouldn't normally happen unless the block was
674
        // pruned right after we released the lock above.
675
0
        throw JSONRPCError(RPC_MISC_ERROR, "Block not found on disk");
676
0
    }
677
678
0
    return block;
679
0
}
680
681
static std::vector<std::byte> GetRawBlockChecked(BlockManager& blockman, const CBlockIndex& blockindex)
682
0
{
683
0
    std::vector<std::byte> data{};
684
0
    FlatFilePos pos{};
685
0
    {
686
0
        LOCK(cs_main);
Line
Count
Source
259
0
#define LOCK(cs) UniqueLock UNIQUE_NAME(criticalblock)(MaybeCheckNotHeld(cs), #cs, __FILE__, __LINE__)
Line
Count
Source
11
0
#define UNIQUE_NAME(name) PASTE2(name, __COUNTER__)
Line
Count
Source
9
0
#define PASTE2(x, y) PASTE(x, y)
Line
Count
Source
8
0
#define PASTE(x, y) x ## y
687
0
        CheckBlockDataAvailability(blockman, blockindex, /*check_for_undo=*/false);
688
0
        pos = blockindex.GetBlockPos();
689
0
    }
690
691
0
    if (!blockman.ReadRawBlock(data, pos)) {
692
        // Block not found on disk. This shouldn't normally happen unless the block was
693
        // pruned right after we released the lock above.
694
0
        throw JSONRPCError(RPC_MISC_ERROR, "Block not found on disk");
695
0
    }
696
697
0
    return data;
698
0
}
699
700
static CBlockUndo GetUndoChecked(BlockManager& blockman, const CBlockIndex& blockindex)
701
0
{
702
0
    CBlockUndo blockUndo;
703
704
    // The Genesis block does not have undo data
705
0
    if (blockindex.nHeight == 0) return blockUndo;
706
707
0
    {
708
0
        LOCK(cs_main);
Line
Count
Source
259
0
#define LOCK(cs) UniqueLock UNIQUE_NAME(criticalblock)(MaybeCheckNotHeld(cs), #cs, __FILE__, __LINE__)
Line
Count
Source
11
0
#define UNIQUE_NAME(name) PASTE2(name, __COUNTER__)
Line
Count
Source
9
0
#define PASTE2(x, y) PASTE(x, y)
Line
Count
Source
8
0
#define PASTE(x, y) x ## y
709
0
        CheckBlockDataAvailability(blockman, blockindex, /*check_for_undo=*/true);
710
0
    }
711
712
0
    if (!blockman.ReadBlockUndo(blockUndo, blockindex)) {
713
0
        throw JSONRPCError(RPC_MISC_ERROR, "Can't read undo data from disk");
714
0
    }
715
716
0
    return blockUndo;
717
0
}
718
719
const RPCResult getblock_vin{
720
    RPCResult::Type::ARR, "vin", "",
721
    {
722
        {RPCResult::Type::OBJ, "", "",
723
        {
724
            {RPCResult::Type::ELISION, "", "The same output as verbosity = 2"},
725
            {RPCResult::Type::OBJ, "prevout", "(Only if undo information is available)",
726
            {
727
                {RPCResult::Type::BOOL, "generated", "Coinbase or not"},
728
                {RPCResult::Type::NUM, "height", "The height of the prevout"},
729
                {RPCResult::Type::STR_AMOUNT, "value", "The value in " + CURRENCY_UNIT},
730
                {RPCResult::Type::OBJ, "scriptPubKey", "",
731
                {
732
                    {RPCResult::Type::STR, "asm", "Disassembly of the output script"},
733
                    {RPCResult::Type::STR, "desc", "Inferred descriptor for the output"},
734
                    {RPCResult::Type::STR_HEX, "hex", "The raw output script bytes, hex-encoded"},
735
                    {RPCResult::Type::STR, "address", /*optional=*/true, "The Bitcoin address (only if a well-defined address exists)"},
736
                    {RPCResult::Type::STR, "type", "The type (one of: " + GetAllOutputTypes() + ")"},
737
                }},
738
            }},
739
        }},
740
    }
741
};
742
743
static RPCHelpMan getblock()
744
0
{
745
0
    return RPCHelpMan{
746
0
        "getblock",
747
0
        "If verbosity is 0, returns a string that is serialized, hex-encoded data for block 'hash'.\n"
748
0
                "If verbosity is 1, returns an Object with information about block <hash>.\n"
749
0
                "If verbosity is 2, returns an Object with information about block <hash> and information about each transaction.\n"
750
0
                "If verbosity is 3, returns an Object with information about block <hash> and information about each transaction, including prevout information for inputs (only for unpruned blocks in the current best chain).\n",
751
0
                {
752
0
                    {"blockhash", RPCArg::Type::STR_HEX, RPCArg::Optional::NO, "The block hash"},
753
0
                    {"verbosity|verbose", RPCArg::Type::NUM, RPCArg::Default{1}, "0 for hex-encoded data, 1 for a JSON object, 2 for JSON object with transaction data, and 3 for JSON object with transaction data including prevout information for inputs",
754
0
                     RPCArgOptions{.skip_type_check = true}},
755
0
                },
756
0
                {
757
0
                    RPCResult{"for verbosity = 0",
758
0
                RPCResult::Type::STR_HEX, "", "A string that is serialized, hex-encoded data for block 'hash'"},
759
0
                    RPCResult{"for verbosity = 1",
760
0
                RPCResult::Type::OBJ, "", "",
761
0
                {
762
0
                    {RPCResult::Type::STR_HEX, "hash", "the block hash (same as provided)"},
763
0
                    {RPCResult::Type::NUM, "confirmations", "The number of confirmations, or -1 if the block is not on the main chain"},
764
0
                    {RPCResult::Type::NUM, "size", "The block size"},
765
0
                    {RPCResult::Type::NUM, "strippedsize", "The block size excluding witness data"},
766
0
                    {RPCResult::Type::NUM, "weight", "The block weight as defined in BIP 141"},
767
0
                    {RPCResult::Type::NUM, "height", "The block height or index"},
768
0
                    {RPCResult::Type::NUM, "version", "The block version"},
769
0
                    {RPCResult::Type::STR_HEX, "versionHex", "The block version formatted in hexadecimal"},
770
0
                    {RPCResult::Type::STR_HEX, "merkleroot", "The merkle root"},
771
0
                    {RPCResult::Type::ARR, "tx", "The transaction ids",
772
0
                        {{RPCResult::Type::STR_HEX, "", "The transaction id"}}},
773
0
                    {RPCResult::Type::NUM_TIME, "time",       "The block time expressed in " + UNIX_EPOCH_TIME},
774
0
                    {RPCResult::Type::NUM_TIME, "mediantime", "The median block time expressed in " + UNIX_EPOCH_TIME},
775
0
                    {RPCResult::Type::NUM, "nonce", "The nonce"},
776
0
                    {RPCResult::Type::STR_HEX, "bits", "nBits: compact representation of the block difficulty target"},
777
0
                    {RPCResult::Type::STR_HEX, "target", "The difficulty target"},
778
0
                    {RPCResult::Type::NUM, "difficulty", "The difficulty"},
779
0
                    {RPCResult::Type::STR_HEX, "chainwork", "Expected number of hashes required to produce the chain up to this block (in hex)"},
780
0
                    {RPCResult::Type::NUM, "nTx", "The number of transactions in the block"},
781
0
                    {RPCResult::Type::STR_HEX, "previousblockhash", /*optional=*/true, "The hash of the previous block (if available)"},
782
0
                    {RPCResult::Type::STR_HEX, "nextblockhash", /*optional=*/true, "The hash of the next block (if available)"},
783
0
                }},
784
0
                    RPCResult{"for verbosity = 2",
785
0
                RPCResult::Type::OBJ, "", "",
786
0
                {
787
0
                    {RPCResult::Type::ELISION, "", "Same output as verbosity = 1"},
788
0
                    {RPCResult::Type::ARR, "tx", "",
789
0
                    {
790
0
                        {RPCResult::Type::OBJ, "", "",
791
0
                        {
792
0
                            {RPCResult::Type::ELISION, "", "The transactions in the format of the getrawtransaction RPC. Different from verbosity = 1 \"tx\" result"},
793
0
                            {RPCResult::Type::NUM, "fee", "The transaction fee in " + CURRENCY_UNIT + ", omitted if block undo data is not available"},
794
0
                        }},
795
0
                    }},
796
0
                }},
797
0
                    RPCResult{"for verbosity = 3",
798
0
                RPCResult::Type::OBJ, "", "",
799
0
                {
800
0
                    {RPCResult::Type::ELISION, "", "Same output as verbosity = 2"},
801
0
                    {RPCResult::Type::ARR, "tx", "",
802
0
                    {
803
0
                        {RPCResult::Type::OBJ, "", "",
804
0
                        {
805
0
                            getblock_vin,
806
0
                        }},
807
0
                    }},
808
0
                }},
809
0
        },
810
0
                RPCExamples{
811
0
                    HelpExampleCli("getblock", "\"00000000c937983704a73af28acdec37b049d214adbda81d7e2a3dd146f6ed09\"")
812
0
            + HelpExampleRpc("getblock", "\"00000000c937983704a73af28acdec37b049d214adbda81d7e2a3dd146f6ed09\"")
813
0
                },
814
0
        [&](const RPCHelpMan& self, const JSONRPCRequest& request) -> UniValue
815
0
{
816
0
    uint256 hash(ParseHashV(request.params[0], "blockhash"));
817
818
0
    int verbosity{ParseVerbosity(request.params[1], /*default_verbosity=*/1, /*allow_bool=*/true)};
819
820
0
    const CBlockIndex* pblockindex;
821
0
    const CBlockIndex* tip;
822
0
    ChainstateManager& chainman = EnsureAnyChainman(request.context);
823
0
    {
824
0
        LOCK(cs_main);
Line
Count
Source
259
0
#define LOCK(cs) UniqueLock UNIQUE_NAME(criticalblock)(MaybeCheckNotHeld(cs), #cs, __FILE__, __LINE__)
Line
Count
Source
11
0
#define UNIQUE_NAME(name) PASTE2(name, __COUNTER__)
Line
Count
Source
9
0
#define PASTE2(x, y) PASTE(x, y)
Line
Count
Source
8
0
#define PASTE(x, y) x ## y
825
0
        pblockindex = chainman.m_blockman.LookupBlockIndex(hash);
826
0
        tip = chainman.ActiveChain().Tip();
827
828
0
        if (!pblockindex) {
829
0
            throw JSONRPCError(RPC_INVALID_ADDRESS_OR_KEY, "Block not found");
830
0
        }
831
0
    }
832
833
0
    const std::vector<std::byte> block_data{GetRawBlockChecked(chainman.m_blockman, *pblockindex)};
834
835
0
    if (verbosity <= 0) {
836
0
        return HexStr(block_data);
837
0
    }
838
839
0
    DataStream block_stream{block_data};
840
0
    CBlock block{};
841
0
    block_stream >> TX_WITH_WITNESS(block);
842
843
0
    TxVerbosity tx_verbosity;
844
0
    if (verbosity == 1) {
845
0
        tx_verbosity = TxVerbosity::SHOW_TXID;
846
0
    } else if (verbosity == 2) {
847
0
        tx_verbosity = TxVerbosity::SHOW_DETAILS;
848
0
    } else {
849
0
        tx_verbosity = TxVerbosity::SHOW_DETAILS_AND_PREVOUT;
850
0
    }
851
852
0
    return blockToJSON(chainman.m_blockman, block, *tip, *pblockindex, tx_verbosity, chainman.GetConsensus().powLimit);
853
0
},
854
0
    };
855
0
}
856
857
//! Return height of highest block that has been pruned, or std::nullopt if no blocks have been pruned
858
0
std::optional<int> GetPruneHeight(const BlockManager& blockman, const CChain& chain) {
859
0
    AssertLockHeld(::cs_main);
Line
Count
Source
137
0
#define AssertLockHeld(cs) AssertLockHeldInternal(#cs, __FILE__, __LINE__, &cs)
860
861
    // Search for the last block missing block data or undo data. Don't let the
862
    // search consider the genesis block, because the genesis block does not
863
    // have undo data, but should not be considered pruned.
864
0
    const CBlockIndex* first_block{chain[1]};
865
0
    const CBlockIndex* chain_tip{chain.Tip()};
866
867
    // If there are no blocks after the genesis block, or no blocks at all, nothing is pruned.
868
0
    if (!first_block || !chain_tip) return std::nullopt;
869
870
    // If the chain tip is pruned, everything is pruned.
871
0
    if (!((chain_tip->nStatus & BLOCK_HAVE_MASK) == BLOCK_HAVE_MASK)) return chain_tip->nHeight;
872
873
0
    const auto& first_unpruned{*CHECK_NONFATAL(blockman.GetFirstBlock(*chain_tip, /*status_mask=*/BLOCK_HAVE_MASK, first_block))};
Line
Count
Source
110
0
    inline_check_non_fatal(condition, std::source_location::current(), #condition)
874
0
    if (&first_unpruned == first_block) {
875
        // All blocks between first_block and chain_tip have data, so nothing is pruned.
876
0
        return std::nullopt;
877
0
    }
878
879
    // Block before the first unpruned block is the last pruned block.
880
0
    return CHECK_NONFATAL(first_unpruned.pprev)->nHeight;
Line
Count
Source
110
0
    inline_check_non_fatal(condition, std::source_location::current(), #condition)
881
0
}
882
883
static RPCHelpMan pruneblockchain()
884
0
{
885
0
    return RPCHelpMan{"pruneblockchain",
886
0
                "Attempts to delete block and undo data up to a specified height or timestamp, if eligible for pruning.\n"
887
0
                "Requires `-prune` to be enabled at startup. While pruned data may be re-fetched in some cases (e.g., via `getblockfrompeer`), local deletion is irreversible.\n",
888
0
                {
889
0
                    {"height", RPCArg::Type::NUM, RPCArg::Optional::NO, "The block height to prune up to. May be set to a discrete height, or to a " + UNIX_EPOCH_TIME + "\n"
890
0
            "                  to prune blocks whose block time is at least 2 hours older than the provided timestamp."},
891
0
                },
892
0
                RPCResult{
893
0
                    RPCResult::Type::NUM, "", "Height of the last block pruned"},
894
0
                RPCExamples{
895
0
                    HelpExampleCli("pruneblockchain", "1000")
896
0
            + HelpExampleRpc("pruneblockchain", "1000")
897
0
                },
898
0
        [&](const RPCHelpMan& self, const JSONRPCRequest& request) -> UniValue
899
0
{
900
0
    ChainstateManager& chainman = EnsureAnyChainman(request.context);
901
0
    if (!chainman.m_blockman.IsPruneMode()) {
902
0
        throw JSONRPCError(RPC_MISC_ERROR, "Cannot prune blocks because node is not in prune mode.");
903
0
    }
904
905
0
    LOCK(cs_main);
Line
Count
Source
259
0
#define LOCK(cs) UniqueLock UNIQUE_NAME(criticalblock)(MaybeCheckNotHeld(cs), #cs, __FILE__, __LINE__)
Line
Count
Source
11
0
#define UNIQUE_NAME(name) PASTE2(name, __COUNTER__)
Line
Count
Source
9
0
#define PASTE2(x, y) PASTE(x, y)
Line
Count
Source
8
0
#define PASTE(x, y) x ## y
906
0
    Chainstate& active_chainstate = chainman.ActiveChainstate();
907
0
    CChain& active_chain = active_chainstate.m_chain;
908
909
0
    int heightParam = request.params[0].getInt<int>();
910
0
    if (heightParam < 0) {
911
0
        throw JSONRPCError(RPC_INVALID_PARAMETER, "Negative block height.");
912
0
    }
913
914
    // Height value more than a billion is too high to be a block height, and
915
    // too low to be a block time (corresponds to timestamp from Sep 2001).
916
0
    if (heightParam > 1000000000) {
917
        // Add a 2 hour buffer to include blocks which might have had old timestamps
918
0
        const CBlockIndex* pindex = active_chain.FindEarliestAtLeast(heightParam - TIMESTAMP_WINDOW, 0);
919
0
        if (!pindex) {
920
0
            throw JSONRPCError(RPC_INVALID_PARAMETER, "Could not find block with at least the specified timestamp.");
921
0
        }
922
0
        heightParam = pindex->nHeight;
923
0
    }
924
925
0
    unsigned int height = (unsigned int) heightParam;
926
0
    unsigned int chainHeight = (unsigned int) active_chain.Height();
927
0
    if (chainHeight < chainman.GetParams().PruneAfterHeight()) {
928
0
        throw JSONRPCError(RPC_MISC_ERROR, "Blockchain is too short for pruning.");
929
0
    } else if (height > chainHeight) {
930
0
        throw JSONRPCError(RPC_INVALID_PARAMETER, "Blockchain is shorter than the attempted prune height.");
931
0
    } else if (height > chainHeight - MIN_BLOCKS_TO_KEEP) {
932
0
        LogDebug(BCLog::RPC, "Attempt to prune blocks close to the tip.  Retaining the minimum number of blocks.\n");
Line
Count
Source
393
0
#define LogDebug(category, ...) LogPrintLevel(category, BCLog::Level::Debug, __VA_ARGS__)
Line
Count
Source
385
0
    do {                                                              \
386
0
        if (LogAcceptCategory((category), (level))) {                 \
387
0
            bool rate_limit{level >= BCLog::Level::Info};             \
388
0
            LogPrintLevel_(category, level, rate_limit, __VA_ARGS__); \
Line
Count
Source
362
0
#define LogPrintLevel_(category, level, should_ratelimit, ...) LogPrintFormatInternal(std::source_location::current(), category, level, should_ratelimit, __VA_ARGS__)
389
0
        }                                                             \
390
0
    } while (0)
933
0
        height = chainHeight - MIN_BLOCKS_TO_KEEP;
934
0
    }
935
936
0
    PruneBlockFilesManual(active_chainstate, height);
937
0
    return GetPruneHeight(chainman.m_blockman, active_chain).value_or(-1);
938
0
},
939
0
    };
940
0
}
941
942
CoinStatsHashType ParseHashType(std::string_view hash_type_input)
943
0
{
944
0
    if (hash_type_input == "hash_serialized_3") {
945
0
        return CoinStatsHashType::HASH_SERIALIZED;
946
0
    } else if (hash_type_input == "muhash") {
947
0
        return CoinStatsHashType::MUHASH;
948
0
    } else if (hash_type_input == "none") {
949
0
        return CoinStatsHashType::NONE;
950
0
    } else {
951
0
        throw JSONRPCError(RPC_INVALID_PARAMETER, strprintf("'%s' is not a valid hash_type", hash_type_input));
Line
Count
Source
1172
0
#define strprintf tfm::format
952
0
    }
953
0
}
954
955
/**
956
 * Calculate statistics about the unspent transaction output set
957
 *
958
 * @param[in] index_requested Signals if the coinstatsindex should be used (when available).
959
 */
960
static std::optional<kernel::CCoinsStats> GetUTXOStats(CCoinsView* view, node::BlockManager& blockman,
961
                                                       kernel::CoinStatsHashType hash_type,
962
                                                       const std::function<void()>& interruption_point = {},
963
                                                       const CBlockIndex* pindex = nullptr,
964
                                                       bool index_requested = true)
965
0
{
966
    // Use CoinStatsIndex if it is requested and available and a hash_type of Muhash or None was requested
967
0
    if ((hash_type == kernel::CoinStatsHashType::MUHASH || hash_type == kernel::CoinStatsHashType::NONE) && g_coin_stats_index && index_requested) {
968
0
        if (pindex) {
969
0
            return g_coin_stats_index->LookUpStats(*pindex);
970
0
        } else {
971
0
            CBlockIndex& block_index = *CHECK_NONFATAL(WITH_LOCK(::cs_main, return blockman.LookupBlockIndex(view->GetBestBlock())));
Line
Count
Source
110
0
    inline_check_non_fatal(condition, std::source_location::current(), #condition)
972
0
            return g_coin_stats_index->LookUpStats(block_index);
973
0
        }
974
0
    }
975
976
    // If the coinstats index isn't requested or is otherwise not usable, the
977
    // pindex should either be null or equal to the view's best block. This is
978
    // because without the coinstats index we can only get coinstats about the
979
    // best block.
980
0
    CHECK_NONFATAL(!pindex || pindex->GetBlockHash() == view->GetBestBlock());
Line
Count
Source
110
0
    inline_check_non_fatal(condition, std::source_location::current(), #condition)
981
982
0
    return kernel::ComputeUTXOStats(hash_type, view, blockman, interruption_point);
983
0
}
984
985
static RPCHelpMan gettxoutsetinfo()
986
0
{
987
0
    return RPCHelpMan{
988
0
        "gettxoutsetinfo",
989
0
        "Returns statistics about the unspent transaction output set.\n"
990
0
                "Note this call may take some time if you are not using coinstatsindex.\n",
991
0
                {
992
0
                    {"hash_type", RPCArg::Type::STR, RPCArg::Default{"hash_serialized_3"}, "Which UTXO set hash should be calculated. Options: 'hash_serialized_3' (the legacy algorithm), 'muhash', 'none'."},
993
0
                    {"hash_or_height", RPCArg::Type::NUM, RPCArg::DefaultHint{"the current best block"}, "The block hash or height of the target height (only available with coinstatsindex).",
994
0
                     RPCArgOptions{
995
0
                         .skip_type_check = true,
996
0
                         .type_str = {"", "string or numeric"},
997
0
                     }},
998
0
                    {"use_index", RPCArg::Type::BOOL, RPCArg::Default{true}, "Use coinstatsindex, if available."},
999
0
                },
1000
0
                RPCResult{
1001
0
                    RPCResult::Type::OBJ, "", "",
1002
0
                    {
1003
0
                        {RPCResult::Type::NUM, "height", "The block height (index) of the returned statistics"},
1004
0
                        {RPCResult::Type::STR_HEX, "bestblock", "The hash of the block at which these statistics are calculated"},
1005
0
                        {RPCResult::Type::NUM, "txouts", "The number of unspent transaction outputs"},
1006
0
                        {RPCResult::Type::NUM, "bogosize", "Database-independent, meaningless metric indicating the UTXO set size"},
1007
0
                        {RPCResult::Type::STR_HEX, "hash_serialized_3", /*optional=*/true, "The serialized hash (only present if 'hash_serialized_3' hash_type is chosen)"},
1008
0
                        {RPCResult::Type::STR_HEX, "muhash", /*optional=*/true, "The serialized hash (only present if 'muhash' hash_type is chosen)"},
1009
0
                        {RPCResult::Type::NUM, "transactions", /*optional=*/true, "The number of transactions with unspent outputs (not available when coinstatsindex is used)"},
1010
0
                        {RPCResult::Type::NUM, "disk_size", /*optional=*/true, "The estimated size of the chainstate on disk (not available when coinstatsindex is used)"},
1011
0
                        {RPCResult::Type::STR_AMOUNT, "total_amount", "The total amount of coins in the UTXO set"},
1012
0
                        {RPCResult::Type::STR_AMOUNT, "total_unspendable_amount", /*optional=*/true, "The total amount of coins permanently excluded from the UTXO set (only available if coinstatsindex is used)"},
1013
0
                        {RPCResult::Type::OBJ, "block_info", /*optional=*/true, "Info on amounts in the block at this block height (only available if coinstatsindex is used)",
1014
0
                        {
1015
0
                            {RPCResult::Type::STR_AMOUNT, "prevout_spent", "Total amount of all prevouts spent in this block"},
1016
0
                            {RPCResult::Type::STR_AMOUNT, "coinbase", "Coinbase subsidy amount of this block"},
1017
0
                            {RPCResult::Type::STR_AMOUNT, "new_outputs_ex_coinbase", "Total amount of new outputs created by this block"},
1018
0
                            {RPCResult::Type::STR_AMOUNT, "unspendable", "Total amount of unspendable outputs created in this block"},
1019
0
                            {RPCResult::Type::OBJ, "unspendables", "Detailed view of the unspendable categories",
1020
0
                            {
1021
0
                                {RPCResult::Type::STR_AMOUNT, "genesis_block", "The unspendable amount of the Genesis block subsidy"},
1022
0
                                {RPCResult::Type::STR_AMOUNT, "bip30", "Transactions overridden by duplicates (no longer possible with BIP30)"},
1023
0
                                {RPCResult::Type::STR_AMOUNT, "scripts", "Amounts sent to scripts that are unspendable (for example OP_RETURN outputs)"},
1024
0
                                {RPCResult::Type::STR_AMOUNT, "unclaimed_rewards", "Fee rewards that miners did not claim in their coinbase transaction"},
1025
0
                            }}
1026
0
                        }},
1027
0
                    }},
1028
0
                RPCExamples{
1029
0
                    HelpExampleCli("gettxoutsetinfo", "") +
1030
0
                    HelpExampleCli("gettxoutsetinfo", R"("none")") +
1031
0
                    HelpExampleCli("gettxoutsetinfo", R"("none" 1000)") +
1032
0
                    HelpExampleCli("gettxoutsetinfo", R"("none" '"00000000c937983704a73af28acdec37b049d214adbda81d7e2a3dd146f6ed09"')") +
1033
0
                    HelpExampleCli("-named gettxoutsetinfo", R"(hash_type='muhash' use_index='false')") +
1034
0
                    HelpExampleRpc("gettxoutsetinfo", "") +
1035
0
                    HelpExampleRpc("gettxoutsetinfo", R"("none")") +
1036
0
                    HelpExampleRpc("gettxoutsetinfo", R"("none", 1000)") +
1037
0
                    HelpExampleRpc("gettxoutsetinfo", R"("none", "00000000c937983704a73af28acdec37b049d214adbda81d7e2a3dd146f6ed09")")
1038
0
                },
1039
0
        [&](const RPCHelpMan& self, const JSONRPCRequest& request) -> UniValue
1040
0
{
1041
0
    UniValue ret(UniValue::VOBJ);
1042
1043
0
    const CBlockIndex* pindex{nullptr};
1044
0
    const CoinStatsHashType hash_type{ParseHashType(self.Arg<std::string_view>("hash_type"))};
1045
0
    bool index_requested = request.params[2].isNull() || request.params[2].get_bool();
1046
1047
0
    NodeContext& node = EnsureAnyNodeContext(request.context);
1048
0
    ChainstateManager& chainman = EnsureChainman(node);
1049
0
    Chainstate& active_chainstate = chainman.ActiveChainstate();
1050
0
    active_chainstate.ForceFlushStateToDisk();
1051
1052
0
    CCoinsView* coins_view;
1053
0
    BlockManager* blockman;
1054
0
    {
1055
0
        LOCK(::cs_main);
Line
Count
Source
259
0
#define LOCK(cs) UniqueLock UNIQUE_NAME(criticalblock)(MaybeCheckNotHeld(cs), #cs, __FILE__, __LINE__)
Line
Count
Source
11
0
#define UNIQUE_NAME(name) PASTE2(name, __COUNTER__)
Line
Count
Source
9
0
#define PASTE2(x, y) PASTE(x, y)
Line
Count
Source
8
0
#define PASTE(x, y) x ## y
1056
0
        coins_view = &active_chainstate.CoinsDB();
1057
0
        blockman = &active_chainstate.m_blockman;
1058
0
        pindex = blockman->LookupBlockIndex(coins_view->GetBestBlock());
1059
0
    }
1060
1061
0
    if (!request.params[1].isNull()) {
1062
0
        if (!g_coin_stats_index) {
1063
0
            throw JSONRPCError(RPC_INVALID_PARAMETER, "Querying specific block heights requires coinstatsindex");
1064
0
        }
1065
1066
0
        if (hash_type == CoinStatsHashType::HASH_SERIALIZED) {
1067
0
            throw JSONRPCError(RPC_INVALID_PARAMETER, "hash_serialized_3 hash type cannot be queried for a specific block");
1068
0
        }
1069
1070
0
        if (!index_requested) {
1071
0
            throw JSONRPCError(RPC_INVALID_PARAMETER, "Cannot set use_index to false when querying for a specific block");
1072
0
        }
1073
0
        pindex = ParseHashOrHeight(request.params[1], chainman);
1074
0
    }
1075
1076
0
    if (index_requested && g_coin_stats_index) {
1077
0
        if (!g_coin_stats_index->BlockUntilSyncedToCurrentChain()) {
1078
0
            const IndexSummary summary{g_coin_stats_index->GetSummary()};
1079
1080
            // If a specific block was requested and the index has already synced past that height, we can return the
1081
            // data already even though the index is not fully synced yet.
1082
0
            if (pindex->nHeight > summary.best_block_height) {
1083
0
                throw JSONRPCError(RPC_INTERNAL_ERROR, strprintf("Unable to get data because coinstatsindex is still syncing. Current height: %d", summary.best_block_height));
Line
Count
Source
1172
0
#define strprintf tfm::format
1084
0
            }
1085
0
        }
1086
0
    }
1087
1088
0
    const std::optional<CCoinsStats> maybe_stats = GetUTXOStats(coins_view, *blockman, hash_type, node.rpc_interruption_point, pindex, index_requested);
1089
0
    if (maybe_stats.has_value()) {
1090
0
        const CCoinsStats& stats = maybe_stats.value();
1091
0
        ret.pushKV("height", (int64_t)stats.nHeight);
1092
0
        ret.pushKV("bestblock", stats.hashBlock.GetHex());
1093
0
        ret.pushKV("txouts", (int64_t)stats.nTransactionOutputs);
1094
0
        ret.pushKV("bogosize", (int64_t)stats.nBogoSize);
1095
0
        if (hash_type == CoinStatsHashType::HASH_SERIALIZED) {
1096
0
            ret.pushKV("hash_serialized_3", stats.hashSerialized.GetHex());
1097
0
        }
1098
0
        if (hash_type == CoinStatsHashType::MUHASH) {
1099
0
            ret.pushKV("muhash", stats.hashSerialized.GetHex());
1100
0
        }
1101
0
        CHECK_NONFATAL(stats.total_amount.has_value());
Line
Count
Source
110
0
    inline_check_non_fatal(condition, std::source_location::current(), #condition)
1102
0
        ret.pushKV("total_amount", ValueFromAmount(stats.total_amount.value()));
1103
0
        if (!stats.index_used) {
1104
0
            ret.pushKV("transactions", static_cast<int64_t>(stats.nTransactions));
1105
0
            ret.pushKV("disk_size", stats.nDiskSize);
1106
0
        } else {
1107
0
            CCoinsStats prev_stats{};
1108
0
            if (pindex->nHeight > 0) {
1109
0
                const std::optional<CCoinsStats> maybe_prev_stats = GetUTXOStats(coins_view, *blockman, hash_type, node.rpc_interruption_point, pindex->pprev, index_requested);
1110
0
                if (!maybe_prev_stats) {
1111
0
                    throw JSONRPCError(RPC_INTERNAL_ERROR, "Unable to read UTXO set");
1112
0
                }
1113
0
                prev_stats = maybe_prev_stats.value();
1114
0
            }
1115
1116
0
            CAmount block_total_unspendable_amount = stats.total_unspendables_genesis_block +
1117
0
                                                     stats.total_unspendables_bip30 +
1118
0
                                                     stats.total_unspendables_scripts +
1119
0
                                                     stats.total_unspendables_unclaimed_rewards;
1120
0
            CAmount prev_block_total_unspendable_amount = prev_stats.total_unspendables_genesis_block +
1121
0
                                                          prev_stats.total_unspendables_bip30 +
1122
0
                                                          prev_stats.total_unspendables_scripts +
1123
0
                                                          prev_stats.total_unspendables_unclaimed_rewards;
1124
1125
0
            ret.pushKV("total_unspendable_amount", ValueFromAmount(block_total_unspendable_amount));
1126
1127
0
            UniValue block_info(UniValue::VOBJ);
1128
            // These per-block values should fit uint64 under normal circumstances
1129
0
            arith_uint256 diff_prevout = stats.total_prevout_spent_amount - prev_stats.total_prevout_spent_amount;
1130
0
            arith_uint256 diff_coinbase = stats.total_coinbase_amount - prev_stats.total_coinbase_amount;
1131
0
            arith_uint256 diff_outputs = stats.total_new_outputs_ex_coinbase_amount - prev_stats.total_new_outputs_ex_coinbase_amount;
1132
0
            CAmount prevout_amount = static_cast<CAmount>(diff_prevout.GetLow64());
1133
0
            CAmount coinbase_amount = static_cast<CAmount>(diff_coinbase.GetLow64());
1134
0
            CAmount outputs_amount = static_cast<CAmount>(diff_outputs.GetLow64());
1135
0
            block_info.pushKV("prevout_spent", ValueFromAmount(prevout_amount));
1136
0
            block_info.pushKV("coinbase", ValueFromAmount(coinbase_amount));
1137
0
            block_info.pushKV("new_outputs_ex_coinbase", ValueFromAmount(outputs_amount));
1138
0
            block_info.pushKV("unspendable", ValueFromAmount(block_total_unspendable_amount - prev_block_total_unspendable_amount));
1139
1140
0
            UniValue unspendables(UniValue::VOBJ);
1141
0
            unspendables.pushKV("genesis_block", ValueFromAmount(stats.total_unspendables_genesis_block - prev_stats.total_unspendables_genesis_block));
1142
0
            unspendables.pushKV("bip30", ValueFromAmount(stats.total_unspendables_bip30 - prev_stats.total_unspendables_bip30));
1143
0
            unspendables.pushKV("scripts", ValueFromAmount(stats.total_unspendables_scripts - prev_stats.total_unspendables_scripts));
1144
0
            unspendables.pushKV("unclaimed_rewards", ValueFromAmount(stats.total_unspendables_unclaimed_rewards - prev_stats.total_unspendables_unclaimed_rewards));
1145
0
            block_info.pushKV("unspendables", std::move(unspendables));
1146
1147
0
            ret.pushKV("block_info", std::move(block_info));
1148
0
        }
1149
0
    } else {
1150
0
        throw JSONRPCError(RPC_INTERNAL_ERROR, "Unable to read UTXO set");
1151
0
    }
1152
0
    return ret;
1153
0
},
1154
0
    };
1155
0
}
1156
1157
static RPCHelpMan gettxout()
1158
0
{
1159
0
    return RPCHelpMan{
1160
0
        "gettxout",
1161
0
        "Returns details about an unspent transaction output.\n",
1162
0
        {
1163
0
            {"txid", RPCArg::Type::STR, RPCArg::Optional::NO, "The transaction id"},
1164
0
            {"n", RPCArg::Type::NUM, RPCArg::Optional::NO, "vout number"},
1165
0
            {"include_mempool", RPCArg::Type::BOOL, RPCArg::Default{true}, "Whether to include the mempool. Note that an unspent output that is spent in the mempool won't appear."},
1166
0
        },
1167
0
        {
1168
0
            RPCResult{"If the UTXO was not found", RPCResult::Type::NONE, "", ""},
1169
0
            RPCResult{"Otherwise", RPCResult::Type::OBJ, "", "", {
1170
0
                {RPCResult::Type::STR_HEX, "bestblock", "The hash of the block at the tip of the chain"},
1171
0
                {RPCResult::Type::NUM, "confirmations", "The number of confirmations"},
1172
0
                {RPCResult::Type::STR_AMOUNT, "value", "The transaction value in " + CURRENCY_UNIT},
1173
0
                {RPCResult::Type::OBJ, "scriptPubKey", "", {
1174
0
                    {RPCResult::Type::STR, "asm", "Disassembly of the output script"},
1175
0
                    {RPCResult::Type::STR, "desc", "Inferred descriptor for the output"},
1176
0
                    {RPCResult::Type::STR_HEX, "hex", "The raw output script bytes, hex-encoded"},
1177
0
                    {RPCResult::Type::STR, "type", "The type, eg pubkeyhash"},
1178
0
                    {RPCResult::Type::STR, "address", /*optional=*/true, "The Bitcoin address (only if a well-defined address exists)"},
1179
0
                }},
1180
0
                {RPCResult::Type::BOOL, "coinbase", "Coinbase or not"},
1181
0
            }},
1182
0
        },
1183
0
        RPCExamples{
1184
0
            "\nGet unspent transactions\n"
1185
0
            + HelpExampleCli("listunspent", "") +
1186
0
            "\nView the details\n"
1187
0
            + HelpExampleCli("gettxout", "\"txid\" 1") +
1188
0
            "\nAs a JSON-RPC call\n"
1189
0
            + HelpExampleRpc("gettxout", "\"txid\", 1")
1190
0
                },
1191
0
        [&](const RPCHelpMan& self, const JSONRPCRequest& request) -> UniValue
1192
0
{
1193
0
    NodeContext& node = EnsureAnyNodeContext(request.context);
1194
0
    ChainstateManager& chainman = EnsureChainman(node);
1195
0
    LOCK(cs_main);
Line
Count
Source
259
0
#define LOCK(cs) UniqueLock UNIQUE_NAME(criticalblock)(MaybeCheckNotHeld(cs), #cs, __FILE__, __LINE__)
Line
Count
Source
11
0
#define UNIQUE_NAME(name) PASTE2(name, __COUNTER__)
Line
Count
Source
9
0
#define PASTE2(x, y) PASTE(x, y)
Line
Count
Source
8
0
#define PASTE(x, y) x ## y
1196
1197
0
    UniValue ret(UniValue::VOBJ);
1198
1199
0
    auto hash{Txid::FromUint256(ParseHashV(request.params[0], "txid"))};
1200
0
    COutPoint out{hash, request.params[1].getInt<uint32_t>()};
1201
0
    bool fMempool = true;
1202
0
    if (!request.params[2].isNull())
1203
0
        fMempool = request.params[2].get_bool();
1204
1205
0
    Chainstate& active_chainstate = chainman.ActiveChainstate();
1206
0
    CCoinsViewCache* coins_view = &active_chainstate.CoinsTip();
1207
1208
0
    std::optional<Coin> coin;
1209
0
    if (fMempool) {
1210
0
        const CTxMemPool& mempool = EnsureMemPool(node);
1211
0
        LOCK(mempool.cs);
Line
Count
Source
259
0
#define LOCK(cs) UniqueLock UNIQUE_NAME(criticalblock)(MaybeCheckNotHeld(cs), #cs, __FILE__, __LINE__)
Line
Count
Source
11
0
#define UNIQUE_NAME(name) PASTE2(name, __COUNTER__)
Line
Count
Source
9
0
#define PASTE2(x, y) PASTE(x, y)
Line
Count
Source
8
0
#define PASTE(x, y) x ## y
1212
0
        CCoinsViewMemPool view(coins_view, mempool);
1213
0
        if (!mempool.isSpent(out)) coin = view.GetCoin(out);
1214
0
    } else {
1215
0
        coin = coins_view->GetCoin(out);
1216
0
    }
1217
0
    if (!coin) return UniValue::VNULL;
1218
1219
0
    const CBlockIndex* pindex = active_chainstate.m_blockman.LookupBlockIndex(coins_view->GetBestBlock());
1220
0
    ret.pushKV("bestblock", pindex->GetBlockHash().GetHex());
1221
0
    if (coin->nHeight == MEMPOOL_HEIGHT) {
1222
0
        ret.pushKV("confirmations", 0);
1223
0
    } else {
1224
0
        ret.pushKV("confirmations", (int64_t)(pindex->nHeight - coin->nHeight + 1));
1225
0
    }
1226
0
    ret.pushKV("value", ValueFromAmount(coin->out.nValue));
1227
0
    UniValue o(UniValue::VOBJ);
1228
0
    ScriptToUniv(coin->out.scriptPubKey, /*out=*/o, /*include_hex=*/true, /*include_address=*/true);
1229
0
    ret.pushKV("scriptPubKey", std::move(o));
1230
0
    ret.pushKV("coinbase", (bool)coin->fCoinBase);
1231
1232
0
    return ret;
1233
0
},
1234
0
    };
1235
0
}
1236
1237
static RPCHelpMan verifychain()
1238
0
{
1239
0
    return RPCHelpMan{
1240
0
        "verifychain",
1241
0
        "Verifies blockchain database.\n",
1242
0
                {
1243
0
                    {"checklevel", RPCArg::Type::NUM, RPCArg::DefaultHint{strprintf("%d, range=0-4", DEFAULT_CHECKLEVEL)},
Line
Count
Source
1172
0
#define strprintf tfm::format
1244
0
                        strprintf("How thorough the block verification is:\n%s", MakeUnorderedList(CHECKLEVEL_DOC))},
Line
Count
Source
1172
0
#define strprintf tfm::format
1245
0
                    {"nblocks", RPCArg::Type::NUM, RPCArg::DefaultHint{strprintf("%d, 0=all", DEFAULT_CHECKBLOCKS)}, "The number of blocks to check."},
Line
Count
Source
1172
0
#define strprintf tfm::format
1246
0
                },
1247
0
                RPCResult{
1248
0
                    RPCResult::Type::BOOL, "", "Verification finished successfully. If false, check debug.log for reason."},
1249
0
                RPCExamples{
1250
0
                    HelpExampleCli("verifychain", "")
1251
0
            + HelpExampleRpc("verifychain", "")
1252
0
                },
1253
0
        [&](const RPCHelpMan& self, const JSONRPCRequest& request) -> UniValue
1254
0
{
1255
0
    const int check_level{request.params[0].isNull() ? DEFAULT_CHECKLEVEL : request.params[0].getInt<int>()};
1256
0
    const int check_depth{request.params[1].isNull() ? DEFAULT_CHECKBLOCKS : request.params[1].getInt<int>()};
1257
1258
0
    ChainstateManager& chainman = EnsureAnyChainman(request.context);
1259
0
    LOCK(cs_main);
Line
Count
Source
259
0
#define LOCK(cs) UniqueLock UNIQUE_NAME(criticalblock)(MaybeCheckNotHeld(cs), #cs, __FILE__, __LINE__)
Line
Count
Source
11
0
#define UNIQUE_NAME(name) PASTE2(name, __COUNTER__)
Line
Count
Source
9
0
#define PASTE2(x, y) PASTE(x, y)
Line
Count
Source
8
0
#define PASTE(x, y) x ## y
1260
1261
0
    Chainstate& active_chainstate = chainman.ActiveChainstate();
1262
0
    return CVerifyDB(chainman.GetNotifications()).VerifyDB(
1263
0
               active_chainstate, chainman.GetParams().GetConsensus(), active_chainstate.CoinsTip(), check_level, check_depth) == VerifyDBResult::SUCCESS;
1264
0
},
1265
0
    };
1266
0
}
1267
1268
static void SoftForkDescPushBack(const CBlockIndex* blockindex, UniValue& softforks, const ChainstateManager& chainman, Consensus::BuriedDeployment dep)
1269
0
{
1270
    // For buried deployments.
1271
1272
0
    if (!DeploymentEnabled(chainman, dep)) return;
1273
1274
0
    UniValue rv(UniValue::VOBJ);
1275
0
    rv.pushKV("type", "buried");
1276
    // getdeploymentinfo reports the softfork as active from when the chain height is
1277
    // one below the activation height
1278
0
    rv.pushKV("active", DeploymentActiveAfter(blockindex, chainman, dep));
1279
0
    rv.pushKV("height", chainman.GetConsensus().DeploymentHeight(dep));
1280
0
    softforks.pushKV(DeploymentName(dep), std::move(rv));
1281
0
}
1282
1283
static void SoftForkDescPushBack(const CBlockIndex* blockindex, UniValue& softforks, const ChainstateManager& chainman, Consensus::DeploymentPos id)
1284
0
{
1285
    // For BIP9 deployments.
1286
0
    if (!DeploymentEnabled(chainman, id)) return;
1287
0
    if (blockindex == nullptr) return;
1288
1289
0
    UniValue bip9(UniValue::VOBJ);
1290
0
    BIP9Info info{chainman.m_versionbitscache.Info(*blockindex, chainman.GetConsensus(), id)};
1291
0
    const auto& depparams{chainman.GetConsensus().vDeployments[id]};
1292
1293
    // BIP9 parameters
1294
0
    if (info.stats.has_value()) {
1295
0
        bip9.pushKV("bit", depparams.bit);
1296
0
    }
1297
0
    bip9.pushKV("start_time", depparams.nStartTime);
1298
0
    bip9.pushKV("timeout", depparams.nTimeout);
1299
0
    bip9.pushKV("min_activation_height", depparams.min_activation_height);
1300
1301
    // BIP9 status
1302
0
    bip9.pushKV("status", info.current_state);
1303
0
    bip9.pushKV("since", info.since);
1304
0
    bip9.pushKV("status_next", info.next_state);
1305
1306
    // BIP9 signalling status, if applicable
1307
0
    if (info.stats.has_value()) {
1308
0
        UniValue statsUV(UniValue::VOBJ);
1309
0
        statsUV.pushKV("period", info.stats->period);
1310
0
        statsUV.pushKV("elapsed", info.stats->elapsed);
1311
0
        statsUV.pushKV("count", info.stats->count);
1312
0
        if (info.stats->threshold > 0 || info.stats->possible) {
1313
0
            statsUV.pushKV("threshold", info.stats->threshold);
1314
0
            statsUV.pushKV("possible", info.stats->possible);
1315
0
        }
1316
0
        bip9.pushKV("statistics", std::move(statsUV));
1317
1318
0
        std::string sig;
1319
0
        sig.reserve(info.signalling_blocks.size());
1320
0
        for (const bool s : info.signalling_blocks) {
1321
0
            sig.push_back(s ? '#' : '-');
1322
0
        }
1323
0
        bip9.pushKV("signalling", sig);
1324
0
    }
1325
1326
0
    UniValue rv(UniValue::VOBJ);
1327
0
    rv.pushKV("type", "bip9");
1328
0
    bool is_active = false;
1329
0
    if (info.active_since.has_value()) {
1330
0
        rv.pushKV("height", *info.active_since);
1331
0
        is_active = (*info.active_since <= blockindex->nHeight + 1);
1332
0
    }
1333
0
    rv.pushKV("active", is_active);
1334
0
    rv.pushKV("bip9", bip9);
1335
0
    softforks.pushKV(DeploymentName(id), std::move(rv));
1336
0
}
1337
1338
// used by rest.cpp:rest_chaininfo, so cannot be static
1339
RPCHelpMan getblockchaininfo()
1340
0
{
1341
0
    return RPCHelpMan{"getblockchaininfo",
1342
0
        "Returns an object containing various state info regarding blockchain processing.\n",
1343
0
        {},
1344
0
        RPCResult{
1345
0
            RPCResult::Type::OBJ, "", "",
1346
0
            {
1347
0
                {RPCResult::Type::STR, "chain", "current network name (" LIST_CHAIN_NAMES ")"},
1348
0
                {RPCResult::Type::NUM, "blocks", "the height of the most-work fully-validated chain. The genesis block has height 0"},
1349
0
                {RPCResult::Type::NUM, "headers", "the current number of headers we have validated"},
1350
0
                {RPCResult::Type::STR, "bestblockhash", "the hash of the currently best block"},
1351
0
                {RPCResult::Type::STR_HEX, "bits", "nBits: compact representation of the block difficulty target"},
1352
0
                {RPCResult::Type::STR_HEX, "target", "The difficulty target"},
1353
0
                {RPCResult::Type::NUM, "difficulty", "the current difficulty"},
1354
0
                {RPCResult::Type::NUM_TIME, "time", "The block time expressed in " + UNIX_EPOCH_TIME},
1355
0
                {RPCResult::Type::NUM_TIME, "mediantime", "The median block time expressed in " + UNIX_EPOCH_TIME},
1356
0
                {RPCResult::Type::NUM, "verificationprogress", "estimate of verification progress [0..1]"},
1357
0
                {RPCResult::Type::BOOL, "initialblockdownload", "(debug information) estimate of whether this node is in Initial Block Download mode"},
1358
0
                {RPCResult::Type::STR_HEX, "chainwork", "total amount of work in active chain, in hexadecimal"},
1359
0
                {RPCResult::Type::NUM, "size_on_disk", "the estimated size of the block and undo files on disk"},
1360
0
                {RPCResult::Type::BOOL, "pruned", "if the blocks are subject to pruning"},
1361
0
                {RPCResult::Type::NUM, "pruneheight", /*optional=*/true, "height of the last block pruned, plus one (only present if pruning is enabled)"},
1362
0
                {RPCResult::Type::BOOL, "automatic_pruning", /*optional=*/true, "whether automatic pruning is enabled (only present if pruning is enabled)"},
1363
0
                {RPCResult::Type::NUM, "prune_target_size", /*optional=*/true, "the target size used by pruning (only present if automatic pruning is enabled)"},
1364
0
                {RPCResult::Type::STR_HEX, "signet_challenge", /*optional=*/true, "the block challenge (aka. block script), in hexadecimal (only present if the current network is a signet)"},
1365
0
                (IsDeprecatedRPCEnabled("warnings") ?
1366
0
                    RPCResult{RPCResult::Type::STR, "warnings", "any network and blockchain warnings (DEPRECATED)"} :
1367
0
                    RPCResult{RPCResult::Type::ARR, "warnings", "any network and blockchain warnings (run with `-deprecatedrpc=warnings` to return the latest warning as a single string)",
1368
0
                    {
1369
0
                        {RPCResult::Type::STR, "", "warning"},
1370
0
                    }
1371
0
                    }
1372
0
                ),
1373
0
            }},
1374
0
        RPCExamples{
1375
0
            HelpExampleCli("getblockchaininfo", "")
1376
0
            + HelpExampleRpc("getblockchaininfo", "")
1377
0
        },
1378
0
        [&](const RPCHelpMan& self, const JSONRPCRequest& request) -> UniValue
1379
0
{
1380
0
    ChainstateManager& chainman = EnsureAnyChainman(request.context);
1381
0
    LOCK(cs_main);
Line
Count
Source
259
0
#define LOCK(cs) UniqueLock UNIQUE_NAME(criticalblock)(MaybeCheckNotHeld(cs), #cs, __FILE__, __LINE__)
Line
Count
Source
11
0
#define UNIQUE_NAME(name) PASTE2(name, __COUNTER__)
Line
Count
Source
9
0
#define PASTE2(x, y) PASTE(x, y)
Line
Count
Source
8
0
#define PASTE(x, y) x ## y
1382
0
    Chainstate& active_chainstate = chainman.ActiveChainstate();
1383
1384
0
    const CBlockIndex& tip{*CHECK_NONFATAL(active_chainstate.m_chain.Tip())};
Line
Count
Source
110
0
    inline_check_non_fatal(condition, std::source_location::current(), #condition)
1385
0
    const int height{tip.nHeight};
1386
0
    UniValue obj(UniValue::VOBJ);
1387
0
    obj.pushKV("chain", chainman.GetParams().GetChainTypeString());
1388
0
    obj.pushKV("blocks", height);
1389
0
    obj.pushKV("headers", chainman.m_best_header ? chainman.m_best_header->nHeight : -1);
1390
0
    obj.pushKV("bestblockhash", tip.GetBlockHash().GetHex());
1391
0
    obj.pushKV("bits", strprintf("%08x", tip.nBits));
Line
Count
Source
1172
0
#define strprintf tfm::format
1392
0
    obj.pushKV("target", GetTarget(tip, chainman.GetConsensus().powLimit).GetHex());
1393
0
    obj.pushKV("difficulty", GetDifficulty(tip));
1394
0
    obj.pushKV("time", tip.GetBlockTime());
1395
0
    obj.pushKV("mediantime", tip.GetMedianTimePast());
1396
0
    obj.pushKV("verificationprogress", chainman.GuessVerificationProgress(&tip));
1397
0
    obj.pushKV("initialblockdownload", chainman.IsInitialBlockDownload());
1398
0
    obj.pushKV("chainwork", tip.nChainWork.GetHex());
1399
0
    obj.pushKV("size_on_disk", chainman.m_blockman.CalculateCurrentUsage());
1400
0
    obj.pushKV("pruned", chainman.m_blockman.IsPruneMode());
1401
0
    if (chainman.m_blockman.IsPruneMode()) {
1402
0
        const auto prune_height{GetPruneHeight(chainman.m_blockman, active_chainstate.m_chain)};
1403
0
        obj.pushKV("pruneheight", prune_height ? prune_height.value() + 1 : 0);
1404
1405
0
        const bool automatic_pruning{chainman.m_blockman.GetPruneTarget() != BlockManager::PRUNE_TARGET_MANUAL};
1406
0
        obj.pushKV("automatic_pruning",  automatic_pruning);
1407
0
        if (automatic_pruning) {
1408
0
            obj.pushKV("prune_target_size", chainman.m_blockman.GetPruneTarget());
1409
0
        }
1410
0
    }
1411
0
    if (chainman.GetParams().GetChainType() == ChainType::SIGNET) {
1412
0
        const std::vector<uint8_t>& signet_challenge =
1413
0
            chainman.GetParams().GetConsensus().signet_challenge;
1414
0
        obj.pushKV("signet_challenge", HexStr(signet_challenge));
1415
0
    }
1416
1417
0
    NodeContext& node = EnsureAnyNodeContext(request.context);
1418
0
    obj.pushKV("warnings", node::GetWarningsForRpc(*CHECK_NONFATAL(node.warnings), IsDeprecatedRPCEnabled("warnings")));
Line
Count
Source
110
0
    inline_check_non_fatal(condition, std::source_location::current(), #condition)
1419
0
    return obj;
1420
0
},
1421
0
    };
1422
0
}
1423
1424
namespace {
1425
const std::vector<RPCResult> RPCHelpForDeployment{
1426
    {RPCResult::Type::STR, "type", "one of \"buried\", \"bip9\""},
1427
    {RPCResult::Type::NUM, "height", /*optional=*/true, "height of the first block which the rules are or will be enforced (only for \"buried\" type, or \"bip9\" type with \"active\" status)"},
1428
    {RPCResult::Type::BOOL, "active", "true if the rules are enforced for the mempool and the next block"},
1429
    {RPCResult::Type::OBJ, "bip9", /*optional=*/true, "status of bip9 softforks (only for \"bip9\" type)",
1430
    {
1431
        {RPCResult::Type::NUM, "bit", /*optional=*/true, "the bit (0-28) in the block version field used to signal this softfork (only for \"started\" and \"locked_in\" status)"},
1432
        {RPCResult::Type::NUM_TIME, "start_time", "the minimum median time past of a block at which the bit gains its meaning"},
1433
        {RPCResult::Type::NUM_TIME, "timeout", "the median time past of a block at which the deployment is considered failed if not yet locked in"},
1434
        {RPCResult::Type::NUM, "min_activation_height", "minimum height of blocks for which the rules may be enforced"},
1435
        {RPCResult::Type::STR, "status", "status of deployment at specified block (one of \"defined\", \"started\", \"locked_in\", \"active\", \"failed\")"},
1436
        {RPCResult::Type::NUM, "since", "height of the first block to which the status applies"},
1437
        {RPCResult::Type::STR, "status_next", "status of deployment at the next block"},
1438
        {RPCResult::Type::OBJ, "statistics", /*optional=*/true, "numeric statistics about signalling for a softfork (only for \"started\" and \"locked_in\" status)",
1439
        {
1440
            {RPCResult::Type::NUM, "period", "the length in blocks of the signalling period"},
1441
            {RPCResult::Type::NUM, "threshold", /*optional=*/true, "the number of blocks with the version bit set required to activate the feature (only for \"started\" status)"},
1442
            {RPCResult::Type::NUM, "elapsed", "the number of blocks elapsed since the beginning of the current period"},
1443
            {RPCResult::Type::NUM, "count", "the number of blocks with the version bit set in the current period"},
1444
            {RPCResult::Type::BOOL, "possible", /*optional=*/true, "returns false if there are not enough blocks left in this period to pass activation threshold (only for \"started\" status)"},
1445
        }},
1446
        {RPCResult::Type::STR, "signalling", /*optional=*/true, "indicates blocks that signalled with a # and blocks that did not with a -"},
1447
    }},
1448
};
1449
1450
UniValue DeploymentInfo(const CBlockIndex* blockindex, const ChainstateManager& chainman)
1451
0
{
1452
0
    UniValue softforks(UniValue::VOBJ);
1453
0
    SoftForkDescPushBack(blockindex, softforks, chainman, Consensus::DEPLOYMENT_HEIGHTINCB);
1454
0
    SoftForkDescPushBack(blockindex, softforks, chainman, Consensus::DEPLOYMENT_DERSIG);
1455
0
    SoftForkDescPushBack(blockindex, softforks, chainman, Consensus::DEPLOYMENT_CLTV);
1456
0
    SoftForkDescPushBack(blockindex, softforks, chainman, Consensus::DEPLOYMENT_CSV);
1457
0
    SoftForkDescPushBack(blockindex, softforks, chainman, Consensus::DEPLOYMENT_SEGWIT);
1458
0
    SoftForkDescPushBack(blockindex, softforks, chainman, Consensus::DEPLOYMENT_TESTDUMMY);
1459
0
    SoftForkDescPushBack(blockindex, softforks, chainman, Consensus::DEPLOYMENT_TAPROOT);
1460
0
    return softforks;
1461
0
}
1462
} // anon namespace
1463
1464
RPCHelpMan getdeploymentinfo()
1465
0
{
1466
0
    return RPCHelpMan{"getdeploymentinfo",
1467
0
        "Returns an object containing various state info regarding deployments of consensus changes.",
1468
0
        {
1469
0
            {"blockhash", RPCArg::Type::STR_HEX, RPCArg::Default{"hash of current chain tip"}, "The block hash at which to query deployment state"},
1470
0
        },
1471
0
        RPCResult{
1472
0
            RPCResult::Type::OBJ, "", "", {
1473
0
                {RPCResult::Type::STR, "hash", "requested block hash (or tip)"},
1474
0
                {RPCResult::Type::NUM, "height", "requested block height (or tip)"},
1475
0
                {RPCResult::Type::ARR, "script_flags", "script verify flags for the block", {
1476
0
                    {RPCResult::Type::STR, "flag", "a script verify flag"},
1477
0
                }},
1478
0
                {RPCResult::Type::OBJ_DYN, "deployments", "", {
1479
0
                    {RPCResult::Type::OBJ, "xxxx", "name of the deployment", RPCHelpForDeployment}
1480
0
                }},
1481
0
            }
1482
0
        },
1483
0
        RPCExamples{ HelpExampleCli("getdeploymentinfo", "") + HelpExampleRpc("getdeploymentinfo", "") },
1484
0
        [&](const RPCHelpMan& self, const JSONRPCRequest& request) -> UniValue
1485
0
        {
1486
0
            const ChainstateManager& chainman = EnsureAnyChainman(request.context);
1487
0
            LOCK(cs_main);
Line
Count
Source
259
0
#define LOCK(cs) UniqueLock UNIQUE_NAME(criticalblock)(MaybeCheckNotHeld(cs), #cs, __FILE__, __LINE__)
Line
Count
Source
11
0
#define UNIQUE_NAME(name) PASTE2(name, __COUNTER__)
Line
Count
Source
9
0
#define PASTE2(x, y) PASTE(x, y)
Line
Count
Source
8
0
#define PASTE(x, y) x ## y
1488
0
            const Chainstate& active_chainstate = chainman.ActiveChainstate();
1489
1490
0
            const CBlockIndex* blockindex;
1491
0
            if (request.params[0].isNull()) {
1492
0
                blockindex = CHECK_NONFATAL(active_chainstate.m_chain.Tip());
Line
Count
Source
110
0
    inline_check_non_fatal(condition, std::source_location::current(), #condition)
1493
0
            } else {
1494
0
                const uint256 hash(ParseHashV(request.params[0], "blockhash"));
1495
0
                blockindex = chainman.m_blockman.LookupBlockIndex(hash);
1496
0
                if (!blockindex) {
1497
0
                    throw JSONRPCError(RPC_INVALID_ADDRESS_OR_KEY, "Block not found");
1498
0
                }
1499
0
            }
1500
1501
0
            UniValue deploymentinfo(UniValue::VOBJ);
1502
0
            deploymentinfo.pushKV("hash", blockindex->GetBlockHash().ToString());
1503
0
            deploymentinfo.pushKV("height", blockindex->nHeight);
1504
0
            {
1505
0
                const auto flagnames = GetScriptFlagNames(GetBlockScriptFlags(*blockindex, chainman));
1506
0
                UniValue uv_flagnames(UniValue::VARR);
1507
0
                uv_flagnames.push_backV(flagnames.begin(), flagnames.end());
1508
0
                deploymentinfo.pushKV("script_flags", uv_flagnames);
1509
0
            }
1510
0
            deploymentinfo.pushKV("deployments", DeploymentInfo(blockindex, chainman));
1511
0
            return deploymentinfo;
1512
0
        },
1513
0
    };
1514
0
}
1515
1516
/** Comparison function for sorting the getchaintips heads.  */
1517
struct CompareBlocksByHeight
1518
{
1519
    bool operator()(const CBlockIndex* a, const CBlockIndex* b) const
1520
0
    {
1521
        /* Make sure that unequal blocks with the same height do not compare
1522
           equal. Use the pointers themselves to make a distinction. */
1523
1524
0
        if (a->nHeight != b->nHeight)
1525
0
          return (a->nHeight > b->nHeight);
1526
1527
0
        return a < b;
1528
0
    }
1529
};
1530
1531
static RPCHelpMan getchaintips()
1532
0
{
1533
0
    return RPCHelpMan{"getchaintips",
1534
0
                "Return information about all known tips in the block tree,"
1535
0
                " including the main chain as well as orphaned branches.\n",
1536
0
                {},
1537
0
                RPCResult{
1538
0
                    RPCResult::Type::ARR, "", "",
1539
0
                    {{RPCResult::Type::OBJ, "", "",
1540
0
                        {
1541
0
                            {RPCResult::Type::NUM, "height", "height of the chain tip"},
1542
0
                            {RPCResult::Type::STR_HEX, "hash", "block hash of the tip"},
1543
0
                            {RPCResult::Type::NUM, "branchlen", "zero for main chain, otherwise length of branch connecting the tip to the main chain"},
1544
0
                            {RPCResult::Type::STR, "status", "status of the chain, \"active\" for the main chain\n"
1545
0
            "Possible values for status:\n"
1546
0
            "1.  \"invalid\"               This branch contains at least one invalid block\n"
1547
0
            "2.  \"headers-only\"          Not all blocks for this branch are available, but the headers are valid\n"
1548
0
            "3.  \"valid-headers\"         All blocks are available for this branch, but they were never fully validated\n"
1549
0
            "4.  \"valid-fork\"            This branch is not part of the active chain, but is fully validated\n"
1550
0
            "5.  \"active\"                This is the tip of the active main chain, which is certainly valid"},
1551
0
                        }}}},
1552
0
                RPCExamples{
1553
0
                    HelpExampleCli("getchaintips", "")
1554
0
            + HelpExampleRpc("getchaintips", "")
1555
0
                },
1556
0
        [&](const RPCHelpMan& self, const JSONRPCRequest& request) -> UniValue
1557
0
{
1558
0
    ChainstateManager& chainman = EnsureAnyChainman(request.context);
1559
0
    LOCK(cs_main);
Line
Count
Source
259
0
#define LOCK(cs) UniqueLock UNIQUE_NAME(criticalblock)(MaybeCheckNotHeld(cs), #cs, __FILE__, __LINE__)
Line
Count
Source
11
0
#define UNIQUE_NAME(name) PASTE2(name, __COUNTER__)
Line
Count
Source
9
0
#define PASTE2(x, y) PASTE(x, y)
Line
Count
Source
8
0
#define PASTE(x, y) x ## y
1560
0
    CChain& active_chain = chainman.ActiveChain();
1561
1562
    /*
1563
     * Idea: The set of chain tips is the active chain tip, plus orphan blocks which do not have another orphan building off of them.
1564
     * Algorithm:
1565
     *  - Make one pass through BlockIndex(), picking out the orphan blocks, and also storing a set of the orphan block's pprev pointers.
1566
     *  - Iterate through the orphan blocks. If the block isn't pointed to by another orphan, it is a chain tip.
1567
     *  - Add the active chain tip
1568
     */
1569
0
    std::set<const CBlockIndex*, CompareBlocksByHeight> setTips;
1570
0
    std::set<const CBlockIndex*> setOrphans;
1571
0
    std::set<const CBlockIndex*> setPrevs;
1572
1573
0
    for (const auto& [_, block_index] : chainman.BlockIndex()) {
1574
0
        if (!active_chain.Contains(&block_index)) {
1575
0
            setOrphans.insert(&block_index);
1576
0
            setPrevs.insert(block_index.pprev);
1577
0
        }
1578
0
    }
1579
1580
0
    for (std::set<const CBlockIndex*>::iterator it = setOrphans.begin(); it != setOrphans.end(); ++it) {
1581
0
        if (setPrevs.erase(*it) == 0) {
1582
0
            setTips.insert(*it);
1583
0
        }
1584
0
    }
1585
1586
    // Always report the currently active tip.
1587
0
    setTips.insert(active_chain.Tip());
1588
1589
    /* Construct the output array.  */
1590
0
    UniValue res(UniValue::VARR);
1591
0
    for (const CBlockIndex* block : setTips) {
1592
0
        UniValue obj(UniValue::VOBJ);
1593
0
        obj.pushKV("height", block->nHeight);
1594
0
        obj.pushKV("hash", block->phashBlock->GetHex());
1595
1596
0
        const int branchLen = block->nHeight - active_chain.FindFork(block)->nHeight;
1597
0
        obj.pushKV("branchlen", branchLen);
1598
1599
0
        std::string status;
1600
0
        if (active_chain.Contains(block)) {
1601
            // This block is part of the currently active chain.
1602
0
            status = "active";
1603
0
        } else if (block->nStatus & BLOCK_FAILED_MASK) {
1604
            // This block or one of its ancestors is invalid.
1605
0
            status = "invalid";
1606
0
        } else if (!block->HaveNumChainTxs()) {
1607
            // This block cannot be connected because full block data for it or one of its parents is missing.
1608
0
            status = "headers-only";
1609
0
        } else if (block->IsValid(BLOCK_VALID_SCRIPTS)) {
1610
            // This block is fully validated, but no longer part of the active chain. It was probably the active block once, but was reorganized.
1611
0
            status = "valid-fork";
1612
0
        } else if (block->IsValid(BLOCK_VALID_TREE)) {
1613
            // The headers for this block are valid, but it has not been validated. It was probably never part of the most-work chain.
1614
0
            status = "valid-headers";
1615
0
        } else {
1616
            // No clue.
1617
0
            status = "unknown";
1618
0
        }
1619
0
        obj.pushKV("status", status);
1620
1621
0
        res.push_back(std::move(obj));
1622
0
    }
1623
1624
0
    return res;
1625
0
},
1626
0
    };
1627
0
}
1628
1629
static RPCHelpMan preciousblock()
1630
0
{
1631
0
    return RPCHelpMan{
1632
0
        "preciousblock",
1633
0
        "Treats a block as if it were received before others with the same work.\n"
1634
0
                "\nA later preciousblock call can override the effect of an earlier one.\n"
1635
0
                "\nThe effects of preciousblock are not retained across restarts.\n",
1636
0
                {
1637
0
                    {"blockhash", RPCArg::Type::STR_HEX, RPCArg::Optional::NO, "the hash of the block to mark as precious"},
1638
0
                },
1639
0
                RPCResult{RPCResult::Type::NONE, "", ""},
1640
0
                RPCExamples{
1641
0
                    HelpExampleCli("preciousblock", "\"blockhash\"")
1642
0
            + HelpExampleRpc("preciousblock", "\"blockhash\"")
1643
0
                },
1644
0
        [&](const RPCHelpMan& self, const JSONRPCRequest& request) -> UniValue
1645
0
{
1646
0
    uint256 hash(ParseHashV(request.params[0], "blockhash"));
1647
0
    CBlockIndex* pblockindex;
1648
1649
0
    ChainstateManager& chainman = EnsureAnyChainman(request.context);
1650
0
    {
1651
0
        LOCK(cs_main);
Line
Count
Source
259
0
#define LOCK(cs) UniqueLock UNIQUE_NAME(criticalblock)(MaybeCheckNotHeld(cs), #cs, __FILE__, __LINE__)
Line
Count
Source
11
0
#define UNIQUE_NAME(name) PASTE2(name, __COUNTER__)
Line
Count
Source
9
0
#define PASTE2(x, y) PASTE(x, y)
Line
Count
Source
8
0
#define PASTE(x, y) x ## y
1652
0
        pblockindex = chainman.m_blockman.LookupBlockIndex(hash);
1653
0
        if (!pblockindex) {
1654
0
            throw JSONRPCError(RPC_INVALID_ADDRESS_OR_KEY, "Block not found");
1655
0
        }
1656
0
    }
1657
1658
0
    BlockValidationState state;
1659
0
    chainman.ActiveChainstate().PreciousBlock(state, pblockindex);
1660
1661
0
    if (!state.IsValid()) {
1662
0
        throw JSONRPCError(RPC_DATABASE_ERROR, state.ToString());
1663
0
    }
1664
1665
0
    return UniValue::VNULL;
1666
0
},
1667
0
    };
1668
0
}
1669
1670
0
void InvalidateBlock(ChainstateManager& chainman, const uint256 block_hash) {
1671
0
    BlockValidationState state;
1672
0
    CBlockIndex* pblockindex;
1673
0
    {
1674
0
        LOCK(chainman.GetMutex());
Line
Count
Source
259
0
#define LOCK(cs) UniqueLock UNIQUE_NAME(criticalblock)(MaybeCheckNotHeld(cs), #cs, __FILE__, __LINE__)
Line
Count
Source
11
0
#define UNIQUE_NAME(name) PASTE2(name, __COUNTER__)
Line
Count
Source
9
0
#define PASTE2(x, y) PASTE(x, y)
Line
Count
Source
8
0
#define PASTE(x, y) x ## y
1675
0
        pblockindex = chainman.m_blockman.LookupBlockIndex(block_hash);
1676
0
        if (!pblockindex) {
1677
0
            throw JSONRPCError(RPC_INVALID_ADDRESS_OR_KEY, "Block not found");
1678
0
        }
1679
0
    }
1680
0
    chainman.ActiveChainstate().InvalidateBlock(state, pblockindex);
1681
1682
0
    if (state.IsValid()) {
1683
0
        chainman.ActiveChainstate().ActivateBestChain(state);
1684
0
    }
1685
1686
0
    if (!state.IsValid()) {
1687
0
        throw JSONRPCError(RPC_DATABASE_ERROR, state.ToString());
1688
0
    }
1689
0
}
1690
1691
static RPCHelpMan invalidateblock()
1692
0
{
1693
0
    return RPCHelpMan{
1694
0
        "invalidateblock",
1695
0
        "Permanently marks a block as invalid, as if it violated a consensus rule.\n",
1696
0
                {
1697
0
                    {"blockhash", RPCArg::Type::STR_HEX, RPCArg::Optional::NO, "the hash of the block to mark as invalid"},
1698
0
                },
1699
0
                RPCResult{RPCResult::Type::NONE, "", ""},
1700
0
                RPCExamples{
1701
0
                    HelpExampleCli("invalidateblock", "\"blockhash\"")
1702
0
            + HelpExampleRpc("invalidateblock", "\"blockhash\"")
1703
0
                },
1704
0
        [&](const RPCHelpMan& self, const JSONRPCRequest& request) -> UniValue
1705
0
{
1706
0
    ChainstateManager& chainman = EnsureAnyChainman(request.context);
1707
0
    uint256 hash(ParseHashV(request.params[0], "blockhash"));
1708
1709
0
    InvalidateBlock(chainman, hash);
1710
1711
0
    return UniValue::VNULL;
1712
0
},
1713
0
    };
1714
0
}
1715
1716
0
void ReconsiderBlock(ChainstateManager& chainman, uint256 block_hash) {
1717
0
    {
1718
0
        LOCK(chainman.GetMutex());
Line
Count
Source
259
0
#define LOCK(cs) UniqueLock UNIQUE_NAME(criticalblock)(MaybeCheckNotHeld(cs), #cs, __FILE__, __LINE__)
Line
Count
Source
11
0
#define UNIQUE_NAME(name) PASTE2(name, __COUNTER__)
Line
Count
Source
9
0
#define PASTE2(x, y) PASTE(x, y)
Line
Count
Source
8
0
#define PASTE(x, y) x ## y
1719
0
        CBlockIndex* pblockindex = chainman.m_blockman.LookupBlockIndex(block_hash);
1720
0
        if (!pblockindex) {
1721
0
            throw JSONRPCError(RPC_INVALID_ADDRESS_OR_KEY, "Block not found");
1722
0
        }
1723
1724
0
        chainman.ActiveChainstate().ResetBlockFailureFlags(pblockindex);
1725
0
        chainman.RecalculateBestHeader();
1726
0
    }
1727
1728
0
    BlockValidationState state;
1729
0
    chainman.ActiveChainstate().ActivateBestChain(state);
1730
1731
0
    if (!state.IsValid()) {
1732
0
        throw JSONRPCError(RPC_DATABASE_ERROR, state.ToString());
1733
0
    }
1734
0
}
1735
1736
static RPCHelpMan reconsiderblock()
1737
0
{
1738
0
    return RPCHelpMan{
1739
0
        "reconsiderblock",
1740
0
        "Removes invalidity status of a block, its ancestors and its descendants, reconsider them for activation.\n"
1741
0
                "This can be used to undo the effects of invalidateblock.\n",
1742
0
                {
1743
0
                    {"blockhash", RPCArg::Type::STR_HEX, RPCArg::Optional::NO, "the hash of the block to reconsider"},
1744
0
                },
1745
0
                RPCResult{RPCResult::Type::NONE, "", ""},
1746
0
                RPCExamples{
1747
0
                    HelpExampleCli("reconsiderblock", "\"blockhash\"")
1748
0
            + HelpExampleRpc("reconsiderblock", "\"blockhash\"")
1749
0
                },
1750
0
        [&](const RPCHelpMan& self, const JSONRPCRequest& request) -> UniValue
1751
0
{
1752
0
    ChainstateManager& chainman = EnsureAnyChainman(request.context);
1753
0
    uint256 hash(ParseHashV(request.params[0], "blockhash"));
1754
1755
0
    ReconsiderBlock(chainman, hash);
1756
1757
0
    return UniValue::VNULL;
1758
0
},
1759
0
    };
1760
0
}
1761
1762
static RPCHelpMan getchaintxstats()
1763
0
{
1764
0
    return RPCHelpMan{
1765
0
        "getchaintxstats",
1766
0
        "Compute statistics about the total number and rate of transactions in the chain.\n",
1767
0
                {
1768
0
                    {"nblocks", RPCArg::Type::NUM, RPCArg::DefaultHint{"one month"}, "Size of the window in number of blocks"},
1769
0
                    {"blockhash", RPCArg::Type::STR_HEX, RPCArg::DefaultHint{"chain tip"}, "The hash of the block that ends the window."},
1770
0
                },
1771
0
                RPCResult{
1772
0
                    RPCResult::Type::OBJ, "", "",
1773
0
                    {
1774
0
                        {RPCResult::Type::NUM_TIME, "time", "The timestamp for the final block in the window, expressed in " + UNIX_EPOCH_TIME},
1775
0
                        {RPCResult::Type::NUM, "txcount", /*optional=*/true,
1776
0
                         "The total number of transactions in the chain up to that point, if known. "
1777
0
                         "It may be unknown when using assumeutxo."},
1778
0
                        {RPCResult::Type::STR_HEX, "window_final_block_hash", "The hash of the final block in the window"},
1779
0
                        {RPCResult::Type::NUM, "window_final_block_height", "The height of the final block in the window."},
1780
0
                        {RPCResult::Type::NUM, "window_block_count", "Size of the window in number of blocks"},
1781
0
                        {RPCResult::Type::NUM, "window_interval", /*optional=*/true, "The elapsed time in the window in seconds. Only returned if \"window_block_count\" is > 0"},
1782
0
                        {RPCResult::Type::NUM, "window_tx_count", /*optional=*/true,
1783
0
                         "The number of transactions in the window. "
1784
0
                         "Only returned if \"window_block_count\" is > 0 and if txcount exists for the start and end of the window."},
1785
0
                        {RPCResult::Type::NUM, "txrate", /*optional=*/true,
1786
0
                         "The average rate of transactions per second in the window. "
1787
0
                         "Only returned if \"window_interval\" is > 0 and if window_tx_count exists."},
1788
0
                    }},
1789
0
                RPCExamples{
1790
0
                    HelpExampleCli("getchaintxstats", "")
1791
0
            + HelpExampleRpc("getchaintxstats", "2016")
1792
0
                },
1793
0
        [&](const RPCHelpMan& self, const JSONRPCRequest& request) -> UniValue
1794
0
{
1795
0
    ChainstateManager& chainman = EnsureAnyChainman(request.context);
1796
0
    const CBlockIndex* pindex;
1797
0
    int blockcount = 30 * 24 * 60 * 60 / chainman.GetParams().GetConsensus().nPowTargetSpacing; // By default: 1 month
1798
1799
0
    if (request.params[1].isNull()) {
1800
0
        LOCK(cs_main);
Line
Count
Source
259
0
#define LOCK(cs) UniqueLock UNIQUE_NAME(criticalblock)(MaybeCheckNotHeld(cs), #cs, __FILE__, __LINE__)
Line
Count
Source
11
0
#define UNIQUE_NAME(name) PASTE2(name, __COUNTER__)
Line
Count
Source
9
0
#define PASTE2(x, y) PASTE(x, y)
Line
Count
Source
8
0
#define PASTE(x, y) x ## y
1801
0
        pindex = chainman.ActiveChain().Tip();
1802
0
    } else {
1803
0
        uint256 hash(ParseHashV(request.params[1], "blockhash"));
1804
0
        LOCK(cs_main);
Line
Count
Source
259
0
#define LOCK(cs) UniqueLock UNIQUE_NAME(criticalblock)(MaybeCheckNotHeld(cs), #cs, __FILE__, __LINE__)
Line
Count
Source
11
0
#define UNIQUE_NAME(name) PASTE2(name, __COUNTER__)
Line
Count
Source
9
0
#define PASTE2(x, y) PASTE(x, y)
Line
Count
Source
8
0
#define PASTE(x, y) x ## y
1805
0
        pindex = chainman.m_blockman.LookupBlockIndex(hash);
1806
0
        if (!pindex) {
1807
0
            throw JSONRPCError(RPC_INVALID_ADDRESS_OR_KEY, "Block not found");
1808
0
        }
1809
0
        if (!chainman.ActiveChain().Contains(pindex)) {
1810
0
            throw JSONRPCError(RPC_INVALID_PARAMETER, "Block is not in main chain");
1811
0
        }
1812
0
    }
1813
1814
0
    CHECK_NONFATAL(pindex != nullptr);
Line
Count
Source
110
0
    inline_check_non_fatal(condition, std::source_location::current(), #condition)
1815
1816
0
    if (request.params[0].isNull()) {
1817
0
        blockcount = std::max(0, std::min(blockcount, pindex->nHeight - 1));
1818
0
    } else {
1819
0
        blockcount = request.params[0].getInt<int>();
1820
1821
0
        if (blockcount < 0 || (blockcount > 0 && blockcount >= pindex->nHeight)) {
1822
0
            throw JSONRPCError(RPC_INVALID_PARAMETER, "Invalid block count: should be between 0 and the block's height - 1");
1823
0
        }
1824
0
    }
1825
1826
0
    const CBlockIndex& past_block{*CHECK_NONFATAL(pindex->GetAncestor(pindex->nHeight - blockcount))};
Line
Count
Source
110
0
    inline_check_non_fatal(condition, std::source_location::current(), #condition)
1827
0
    const int64_t nTimeDiff{pindex->GetMedianTimePast() - past_block.GetMedianTimePast()};
1828
1829
0
    UniValue ret(UniValue::VOBJ);
1830
0
    ret.pushKV("time", (int64_t)pindex->nTime);
1831
0
    if (pindex->m_chain_tx_count) {
1832
0
        ret.pushKV("txcount", pindex->m_chain_tx_count);
1833
0
    }
1834
0
    ret.pushKV("window_final_block_hash", pindex->GetBlockHash().GetHex());
1835
0
    ret.pushKV("window_final_block_height", pindex->nHeight);
1836
0
    ret.pushKV("window_block_count", blockcount);
1837
0
    if (blockcount > 0) {
1838
0
        ret.pushKV("window_interval", nTimeDiff);
1839
0
        if (pindex->m_chain_tx_count != 0 && past_block.m_chain_tx_count != 0) {
1840
0
            const auto window_tx_count = pindex->m_chain_tx_count - past_block.m_chain_tx_count;
1841
0
            ret.pushKV("window_tx_count", window_tx_count);
1842
0
            if (nTimeDiff > 0) {
1843
0
                ret.pushKV("txrate", double(window_tx_count) / nTimeDiff);
1844
0
            }
1845
0
        }
1846
0
    }
1847
1848
0
    return ret;
1849
0
},
1850
0
    };
1851
0
}
1852
1853
template<typename T>
1854
static T CalculateTruncatedMedian(std::vector<T>& scores)
1855
0
{
1856
0
    size_t size = scores.size();
1857
0
    if (size == 0) {
1858
0
        return 0;
1859
0
    }
1860
1861
0
    std::sort(scores.begin(), scores.end());
1862
0
    if (size % 2 == 0) {
1863
0
        return (scores[size / 2 - 1] + scores[size / 2]) / 2;
1864
0
    } else {
1865
0
        return scores[size / 2];
1866
0
    }
1867
0
}
1868
1869
void CalculatePercentilesByWeight(CAmount result[NUM_GETBLOCKSTATS_PERCENTILES], std::vector<std::pair<CAmount, int64_t>>& scores, int64_t total_weight)
1870
0
{
1871
0
    if (scores.empty()) {
1872
0
        return;
1873
0
    }
1874
1875
0
    std::sort(scores.begin(), scores.end());
1876
1877
    // 10th, 25th, 50th, 75th, and 90th percentile weight units.
1878
0
    const double weights[NUM_GETBLOCKSTATS_PERCENTILES] = {
1879
0
        total_weight / 10.0, total_weight / 4.0, total_weight / 2.0, (total_weight * 3.0) / 4.0, (total_weight * 9.0) / 10.0
1880
0
    };
1881
1882
0
    int64_t next_percentile_index = 0;
1883
0
    int64_t cumulative_weight = 0;
1884
0
    for (const auto& element : scores) {
1885
0
        cumulative_weight += element.second;
1886
0
        while (next_percentile_index < NUM_GETBLOCKSTATS_PERCENTILES && cumulative_weight >= weights[next_percentile_index]) {
1887
0
            result[next_percentile_index] = element.first;
1888
0
            ++next_percentile_index;
1889
0
        }
1890
0
    }
1891
1892
    // Fill any remaining percentiles with the last value.
1893
0
    for (int64_t i = next_percentile_index; i < NUM_GETBLOCKSTATS_PERCENTILES; i++) {
1894
0
        result[i] = scores.back().first;
1895
0
    }
1896
0
}
1897
1898
template<typename T>
1899
0
static inline bool SetHasKeys(const std::set<T>& set) {return false;}
1900
template<typename T, typename Tk, typename... Args>
1901
static inline bool SetHasKeys(const std::set<T>& set, const Tk& key, const Args&... args)
1902
0
{
1903
0
    return (set.count(key) != 0) || SetHasKeys(set, args...);
1904
0
}
Unexecuted instantiation: blockchain.cpp:bool SetHasKeys<std::__1::basic_string<char, std::__1::char_traits<char>, std::__1::allocator<char>>, char [14], char [21], char [14], char [21], char [9], char [7], char [11], char [7], char [7], char [11], char [11]>(std::__1::set<std::__1::basic_string<char, std::__1::char_traits<char>, std::__1::allocator<char>>, std::__1::less<std::__1::basic_string<char, std::__1::char_traits<char>, std::__1::allocator<char>>>, std::__1::allocator<std::__1::basic_string<char, std::__1::char_traits<char>, std::__1::allocator<char>>>> const&, char const (&) [14], char const (&) [21], char const (&) [14], char const (&) [21], char const (&) [9], char const (&) [7], char const (&) [11], char const (&) [7], char const (&) [7], char const (&) [11], char const (&) [11])
Unexecuted instantiation: blockchain.cpp:bool SetHasKeys<std::__1::basic_string<char, std::__1::char_traits<char>, std::__1::allocator<char>>, char [21], char [14], char [21], char [9], char [7], char [11], char [7], char [7], char [11], char [11]>(std::__1::set<std::__1::basic_string<char, std::__1::char_traits<char>, std::__1::allocator<char>>, std::__1::less<std::__1::basic_string<char, std::__1::char_traits<char>, std::__1::allocator<char>>>, std::__1::allocator<std::__1::basic_string<char, std::__1::char_traits<char>, std::__1::allocator<char>>>> const&, char const (&) [21], char const (&) [14], char const (&) [21], char const (&) [9], char const (&) [7], char const (&) [11], char const (&) [7], char const (&) [7], char const (&) [11], char const (&) [11])
Unexecuted instantiation: blockchain.cpp:bool SetHasKeys<std::__1::basic_string<char, std::__1::char_traits<char>, std::__1::allocator<char>>, char [14], char [21], char [9], char [7], char [11], char [7], char [7], char [11], char [11]>(std::__1::set<std::__1::basic_string<char, std::__1::char_traits<char>, std::__1::allocator<char>>, std::__1::less<std::__1::basic_string<char, std::__1::char_traits<char>, std::__1::allocator<char>>>, std::__1::allocator<std::__1::basic_string<char, std::__1::char_traits<char>, std::__1::allocator<char>>>> const&, char const (&) [14], char const (&) [21], char const (&) [9], char const (&) [7], char const (&) [11], char const (&) [7], char const (&) [7], char const (&) [11], char const (&) [11])
Unexecuted instantiation: blockchain.cpp:bool SetHasKeys<std::__1::basic_string<char, std::__1::char_traits<char>, std::__1::allocator<char>>, char [21], char [9], char [7], char [11], char [7], char [7], char [11], char [11]>(std::__1::set<std::__1::basic_string<char, std::__1::char_traits<char>, std::__1::allocator<char>>, std::__1::less<std::__1::basic_string<char, std::__1::char_traits<char>, std::__1::allocator<char>>>, std::__1::allocator<std::__1::basic_string<char, std::__1::char_traits<char>, std::__1::allocator<char>>>> const&, char const (&) [21], char const (&) [9], char const (&) [7], char const (&) [11], char const (&) [7], char const (&) [7], char const (&) [11], char const (&) [11])
Unexecuted instantiation: blockchain.cpp:bool SetHasKeys<std::__1::basic_string<char, std::__1::char_traits<char>, std::__1::allocator<char>>, char [9], char [7], char [11], char [7], char [7], char [11], char [11]>(std::__1::set<std::__1::basic_string<char, std::__1::char_traits<char>, std::__1::allocator<char>>, std::__1::less<std::__1::basic_string<char, std::__1::char_traits<char>, std::__1::allocator<char>>>, std::__1::allocator<std::__1::basic_string<char, std::__1::char_traits<char>, std::__1::allocator<char>>>> const&, char const (&) [9], char const (&) [7], char const (&) [11], char const (&) [7], char const (&) [7], char const (&) [11], char const (&) [11])
Unexecuted instantiation: blockchain.cpp:bool SetHasKeys<std::__1::basic_string<char, std::__1::char_traits<char>, std::__1::allocator<char>>, char [7], char [11], char [7], char [7], char [11], char [11]>(std::__1::set<std::__1::basic_string<char, std::__1::char_traits<char>, std::__1::allocator<char>>, std::__1::less<std::__1::basic_string<char, std::__1::char_traits<char>, std::__1::allocator<char>>>, std::__1::allocator<std::__1::basic_string<char, std::__1::char_traits<char>, std::__1::allocator<char>>>> const&, char const (&) [7], char const (&) [11], char const (&) [7], char const (&) [7], char const (&) [11], char const (&) [11])
Unexecuted instantiation: blockchain.cpp:bool SetHasKeys<std::__1::basic_string<char, std::__1::char_traits<char>, std::__1::allocator<char>>, char [11], char [7], char [7], char [11], char [11]>(std::__1::set<std::__1::basic_string<char, std::__1::char_traits<char>, std::__1::allocator<char>>, std::__1::less<std::__1::basic_string<char, std::__1::char_traits<char>, std::__1::allocator<char>>>, std::__1::allocator<std::__1::basic_string<char, std::__1::char_traits<char>, std::__1::allocator<char>>>> const&, char const (&) [11], char const (&) [7], char const (&) [7], char const (&) [11], char const (&) [11])
Unexecuted instantiation: blockchain.cpp:bool SetHasKeys<std::__1::basic_string<char, std::__1::char_traits<char>, std::__1::allocator<char>>, char [7], char [7], char [11], char [11]>(std::__1::set<std::__1::basic_string<char, std::__1::char_traits<char>, std::__1::allocator<char>>, std::__1::less<std::__1::basic_string<char, std::__1::char_traits<char>, std::__1::allocator<char>>>, std::__1::allocator<std::__1::basic_string<char, std::__1::char_traits<char>, std::__1::allocator<char>>>> const&, char const (&) [7], char const (&) [7], char const (&) [11], char const (&) [11])
Unexecuted instantiation: blockchain.cpp:bool SetHasKeys<std::__1::basic_string<char, std::__1::char_traits<char>, std::__1::allocator<char>>, char [7], char [11], char [11]>(std::__1::set<std::__1::basic_string<char, std::__1::char_traits<char>, std::__1::allocator<char>>, std::__1::less<std::__1::basic_string<char, std::__1::char_traits<char>, std::__1::allocator<char>>>, std::__1::allocator<std::__1::basic_string<char, std::__1::char_traits<char>, std::__1::allocator<char>>>> const&, char const (&) [7], char const (&) [11], char const (&) [11])
Unexecuted instantiation: blockchain.cpp:bool SetHasKeys<std::__1::basic_string<char, std::__1::char_traits<char>, std::__1::allocator<char>>, char [11], char [11]>(std::__1::set<std::__1::basic_string<char, std::__1::char_traits<char>, std::__1::allocator<char>>, std::__1::less<std::__1::basic_string<char, std::__1::char_traits<char>, std::__1::allocator<char>>>, std::__1::allocator<std::__1::basic_string<char, std::__1::char_traits<char>, std::__1::allocator<char>>>> const&, char const (&) [11], char const (&) [11])
Unexecuted instantiation: blockchain.cpp:bool SetHasKeys<std::__1::basic_string<char, std::__1::char_traits<char>, std::__1::allocator<char>>, char [11]>(std::__1::set<std::__1::basic_string<char, std::__1::char_traits<char>, std::__1::allocator<char>>, std::__1::less<std::__1::basic_string<char, std::__1::char_traits<char>, std::__1::allocator<char>>>, std::__1::allocator<std::__1::basic_string<char, std::__1::char_traits<char>, std::__1::allocator<char>>>> const&, char const (&) [11])
Unexecuted instantiation: blockchain.cpp:bool SetHasKeys<std::__1::basic_string<char, std::__1::char_traits<char>, std::__1::allocator<char>>, char [11], char [10], char [10], char [10], char [13]>(std::__1::set<std::__1::basic_string<char, std::__1::char_traits<char>, std::__1::allocator<char>>, std::__1::less<std::__1::basic_string<char, std::__1::char_traits<char>, std::__1::allocator<char>>>, std::__1::allocator<std::__1::basic_string<char, std::__1::char_traits<char>, std::__1::allocator<char>>>> const&, char const (&) [11], char const (&) [10], char const (&) [10], char const (&) [10], char const (&) [13])
Unexecuted instantiation: blockchain.cpp:bool SetHasKeys<std::__1::basic_string<char, std::__1::char_traits<char>, std::__1::allocator<char>>, char [10], char [10], char [10], char [13]>(std::__1::set<std::__1::basic_string<char, std::__1::char_traits<char>, std::__1::allocator<char>>, std::__1::less<std::__1::basic_string<char, std::__1::char_traits<char>, std::__1::allocator<char>>>, std::__1::allocator<std::__1::basic_string<char, std::__1::char_traits<char>, std::__1::allocator<char>>>> const&, char const (&) [10], char const (&) [10], char const (&) [10], char const (&) [13])
Unexecuted instantiation: blockchain.cpp:bool SetHasKeys<std::__1::basic_string<char, std::__1::char_traits<char>, std::__1::allocator<char>>, char [10], char [10], char [13]>(std::__1::set<std::__1::basic_string<char, std::__1::char_traits<char>, std::__1::allocator<char>>, std::__1::less<std::__1::basic_string<char, std::__1::char_traits<char>, std::__1::allocator<char>>>, std::__1::allocator<std::__1::basic_string<char, std::__1::char_traits<char>, std::__1::allocator<char>>>> const&, char const (&) [10], char const (&) [10], char const (&) [13])
Unexecuted instantiation: blockchain.cpp:bool SetHasKeys<std::__1::basic_string<char, std::__1::char_traits<char>, std::__1::allocator<char>>, char [10], char [13]>(std::__1::set<std::__1::basic_string<char, std::__1::char_traits<char>, std::__1::allocator<char>>, std::__1::less<std::__1::basic_string<char, std::__1::char_traits<char>, std::__1::allocator<char>>>, std::__1::allocator<std::__1::basic_string<char, std::__1::char_traits<char>, std::__1::allocator<char>>>> const&, char const (&) [10], char const (&) [13])
Unexecuted instantiation: blockchain.cpp:bool SetHasKeys<std::__1::basic_string<char, std::__1::char_traits<char>, std::__1::allocator<char>>, char [13]>(std::__1::set<std::__1::basic_string<char, std::__1::char_traits<char>, std::__1::allocator<char>>, std::__1::less<std::__1::basic_string<char, std::__1::char_traits<char>, std::__1::allocator<char>>>, std::__1::allocator<std::__1::basic_string<char, std::__1::char_traits<char>, std::__1::allocator<char>>>> const&, char const (&) [13])
Unexecuted instantiation: blockchain.cpp:bool SetHasKeys<std::__1::basic_string<char, std::__1::char_traits<char>, std::__1::allocator<char>>, char [13], char [11], char [15], char [11], char [20], char [11], char [11]>(std::__1::set<std::__1::basic_string<char, std::__1::char_traits<char>, std::__1::allocator<char>>, std::__1::less<std::__1::basic_string<char, std::__1::char_traits<char>, std::__1::allocator<char>>>, std::__1::allocator<std::__1::basic_string<char, std::__1::char_traits<char>, std::__1::allocator<char>>>> const&, char const (&) [13], char const (&) [11], char const (&) [15], char const (&) [11], char const (&) [20], char const (&) [11], char const (&) [11])
Unexecuted instantiation: blockchain.cpp:bool SetHasKeys<std::__1::basic_string<char, std::__1::char_traits<char>, std::__1::allocator<char>>, char [11], char [15], char [11], char [20], char [11], char [11]>(std::__1::set<std::__1::basic_string<char, std::__1::char_traits<char>, std::__1::allocator<char>>, std::__1::less<std::__1::basic_string<char, std::__1::char_traits<char>, std::__1::allocator<char>>>, std::__1::allocator<std::__1::basic_string<char, std::__1::char_traits<char>, std::__1::allocator<char>>>> const&, char const (&) [11], char const (&) [15], char const (&) [11], char const (&) [20], char const (&) [11], char const (&) [11])
Unexecuted instantiation: blockchain.cpp:bool SetHasKeys<std::__1::basic_string<char, std::__1::char_traits<char>, std::__1::allocator<char>>, char [15], char [11], char [20], char [11], char [11]>(std::__1::set<std::__1::basic_string<char, std::__1::char_traits<char>, std::__1::allocator<char>>, std::__1::less<std::__1::basic_string<char, std::__1::char_traits<char>, std::__1::allocator<char>>>, std::__1::allocator<std::__1::basic_string<char, std::__1::char_traits<char>, std::__1::allocator<char>>>> const&, char const (&) [15], char const (&) [11], char const (&) [20], char const (&) [11], char const (&) [11])
Unexecuted instantiation: blockchain.cpp:bool SetHasKeys<std::__1::basic_string<char, std::__1::char_traits<char>, std::__1::allocator<char>>, char [11], char [20], char [11], char [11]>(std::__1::set<std::__1::basic_string<char, std::__1::char_traits<char>, std::__1::allocator<char>>, std::__1::less<std::__1::basic_string<char, std::__1::char_traits<char>, std::__1::allocator<char>>>, std::__1::allocator<std::__1::basic_string<char, std::__1::char_traits<char>, std::__1::allocator<char>>>> const&, char const (&) [11], char const (&) [20], char const (&) [11], char const (&) [11])
Unexecuted instantiation: blockchain.cpp:bool SetHasKeys<std::__1::basic_string<char, std::__1::char_traits<char>, std::__1::allocator<char>>, char [20], char [11], char [11]>(std::__1::set<std::__1::basic_string<char, std::__1::char_traits<char>, std::__1::allocator<char>>, std::__1::less<std::__1::basic_string<char, std::__1::char_traits<char>, std::__1::allocator<char>>>, std::__1::allocator<std::__1::basic_string<char, std::__1::char_traits<char>, std::__1::allocator<char>>>> const&, char const (&) [20], char const (&) [11], char const (&) [11])
Unexecuted instantiation: blockchain.cpp:bool SetHasKeys<std::__1::basic_string<char, std::__1::char_traits<char>, std::__1::allocator<char>>, char [6], char [13], char [15]>(std::__1::set<std::__1::basic_string<char, std::__1::char_traits<char>, std::__1::allocator<char>>, std::__1::less<std::__1::basic_string<char, std::__1::char_traits<char>, std::__1::allocator<char>>>, std::__1::allocator<std::__1::basic_string<char, std::__1::char_traits<char>, std::__1::allocator<char>>>> const&, char const (&) [6], char const (&) [13], char const (&) [15])
Unexecuted instantiation: blockchain.cpp:bool SetHasKeys<std::__1::basic_string<char, std::__1::char_traits<char>, std::__1::allocator<char>>, char [13], char [15]>(std::__1::set<std::__1::basic_string<char, std::__1::char_traits<char>, std::__1::allocator<char>>, std::__1::less<std::__1::basic_string<char, std::__1::char_traits<char>, std::__1::allocator<char>>>, std::__1::allocator<std::__1::basic_string<char, std::__1::char_traits<char>, std::__1::allocator<char>>>> const&, char const (&) [13], char const (&) [15])
Unexecuted instantiation: blockchain.cpp:bool SetHasKeys<std::__1::basic_string<char, std::__1::char_traits<char>, std::__1::allocator<char>>, char [15]>(std::__1::set<std::__1::basic_string<char, std::__1::char_traits<char>, std::__1::allocator<char>>, std::__1::less<std::__1::basic_string<char, std::__1::char_traits<char>, std::__1::allocator<char>>>, std::__1::allocator<std::__1::basic_string<char, std::__1::char_traits<char>, std::__1::allocator<char>>>> const&, char const (&) [15])
1905
1906
// outpoint (needed for the utxo index) + nHeight + fCoinBase
1907
static constexpr size_t PER_UTXO_OVERHEAD = sizeof(COutPoint) + sizeof(uint32_t) + sizeof(bool);
1908
1909
static RPCHelpMan getblockstats()
1910
0
{
1911
0
    return RPCHelpMan{
1912
0
        "getblockstats",
1913
0
        "Compute per block statistics for a given window. All amounts are in satoshis.\n"
1914
0
                "It won't work for some heights with pruning.\n",
1915
0
                {
1916
0
                    {"hash_or_height", RPCArg::Type::NUM, RPCArg::Optional::NO, "The block hash or height of the target block",
1917
0
                     RPCArgOptions{
1918
0
                         .skip_type_check = true,
1919
0
                         .type_str = {"", "string or numeric"},
1920
0
                     }},
1921
0
                    {"stats", RPCArg::Type::ARR, RPCArg::DefaultHint{"all values"}, "Values to plot (see result below)",
1922
0
                        {
1923
0
                            {"height", RPCArg::Type::STR, RPCArg::Optional::OMITTED, "Selected statistic"},
1924
0
                            {"time", RPCArg::Type::STR, RPCArg::Optional::OMITTED, "Selected statistic"},
1925
0
                        },
1926
0
                        RPCArgOptions{.oneline_description="stats"}},
1927
0
                },
1928
0
                RPCResult{
1929
0
            RPCResult::Type::OBJ, "", "",
1930
0
            {
1931
0
                {RPCResult::Type::NUM, "avgfee", /*optional=*/true, "Average fee in the block"},
1932
0
                {RPCResult::Type::NUM, "avgfeerate", /*optional=*/true, "Average feerate (in satoshis per virtual byte)"},
1933
0
                {RPCResult::Type::NUM, "avgtxsize", /*optional=*/true, "Average transaction size"},
1934
0
                {RPCResult::Type::STR_HEX, "blockhash", /*optional=*/true, "The block hash (to check for potential reorgs)"},
1935
0
                {RPCResult::Type::ARR_FIXED, "feerate_percentiles", /*optional=*/true, "Feerates at the 10th, 25th, 50th, 75th, and 90th percentile weight unit (in satoshis per virtual byte)",
1936
0
                {
1937
0
                    {RPCResult::Type::NUM, "10th_percentile_feerate", "The 10th percentile feerate"},
1938
0
                    {RPCResult::Type::NUM, "25th_percentile_feerate", "The 25th percentile feerate"},
1939
0
                    {RPCResult::Type::NUM, "50th_percentile_feerate", "The 50th percentile feerate"},
1940
0
                    {RPCResult::Type::NUM, "75th_percentile_feerate", "The 75th percentile feerate"},
1941
0
                    {RPCResult::Type::NUM, "90th_percentile_feerate", "The 90th percentile feerate"},
1942
0
                }},
1943
0
                {RPCResult::Type::NUM, "height", /*optional=*/true, "The height of the block"},
1944
0
                {RPCResult::Type::NUM, "ins", /*optional=*/true, "The number of inputs (excluding coinbase)"},
1945
0
                {RPCResult::Type::NUM, "maxfee", /*optional=*/true, "Maximum fee in the block"},
1946
0
                {RPCResult::Type::NUM, "maxfeerate", /*optional=*/true, "Maximum feerate (in satoshis per virtual byte)"},
1947
0
                {RPCResult::Type::NUM, "maxtxsize", /*optional=*/true, "Maximum transaction size"},
1948
0
                {RPCResult::Type::NUM, "medianfee", /*optional=*/true, "Truncated median fee in the block"},
1949
0
                {RPCResult::Type::NUM, "mediantime", /*optional=*/true, "The block median time past"},
1950
0
                {RPCResult::Type::NUM, "mediantxsize", /*optional=*/true, "Truncated median transaction size"},
1951
0
                {RPCResult::Type::NUM, "minfee", /*optional=*/true, "Minimum fee in the block"},
1952
0
                {RPCResult::Type::NUM, "minfeerate", /*optional=*/true, "Minimum feerate (in satoshis per virtual byte)"},
1953
0
                {RPCResult::Type::NUM, "mintxsize", /*optional=*/true, "Minimum transaction size"},
1954
0
                {RPCResult::Type::NUM, "outs", /*optional=*/true, "The number of outputs"},
1955
0
                {RPCResult::Type::NUM, "subsidy", /*optional=*/true, "The block subsidy"},
1956
0
                {RPCResult::Type::NUM, "swtotal_size", /*optional=*/true, "Total size of all segwit transactions"},
1957
0
                {RPCResult::Type::NUM, "swtotal_weight", /*optional=*/true, "Total weight of all segwit transactions"},
1958
0
                {RPCResult::Type::NUM, "swtxs", /*optional=*/true, "The number of segwit transactions"},
1959
0
                {RPCResult::Type::NUM, "time", /*optional=*/true, "The block time"},
1960
0
                {RPCResult::Type::NUM, "total_out", /*optional=*/true, "Total amount in all outputs (excluding coinbase and thus reward [ie subsidy + totalfee])"},
1961
0
                {RPCResult::Type::NUM, "total_size", /*optional=*/true, "Total size of all non-coinbase transactions"},
1962
0
                {RPCResult::Type::NUM, "total_weight", /*optional=*/true, "Total weight of all non-coinbase transactions"},
1963
0
                {RPCResult::Type::NUM, "totalfee", /*optional=*/true, "The fee total"},
1964
0
                {RPCResult::Type::NUM, "txs", /*optional=*/true, "The number of transactions (including coinbase)"},
1965
0
                {RPCResult::Type::NUM, "utxo_increase", /*optional=*/true, "The increase/decrease in the number of unspent outputs (not discounting op_return and similar)"},
1966
0
                {RPCResult::Type::NUM, "utxo_size_inc", /*optional=*/true, "The increase/decrease in size for the utxo index (not discounting op_return and similar)"},
1967
0
                {RPCResult::Type::NUM, "utxo_increase_actual", /*optional=*/true, "The increase/decrease in the number of unspent outputs, not counting unspendables"},
1968
0
                {RPCResult::Type::NUM, "utxo_size_inc_actual", /*optional=*/true, "The increase/decrease in size for the utxo index, not counting unspendables"},
1969
0
            }},
1970
0
                RPCExamples{
1971
0
                    HelpExampleCli("getblockstats", R"('"00000000c937983704a73af28acdec37b049d214adbda81d7e2a3dd146f6ed09"' '["minfeerate","avgfeerate"]')") +
1972
0
                    HelpExampleCli("getblockstats", R"(1000 '["minfeerate","avgfeerate"]')") +
1973
0
                    HelpExampleRpc("getblockstats", R"("00000000c937983704a73af28acdec37b049d214adbda81d7e2a3dd146f6ed09", ["minfeerate","avgfeerate"])") +
1974
0
                    HelpExampleRpc("getblockstats", R"(1000, ["minfeerate","avgfeerate"])")
1975
0
                },
1976
0
        [&](const RPCHelpMan& self, const JSONRPCRequest& request) -> UniValue
1977
0
{
1978
0
    ChainstateManager& chainman = EnsureAnyChainman(request.context);
1979
0
    const CBlockIndex& pindex{*CHECK_NONFATAL(ParseHashOrHeight(request.params[0], chainman))};
Line
Count
Source
110
0
    inline_check_non_fatal(condition, std::source_location::current(), #condition)
1980
1981
0
    std::set<std::string> stats;
1982
0
    if (!request.params[1].isNull()) {
1983
0
        const UniValue stats_univalue = request.params[1].get_array();
1984
0
        for (unsigned int i = 0; i < stats_univalue.size(); i++) {
1985
0
            const std::string stat = stats_univalue[i].get_str();
1986
0
            stats.insert(stat);
1987
0
        }
1988
0
    }
1989
1990
0
    const CBlock& block = GetBlockChecked(chainman.m_blockman, pindex);
1991
0
    const CBlockUndo& blockUndo = GetUndoChecked(chainman.m_blockman, pindex);
1992
1993
0
    const bool do_all = stats.size() == 0; // Calculate everything if nothing selected (default)
1994
0
    const bool do_mediantxsize = do_all || stats.count("mediantxsize") != 0;
1995
0
    const bool do_medianfee = do_all || stats.count("medianfee") != 0;
1996
0
    const bool do_feerate_percentiles = do_all || stats.count("feerate_percentiles") != 0;
1997
0
    const bool loop_inputs = do_all || do_medianfee || do_feerate_percentiles ||
1998
0
        SetHasKeys(stats, "utxo_increase", "utxo_increase_actual", "utxo_size_inc", "utxo_size_inc_actual", "totalfee", "avgfee", "avgfeerate", "minfee", "maxfee", "minfeerate", "maxfeerate");
1999
0
    const bool loop_outputs = do_all || loop_inputs || stats.count("total_out");
2000
0
    const bool do_calculate_size = do_mediantxsize ||
2001
0
        SetHasKeys(stats, "total_size", "avgtxsize", "mintxsize", "maxtxsize", "swtotal_size");
2002
0
    const bool do_calculate_weight = do_all || SetHasKeys(stats, "total_weight", "avgfeerate", "swtotal_weight", "avgfeerate", "feerate_percentiles", "minfeerate", "maxfeerate");
2003
0
    const bool do_calculate_sw = do_all || SetHasKeys(stats, "swtxs", "swtotal_size", "swtotal_weight");
2004
2005
0
    CAmount maxfee = 0;
2006
0
    CAmount maxfeerate = 0;
2007
0
    CAmount minfee = MAX_MONEY;
2008
0
    CAmount minfeerate = MAX_MONEY;
2009
0
    CAmount total_out = 0;
2010
0
    CAmount totalfee = 0;
2011
0
    int64_t inputs = 0;
2012
0
    int64_t maxtxsize = 0;
2013
0
    int64_t mintxsize = MAX_BLOCK_SERIALIZED_SIZE;
2014
0
    int64_t outputs = 0;
2015
0
    int64_t swtotal_size = 0;
2016
0
    int64_t swtotal_weight = 0;
2017
0
    int64_t swtxs = 0;
2018
0
    int64_t total_size = 0;
2019
0
    int64_t total_weight = 0;
2020
0
    int64_t utxos = 0;
2021
0
    int64_t utxo_size_inc = 0;
2022
0
    int64_t utxo_size_inc_actual = 0;
2023
0
    std::vector<CAmount> fee_array;
2024
0
    std::vector<std::pair<CAmount, int64_t>> feerate_array;
2025
0
    std::vector<int64_t> txsize_array;
2026
2027
0
    for (size_t i = 0; i < block.vtx.size(); ++i) {
2028
0
        const auto& tx = block.vtx.at(i);
2029
0
        outputs += tx->vout.size();
2030
2031
0
        CAmount tx_total_out = 0;
2032
0
        if (loop_outputs) {
2033
0
            for (const CTxOut& out : tx->vout) {
2034
0
                tx_total_out += out.nValue;
2035
2036
0
                uint64_t out_size{GetSerializeSize(out) + PER_UTXO_OVERHEAD};
2037
0
                utxo_size_inc += out_size;
2038
2039
                // The Genesis block and the repeated BIP30 block coinbases don't change the UTXO
2040
                // set counts, so they have to be excluded from the statistics
2041
0
                if (pindex.nHeight == 0 || (IsBIP30Repeat(pindex) && tx->IsCoinBase())) continue;
2042
                // Skip unspendable outputs since they are not included in the UTXO set
2043
0
                if (out.scriptPubKey.IsUnspendable()) continue;
2044
2045
0
                ++utxos;
2046
0
                utxo_size_inc_actual += out_size;
2047
0
            }
2048
0
        }
2049
2050
0
        if (tx->IsCoinBase()) {
2051
0
            continue;
2052
0
        }
2053
2054
0
        inputs += tx->vin.size(); // Don't count coinbase's fake input
2055
0
        total_out += tx_total_out; // Don't count coinbase reward
2056
2057
0
        int64_t tx_size = 0;
2058
0
        if (do_calculate_size) {
2059
2060
0
            tx_size = tx->GetTotalSize();
2061
0
            if (do_mediantxsize) {
2062
0
                txsize_array.push_back(tx_size);
2063
0
            }
2064
0
            maxtxsize = std::max(maxtxsize, tx_size);
2065
0
            mintxsize = std::min(mintxsize, tx_size);
2066
0
            total_size += tx_size;
2067
0
        }
2068
2069
0
        int64_t weight = 0;
2070
0
        if (do_calculate_weight) {
2071
0
            weight = GetTransactionWeight(*tx);
2072
0
            total_weight += weight;
2073
0
        }
2074
2075
0
        if (do_calculate_sw && tx->HasWitness()) {
2076
0
            ++swtxs;
2077
0
            swtotal_size += tx_size;
2078
0
            swtotal_weight += weight;
2079
0
        }
2080
2081
0
        if (loop_inputs) {
2082
0
            CAmount tx_total_in = 0;
2083
0
            const auto& txundo = blockUndo.vtxundo.at(i - 1);
2084
0
            for (const Coin& coin: txundo.vprevout) {
2085
0
                const CTxOut& prevoutput = coin.out;
2086
2087
0
                tx_total_in += prevoutput.nValue;
2088
0
                uint64_t prevout_size{GetSerializeSize(prevoutput) + PER_UTXO_OVERHEAD};
2089
0
                utxo_size_inc -= prevout_size;
2090
0
                utxo_size_inc_actual -= prevout_size;
2091
0
            }
2092
2093
0
            CAmount txfee = tx_total_in - tx_total_out;
2094
0
            CHECK_NONFATAL(MoneyRange(txfee));
Line
Count
Source
110
0
    inline_check_non_fatal(condition, std::source_location::current(), #condition)
2095
0
            if (do_medianfee) {
2096
0
                fee_array.push_back(txfee);
2097
0
            }
2098
0
            maxfee = std::max(maxfee, txfee);
2099
0
            minfee = std::min(minfee, txfee);
2100
0
            totalfee += txfee;
2101
2102
            // New feerate uses satoshis per virtual byte instead of per serialized byte
2103
0
            CAmount feerate = weight ? (txfee * WITNESS_SCALE_FACTOR) / weight : 0;
2104
0
            if (do_feerate_percentiles) {
2105
0
                feerate_array.emplace_back(feerate, weight);
2106
0
            }
2107
0
            maxfeerate = std::max(maxfeerate, feerate);
2108
0
            minfeerate = std::min(minfeerate, feerate);
2109
0
        }
2110
0
    }
2111
2112
0
    CAmount feerate_percentiles[NUM_GETBLOCKSTATS_PERCENTILES] = { 0 };
2113
0
    CalculatePercentilesByWeight(feerate_percentiles, feerate_array, total_weight);
2114
2115
0
    UniValue feerates_res(UniValue::VARR);
2116
0
    for (int64_t i = 0; i < NUM_GETBLOCKSTATS_PERCENTILES; i++) {
2117
0
        feerates_res.push_back(feerate_percentiles[i]);
2118
0
    }
2119
2120
0
    UniValue ret_all(UniValue::VOBJ);
2121
0
    ret_all.pushKV("avgfee", (block.vtx.size() > 1) ? totalfee / (block.vtx.size() - 1) : 0);
2122
0
    ret_all.pushKV("avgfeerate", total_weight ? (totalfee * WITNESS_SCALE_FACTOR) / total_weight : 0); // Unit: sat/vbyte
2123
0
    ret_all.pushKV("avgtxsize", (block.vtx.size() > 1) ? total_size / (block.vtx.size() - 1) : 0);
2124
0
    ret_all.pushKV("blockhash", pindex.GetBlockHash().GetHex());
2125
0
    ret_all.pushKV("feerate_percentiles", std::move(feerates_res));
2126
0
    ret_all.pushKV("height", (int64_t)pindex.nHeight);
2127
0
    ret_all.pushKV("ins", inputs);
2128
0
    ret_all.pushKV("maxfee", maxfee);
2129
0
    ret_all.pushKV("maxfeerate", maxfeerate);
2130
0
    ret_all.pushKV("maxtxsize", maxtxsize);
2131
0
    ret_all.pushKV("medianfee", CalculateTruncatedMedian(fee_array));
2132
0
    ret_all.pushKV("mediantime", pindex.GetMedianTimePast());
2133
0
    ret_all.pushKV("mediantxsize", CalculateTruncatedMedian(txsize_array));
2134
0
    ret_all.pushKV("minfee", (minfee == MAX_MONEY) ? 0 : minfee);
2135
0
    ret_all.pushKV("minfeerate", (minfeerate == MAX_MONEY) ? 0 : minfeerate);
2136
0
    ret_all.pushKV("mintxsize", mintxsize == MAX_BLOCK_SERIALIZED_SIZE ? 0 : mintxsize);
2137
0
    ret_all.pushKV("outs", outputs);
2138
0
    ret_all.pushKV("subsidy", GetBlockSubsidy(pindex.nHeight, chainman.GetParams().GetConsensus()));
2139
0
    ret_all.pushKV("swtotal_size", swtotal_size);
2140
0
    ret_all.pushKV("swtotal_weight", swtotal_weight);
2141
0
    ret_all.pushKV("swtxs", swtxs);
2142
0
    ret_all.pushKV("time", pindex.GetBlockTime());
2143
0
    ret_all.pushKV("total_out", total_out);
2144
0
    ret_all.pushKV("total_size", total_size);
2145
0
    ret_all.pushKV("total_weight", total_weight);
2146
0
    ret_all.pushKV("totalfee", totalfee);
2147
0
    ret_all.pushKV("txs", (int64_t)block.vtx.size());
2148
0
    ret_all.pushKV("utxo_increase", outputs - inputs);
2149
0
    ret_all.pushKV("utxo_size_inc", utxo_size_inc);
2150
0
    ret_all.pushKV("utxo_increase_actual", utxos - inputs);
2151
0
    ret_all.pushKV("utxo_size_inc_actual", utxo_size_inc_actual);
2152
2153
0
    if (do_all) {
2154
0
        return ret_all;
2155
0
    }
2156
2157
0
    UniValue ret(UniValue::VOBJ);
2158
0
    for (const std::string& stat : stats) {
2159
0
        const UniValue& value = ret_all[stat];
2160
0
        if (value.isNull()) {
2161
0
            throw JSONRPCError(RPC_INVALID_PARAMETER, strprintf("Invalid selected statistic '%s'", stat));
Line
Count
Source
1172
0
#define strprintf tfm::format
2162
0
        }
2163
0
        ret.pushKV(stat, value);
2164
0
    }
2165
0
    return ret;
2166
0
},
2167
0
    };
2168
0
}
2169
2170
namespace {
2171
//! Search for a given set of pubkey scripts
2172
bool FindScriptPubKey(std::atomic<int>& scan_progress, const std::atomic<bool>& should_abort, int64_t& count, CCoinsViewCursor* cursor, const std::set<CScript>& needles, std::map<COutPoint, Coin>& out_results, std::function<void()>& interruption_point)
2173
0
{
2174
0
    scan_progress = 0;
2175
0
    count = 0;
2176
0
    while (cursor->Valid()) {
2177
0
        COutPoint key;
2178
0
        Coin coin;
2179
0
        if (!cursor->GetKey(key) || !cursor->GetValue(coin)) return false;
2180
0
        if (++count % 8192 == 0) {
2181
0
            interruption_point();
2182
0
            if (should_abort) {
2183
                // allow to abort the scan via the abort reference
2184
0
                return false;
2185
0
            }
2186
0
        }
2187
0
        if (count % 256 == 0) {
2188
            // update progress reference every 256 item
2189
0
            uint32_t high = 0x100 * *UCharCast(key.hash.begin()) + *(UCharCast(key.hash.begin()) + 1);
2190
0
            scan_progress = (int)(high * 100.0 / 65536.0 + 0.5);
2191
0
        }
2192
0
        if (needles.count(coin.out.scriptPubKey)) {
2193
0
            out_results.emplace(key, coin);
2194
0
        }
2195
0
        cursor->Next();
2196
0
    }
2197
0
    scan_progress = 100;
2198
0
    return true;
2199
0
}
2200
} // namespace
2201
2202
/** RAII object to prevent concurrency issue when scanning the txout set */
2203
static std::atomic<int> g_scan_progress;
2204
static std::atomic<bool> g_scan_in_progress;
2205
static std::atomic<bool> g_should_abort_scan;
2206
class CoinsViewScanReserver
2207
{
2208
private:
2209
    bool m_could_reserve{false};
2210
public:
2211
0
    explicit CoinsViewScanReserver() = default;
2212
2213
0
    bool reserve() {
2214
0
        CHECK_NONFATAL(!m_could_reserve);
Line
Count
Source
110
0
    inline_check_non_fatal(condition, std::source_location::current(), #condition)
2215
0
        if (g_scan_in_progress.exchange(true)) {
2216
0
            return false;
2217
0
        }
2218
0
        CHECK_NONFATAL(g_scan_progress == 0);
Line
Count
Source
110
0
    inline_check_non_fatal(condition, std::source_location::current(), #condition)
2219
0
        m_could_reserve = true;
2220
0
        return true;
2221
0
    }
2222
2223
0
    ~CoinsViewScanReserver() {
2224
0
        if (m_could_reserve) {
2225
0
            g_scan_in_progress = false;
2226
0
            g_scan_progress = 0;
2227
0
        }
2228
0
    }
2229
};
2230
2231
static const auto scan_action_arg_desc = RPCArg{
2232
    "action", RPCArg::Type::STR, RPCArg::Optional::NO, "The action to execute\n"
2233
        "\"start\" for starting a scan\n"
2234
        "\"abort\" for aborting the current scan (returns true when abort was successful)\n"
2235
        "\"status\" for progress report (in %) of the current scan"
2236
};
2237
2238
static const auto output_descriptor_obj = RPCArg{
2239
    "", RPCArg::Type::OBJ, RPCArg::Optional::OMITTED, "An object with output descriptor and metadata",
2240
    {
2241
        {"desc", RPCArg::Type::STR, RPCArg::Optional::NO, "An output descriptor"},
2242
        {"range", RPCArg::Type::RANGE, RPCArg::Default{1000}, "The range of HD chain indexes to explore (either end or [begin,end])"},
2243
    }
2244
};
2245
2246
static const auto scan_objects_arg_desc = RPCArg{
2247
    "scanobjects", RPCArg::Type::ARR, RPCArg::Optional::OMITTED, "Array of scan objects. Required for \"start\" action\n"
2248
        "Every scan object is either a string descriptor or an object:",
2249
    {
2250
        {"descriptor", RPCArg::Type::STR, RPCArg::Optional::OMITTED, "An output descriptor"},
2251
        output_descriptor_obj,
2252
    },
2253
    RPCArgOptions{.oneline_description="[scanobjects,...]"},
2254
};
2255
2256
static const auto scan_result_abort = RPCResult{
2257
    "when action=='abort'", RPCResult::Type::BOOL, "success",
2258
    "True if scan will be aborted (not necessarily before this RPC returns), or false if there is no scan to abort"
2259
};
2260
static const auto scan_result_status_none = RPCResult{
2261
    "when action=='status' and no scan is in progress - possibly already completed", RPCResult::Type::NONE, "", ""
2262
};
2263
static const auto scan_result_status_some = RPCResult{
2264
    "when action=='status' and a scan is currently in progress", RPCResult::Type::OBJ, "", "",
2265
    {{RPCResult::Type::NUM, "progress", "Approximate percent complete"},}
2266
};
2267
2268
2269
static RPCHelpMan scantxoutset()
2270
0
{
2271
    // raw() descriptor corresponding to mainnet address 12cbQLTFMXRnSzktFkuoG3eHoMeFtpTu3S
2272
0
    const std::string EXAMPLE_DESCRIPTOR_RAW = "raw(76a91411b366edfc0a8b66feebae5c2e25a7b6a5d1cf3188ac)#fm24fxxy";
2273
2274
0
    return RPCHelpMan{
2275
0
        "scantxoutset",
2276
0
        "Scans the unspent transaction output set for entries that match certain output descriptors.\n"
2277
0
        "Examples of output descriptors are:\n"
2278
0
        "    addr(<address>)                      Outputs whose output script corresponds to the specified address (does not include P2PK)\n"
2279
0
        "    raw(<hex script>)                    Outputs whose output script equals the specified hex-encoded bytes\n"
2280
0
        "    combo(<pubkey>)                      P2PK, P2PKH, P2WPKH, and P2SH-P2WPKH outputs for the given pubkey\n"
2281
0
        "    pkh(<pubkey>)                        P2PKH outputs for the given pubkey\n"
2282
0
        "    sh(multi(<n>,<pubkey>,<pubkey>,...)) P2SH-multisig outputs for the given threshold and pubkeys\n"
2283
0
        "    tr(<pubkey>)                         P2TR\n"
2284
0
        "    tr(<pubkey>,{pk(<pubkey>)})          P2TR with single fallback pubkey in tapscript\n"
2285
0
        "    rawtr(<pubkey>)                      P2TR with the specified key as output key rather than inner\n"
2286
0
        "    wsh(and_v(v:pk(<pubkey>),after(2)))  P2WSH miniscript with mandatory pubkey and a timelock\n"
2287
0
        "\nIn the above, <pubkey> either refers to a fixed public key in hexadecimal notation, or to an xpub/xprv optionally followed by one\n"
2288
0
        "or more path elements separated by \"/\", and optionally ending in \"/*\" (unhardened), or \"/*'\" or \"/*h\" (hardened) to specify all\n"
2289
0
        "unhardened or hardened child keys.\n"
2290
0
        "In the latter case, a range needs to be specified by below if different from 1000.\n"
2291
0
        "For more information on output descriptors, see the documentation in the doc/descriptors.md file.\n",
2292
0
        {
2293
0
            scan_action_arg_desc,
2294
0
            scan_objects_arg_desc,
2295
0
        },
2296
0
        {
2297
0
            RPCResult{"when action=='start'; only returns after scan completes", RPCResult::Type::OBJ, "", "", {
2298
0
                {RPCResult::Type::BOOL, "success", "Whether the scan was completed"},
2299
0
                {RPCResult::Type::NUM, "txouts", "The number of unspent transaction outputs scanned"},
2300
0
                {RPCResult::Type::NUM, "height", "The block height at which the scan was done"},
2301
0
                {RPCResult::Type::STR_HEX, "bestblock", "The hash of the block at the tip of the chain"},
2302
0
                {RPCResult::Type::ARR, "unspents", "",
2303
0
                {
2304
0
                    {RPCResult::Type::OBJ, "", "",
2305
0
                    {
2306
0
                        {RPCResult::Type::STR_HEX, "txid", "The transaction id"},
2307
0
                        {RPCResult::Type::NUM, "vout", "The vout value"},
2308
0
                        {RPCResult::Type::STR_HEX, "scriptPubKey", "The output script"},
2309
0
                        {RPCResult::Type::STR, "desc", "A specialized descriptor for the matched output script"},
2310
0
                        {RPCResult::Type::STR_AMOUNT, "amount", "The total amount in " + CURRENCY_UNIT + " of the unspent output"},
2311
0
                        {RPCResult::Type::BOOL, "coinbase", "Whether this is a coinbase output"},
2312
0
                        {RPCResult::Type::NUM, "height", "Height of the unspent transaction output"},
2313
0
                        {RPCResult::Type::STR_HEX, "blockhash", "Blockhash of the unspent transaction output"},
2314
0
                        {RPCResult::Type::NUM, "confirmations", "Number of confirmations of the unspent transaction output when the scan was done"},
2315
0
                    }},
2316
0
                }},
2317
0
                {RPCResult::Type::STR_AMOUNT, "total_amount", "The total amount of all found unspent outputs in " + CURRENCY_UNIT},
2318
0
            }},
2319
0
            scan_result_abort,
2320
0
            scan_result_status_some,
2321
0
            scan_result_status_none,
2322
0
        },
2323
0
        RPCExamples{
2324
0
            HelpExampleCli("scantxoutset", "start \'[\"" + EXAMPLE_DESCRIPTOR_RAW + "\"]\'") +
2325
0
            HelpExampleCli("scantxoutset", "status") +
2326
0
            HelpExampleCli("scantxoutset", "abort") +
2327
0
            HelpExampleRpc("scantxoutset", "\"start\", [\"" + EXAMPLE_DESCRIPTOR_RAW + "\"]") +
2328
0
            HelpExampleRpc("scantxoutset", "\"status\"") +
2329
0
            HelpExampleRpc("scantxoutset", "\"abort\"")
2330
0
        },
2331
0
        [&](const RPCHelpMan& self, const JSONRPCRequest& request) -> UniValue
2332
0
{
2333
0
    UniValue result(UniValue::VOBJ);
2334
0
    const auto action{self.Arg<std::string_view>("action")};
2335
0
    if (action == "status") {
2336
0
        CoinsViewScanReserver reserver;
2337
0
        if (reserver.reserve()) {
2338
            // no scan in progress
2339
0
            return UniValue::VNULL;
2340
0
        }
2341
0
        result.pushKV("progress", g_scan_progress.load());
2342
0
        return result;
2343
0
    } else if (action == "abort") {
2344
0
        CoinsViewScanReserver reserver;
2345
0
        if (reserver.reserve()) {
2346
            // reserve was possible which means no scan was running
2347
0
            return false;
2348
0
        }
2349
        // set the abort flag
2350
0
        g_should_abort_scan = true;
2351
0
        return true;
2352
0
    } else if (action == "start") {
2353
0
        CoinsViewScanReserver reserver;
2354
0
        if (!reserver.reserve()) {
2355
0
            throw JSONRPCError(RPC_INVALID_PARAMETER, "Scan already in progress, use action \"abort\" or \"status\"");
2356
0
        }
2357
2358
0
        if (request.params.size() < 2) {
2359
0
            throw JSONRPCError(RPC_MISC_ERROR, "scanobjects argument is required for the start action");
2360
0
        }
2361
2362
0
        std::set<CScript> needles;
2363
0
        std::map<CScript, std::string> descriptors;
2364
0
        CAmount total_in = 0;
2365
2366
        // loop through the scan objects
2367
0
        for (const UniValue& scanobject : request.params[1].get_array().getValues()) {
2368
0
            FlatSigningProvider provider;
2369
0
            auto scripts = EvalDescriptorStringOrObject(scanobject, provider);
2370
0
            for (CScript& script : scripts) {
2371
0
                std::string inferred = InferDescriptor(script, provider)->ToString();
2372
0
                needles.emplace(script);
2373
0
                descriptors.emplace(std::move(script), std::move(inferred));
2374
0
            }
2375
0
        }
2376
2377
        // Scan the unspent transaction output set for inputs
2378
0
        UniValue unspents(UniValue::VARR);
2379
0
        std::vector<CTxOut> input_txos;
2380
0
        std::map<COutPoint, Coin> coins;
2381
0
        g_should_abort_scan = false;
2382
0
        int64_t count = 0;
2383
0
        std::unique_ptr<CCoinsViewCursor> pcursor;
2384
0
        const CBlockIndex* tip;
2385
0
        NodeContext& node = EnsureAnyNodeContext(request.context);
2386
0
        {
2387
0
            ChainstateManager& chainman = EnsureChainman(node);
2388
0
            LOCK(cs_main);
Line
Count
Source
259
0
#define LOCK(cs) UniqueLock UNIQUE_NAME(criticalblock)(MaybeCheckNotHeld(cs), #cs, __FILE__, __LINE__)
Line
Count
Source
11
0
#define UNIQUE_NAME(name) PASTE2(name, __COUNTER__)
Line
Count
Source
9
0
#define PASTE2(x, y) PASTE(x, y)
Line
Count
Source
8
0
#define PASTE(x, y) x ## y
2389
0
            Chainstate& active_chainstate = chainman.ActiveChainstate();
2390
0
            active_chainstate.ForceFlushStateToDisk();
2391
0
            pcursor = CHECK_NONFATAL(active_chainstate.CoinsDB().Cursor());
Line
Count
Source
110
0
    inline_check_non_fatal(condition, std::source_location::current(), #condition)
2392
0
            tip = CHECK_NONFATAL(active_chainstate.m_chain.Tip());
Line
Count
Source
110
0
    inline_check_non_fatal(condition, std::source_location::current(), #condition)
2393
0
        }
2394
0
        bool res = FindScriptPubKey(g_scan_progress, g_should_abort_scan, count, pcursor.get(), needles, coins, node.rpc_interruption_point);
2395
0
        result.pushKV("success", res);
2396
0
        result.pushKV("txouts", count);
2397
0
        result.pushKV("height", tip->nHeight);
2398
0
        result.pushKV("bestblock", tip->GetBlockHash().GetHex());
2399
2400
0
        for (const auto& it : coins) {
2401
0
            const COutPoint& outpoint = it.first;
2402
0
            const Coin& coin = it.second;
2403
0
            const CTxOut& txo = coin.out;
2404
0
            const CBlockIndex& coinb_block{*CHECK_NONFATAL(tip->GetAncestor(coin.nHeight))};
Line
Count
Source
110
0
    inline_check_non_fatal(condition, std::source_location::current(), #condition)
2405
0
            input_txos.push_back(txo);
2406
0
            total_in += txo.nValue;
2407
2408
0
            UniValue unspent(UniValue::VOBJ);
2409
0
            unspent.pushKV("txid", outpoint.hash.GetHex());
2410
0
            unspent.pushKV("vout", outpoint.n);
2411
0
            unspent.pushKV("scriptPubKey", HexStr(txo.scriptPubKey));
2412
0
            unspent.pushKV("desc", descriptors[txo.scriptPubKey]);
2413
0
            unspent.pushKV("amount", ValueFromAmount(txo.nValue));
2414
0
            unspent.pushKV("coinbase", coin.IsCoinBase());
2415
0
            unspent.pushKV("height", coin.nHeight);
2416
0
            unspent.pushKV("blockhash", coinb_block.GetBlockHash().GetHex());
2417
0
            unspent.pushKV("confirmations", tip->nHeight - coin.nHeight + 1);
2418
2419
0
            unspents.push_back(std::move(unspent));
2420
0
        }
2421
0
        result.pushKV("unspents", std::move(unspents));
2422
0
        result.pushKV("total_amount", ValueFromAmount(total_in));
2423
0
    } else {
2424
0
        throw JSONRPCError(RPC_INVALID_PARAMETER, strprintf("Invalid action '%s'", action));
Line
Count
Source
1172
0
#define strprintf tfm::format
2425
0
    }
2426
0
    return result;
2427
0
},
2428
0
    };
2429
0
}
2430
2431
/** RAII object to prevent concurrency issue when scanning blockfilters */
2432
static std::atomic<int> g_scanfilter_progress;
2433
static std::atomic<int> g_scanfilter_progress_height;
2434
static std::atomic<bool> g_scanfilter_in_progress;
2435
static std::atomic<bool> g_scanfilter_should_abort_scan;
2436
class BlockFiltersScanReserver
2437
{
2438
private:
2439
    bool m_could_reserve{false};
2440
public:
2441
0
    explicit BlockFiltersScanReserver() = default;
2442
2443
0
    bool reserve() {
2444
0
        CHECK_NONFATAL(!m_could_reserve);
Line
Count
Source
110
0
    inline_check_non_fatal(condition, std::source_location::current(), #condition)
2445
0
        if (g_scanfilter_in_progress.exchange(true)) {
2446
0
            return false;
2447
0
        }
2448
0
        m_could_reserve = true;
2449
0
        return true;
2450
0
    }
2451
2452
0
    ~BlockFiltersScanReserver() {
2453
0
        if (m_could_reserve) {
2454
0
            g_scanfilter_in_progress = false;
2455
0
        }
2456
0
    }
2457
};
2458
2459
static bool CheckBlockFilterMatches(BlockManager& blockman, const CBlockIndex& blockindex, const GCSFilter::ElementSet& needles)
2460
0
{
2461
0
    const CBlock block{GetBlockChecked(blockman, blockindex)};
2462
0
    const CBlockUndo block_undo{GetUndoChecked(blockman, blockindex)};
2463
2464
    // Check if any of the outputs match the scriptPubKey
2465
0
    for (const auto& tx : block.vtx) {
2466
0
        if (std::any_of(tx->vout.cbegin(), tx->vout.cend(), [&](const auto& txout) {
2467
0
                return needles.count(std::vector<unsigned char>(txout.scriptPubKey.begin(), txout.scriptPubKey.end())) != 0;
2468
0
            })) {
2469
0
            return true;
2470
0
        }
2471
0
    }
2472
    // Check if any of the inputs match the scriptPubKey
2473
0
    for (const auto& txundo : block_undo.vtxundo) {
2474
0
        if (std::any_of(txundo.vprevout.cbegin(), txundo.vprevout.cend(), [&](const auto& coin) {
2475
0
                return needles.count(std::vector<unsigned char>(coin.out.scriptPubKey.begin(), coin.out.scriptPubKey.end())) != 0;
2476
0
            })) {
2477
0
            return true;
2478
0
        }
2479
0
    }
2480
2481
0
    return false;
2482
0
}
2483
2484
static RPCHelpMan scanblocks()
2485
0
{
2486
0
    return RPCHelpMan{
2487
0
        "scanblocks",
2488
0
        "Return relevant blockhashes for given descriptors (requires blockfilterindex).\n"
2489
0
        "This call may take several minutes. Make sure to use no RPC timeout (bitcoin-cli -rpcclienttimeout=0)",
2490
0
        {
2491
0
            scan_action_arg_desc,
2492
0
            scan_objects_arg_desc,
2493
0
            RPCArg{"start_height", RPCArg::Type::NUM, RPCArg::Default{0}, "Height to start to scan from"},
2494
0
            RPCArg{"stop_height", RPCArg::Type::NUM, RPCArg::DefaultHint{"chain tip"}, "Height to stop to scan"},
2495
0
            RPCArg{"filtertype", RPCArg::Type::STR, RPCArg::Default{BlockFilterTypeName(BlockFilterType::BASIC)}, "The type name of the filter"},
2496
0
            RPCArg{"options", RPCArg::Type::OBJ_NAMED_PARAMS, RPCArg::Optional::OMITTED, "",
2497
0
                {
2498
0
                    {"filter_false_positives", RPCArg::Type::BOOL, RPCArg::Default{false}, "Filter false positives (slower and may fail on pruned nodes). Otherwise they may occur at a rate of 1/M"},
2499
0
                },
2500
0
                RPCArgOptions{.oneline_description="options"}},
2501
0
        },
2502
0
        {
2503
0
            scan_result_status_none,
2504
0
            RPCResult{"When action=='start'; only returns after scan completes", RPCResult::Type::OBJ, "", "", {
2505
0
                {RPCResult::Type::NUM, "from_height", "The height we started the scan from"},
2506
0
                {RPCResult::Type::NUM, "to_height", "The height we ended the scan at"},
2507
0
                {RPCResult::Type::ARR, "relevant_blocks", "Blocks that may have matched a scanobject.", {
2508
0
                    {RPCResult::Type::STR_HEX, "blockhash", "A relevant blockhash"},
2509
0
                }},
2510
0
                {RPCResult::Type::BOOL, "completed", "true if the scan process was not aborted"}
2511
0
            }},
2512
0
            RPCResult{"when action=='status' and a scan is currently in progress", RPCResult::Type::OBJ, "", "", {
2513
0
                    {RPCResult::Type::NUM, "progress", "Approximate percent complete"},
2514
0
                    {RPCResult::Type::NUM, "current_height", "Height of the block currently being scanned"},
2515
0
                },
2516
0
            },
2517
0
            scan_result_abort,
2518
0
        },
2519
0
        RPCExamples{
2520
0
            HelpExampleCli("scanblocks", "start '[\"addr(bcrt1q4u4nsgk6ug0sqz7r3rj9tykjxrsl0yy4d0wwte)\"]' 300000") +
2521
0
            HelpExampleCli("scanblocks", "start '[\"addr(bcrt1q4u4nsgk6ug0sqz7r3rj9tykjxrsl0yy4d0wwte)\"]' 100 150 basic") +
2522
0
            HelpExampleCli("scanblocks", "status") +
2523
0
            HelpExampleRpc("scanblocks", "\"start\", [\"addr(bcrt1q4u4nsgk6ug0sqz7r3rj9tykjxrsl0yy4d0wwte)\"], 300000") +
2524
0
            HelpExampleRpc("scanblocks", "\"start\", [\"addr(bcrt1q4u4nsgk6ug0sqz7r3rj9tykjxrsl0yy4d0wwte)\"], 100, 150, \"basic\"") +
2525
0
            HelpExampleRpc("scanblocks", "\"status\"")
2526
0
        },
2527
0
        [&](const RPCHelpMan& self, const JSONRPCRequest& request) -> UniValue
2528
0
{
2529
0
    UniValue ret(UniValue::VOBJ);
2530
0
    auto action{self.Arg<std::string_view>("action")};
2531
0
    if (action == "status") {
2532
0
        BlockFiltersScanReserver reserver;
2533
0
        if (reserver.reserve()) {
2534
            // no scan in progress
2535
0
            return NullUniValue;
2536
0
        }
2537
0
        ret.pushKV("progress", g_scanfilter_progress.load());
2538
0
        ret.pushKV("current_height", g_scanfilter_progress_height.load());
2539
0
        return ret;
2540
0
    } else if (action == "abort") {
2541
0
        BlockFiltersScanReserver reserver;
2542
0
        if (reserver.reserve()) {
2543
            // reserve was possible which means no scan was running
2544
0
            return false;
2545
0
        }
2546
        // set the abort flag
2547
0
        g_scanfilter_should_abort_scan = true;
2548
0
        return true;
2549
0
    } else if (action == "start") {
2550
0
        BlockFiltersScanReserver reserver;
2551
0
        if (!reserver.reserve()) {
2552
0
            throw JSONRPCError(RPC_INVALID_PARAMETER, "Scan already in progress, use action \"abort\" or \"status\"");
2553
0
        }
2554
0
        auto filtertype_name{self.Arg<std::string_view>("filtertype")};
2555
2556
0
        BlockFilterType filtertype;
2557
0
        if (!BlockFilterTypeByName(filtertype_name, filtertype)) {
2558
0
            throw JSONRPCError(RPC_INVALID_ADDRESS_OR_KEY, "Unknown filtertype");
2559
0
        }
2560
2561
0
        UniValue options{request.params[5].isNull() ? UniValue::VOBJ : request.params[5]};
2562
0
        bool filter_false_positives{options.exists("filter_false_positives") ? options["filter_false_positives"].get_bool() : false};
2563
2564
0
        BlockFilterIndex* index = GetBlockFilterIndex(filtertype);
2565
0
        if (!index) {
2566
0
            throw JSONRPCError(RPC_MISC_ERROR, tfm::format("Index is not enabled for filtertype %s", filtertype_name));
2567
0
        }
2568
2569
0
        NodeContext& node = EnsureAnyNodeContext(request.context);
2570
0
        ChainstateManager& chainman = EnsureChainman(node);
2571
2572
        // set the start-height
2573
0
        const CBlockIndex* start_index = nullptr;
2574
0
        const CBlockIndex* stop_block = nullptr;
2575
0
        {
2576
0
            LOCK(cs_main);
Line
Count
Source
259
0
#define LOCK(cs) UniqueLock UNIQUE_NAME(criticalblock)(MaybeCheckNotHeld(cs), #cs, __FILE__, __LINE__)
Line
Count
Source
11
0
#define UNIQUE_NAME(name) PASTE2(name, __COUNTER__)
Line
Count
Source
9
0
#define PASTE2(x, y) PASTE(x, y)
Line
Count
Source
8
0
#define PASTE(x, y) x ## y
2577
0
            CChain& active_chain = chainman.ActiveChain();
2578
0
            start_index = active_chain.Genesis();
2579
0
            stop_block = active_chain.Tip(); // If no stop block is provided, stop at the chain tip.
2580
0
            if (!request.params[2].isNull()) {
2581
0
                start_index = active_chain[request.params[2].getInt<int>()];
2582
0
                if (!start_index) {
2583
0
                    throw JSONRPCError(RPC_MISC_ERROR, "Invalid start_height");
2584
0
                }
2585
0
            }
2586
0
            if (!request.params[3].isNull()) {
2587
0
                stop_block = active_chain[request.params[3].getInt<int>()];
2588
0
                if (!stop_block || stop_block->nHeight < start_index->nHeight) {
2589
0
                    throw JSONRPCError(RPC_MISC_ERROR, "Invalid stop_height");
2590
0
                }
2591
0
            }
2592
0
        }
2593
0
        CHECK_NONFATAL(start_index);
Line
Count
Source
110
0
    inline_check_non_fatal(condition, std::source_location::current(), #condition)
2594
0
        CHECK_NONFATAL(stop_block);
Line
Count
Source
110
0
    inline_check_non_fatal(condition, std::source_location::current(), #condition)
2595
2596
        // loop through the scan objects, add scripts to the needle_set
2597
0
        GCSFilter::ElementSet needle_set;
2598
0
        for (const UniValue& scanobject : request.params[1].get_array().getValues()) {
2599
0
            FlatSigningProvider provider;
2600
0
            std::vector<CScript> scripts = EvalDescriptorStringOrObject(scanobject, provider);
2601
0
            for (const CScript& script : scripts) {
2602
0
                needle_set.emplace(script.begin(), script.end());
2603
0
            }
2604
0
        }
2605
0
        UniValue blocks(UniValue::VARR);
2606
0
        const int amount_per_chunk = 10000;
2607
0
        std::vector<BlockFilter> filters;
2608
0
        int start_block_height = start_index->nHeight; // for progress reporting
2609
0
        const int total_blocks_to_process = stop_block->nHeight - start_block_height;
2610
2611
0
        g_scanfilter_should_abort_scan = false;
2612
0
        g_scanfilter_progress = 0;
2613
0
        g_scanfilter_progress_height = start_block_height;
2614
0
        bool completed = true;
2615
2616
0
        const CBlockIndex* end_range = nullptr;
2617
0
        do {
2618
0
            node.rpc_interruption_point(); // allow a clean shutdown
2619
0
            if (g_scanfilter_should_abort_scan) {
2620
0
                completed = false;
2621
0
                break;
2622
0
            }
2623
2624
            // split the lookup range in chunks if we are deeper than 'amount_per_chunk' blocks from the stopping block
2625
0
            int start_block = !end_range ? start_index->nHeight : start_index->nHeight + 1; // to not include the previous round 'end_range' block
2626
0
            end_range = (start_block + amount_per_chunk < stop_block->nHeight) ?
2627
0
                    WITH_LOCK(::cs_main, return chainman.ActiveChain()[start_block + amount_per_chunk]) :
Line
Count
Source
290
0
#define WITH_LOCK(cs, code) (MaybeCheckNotHeld(cs), [&]() -> decltype(auto) { LOCK(cs); code; }())
2628
0
                    stop_block;
2629
2630
0
            if (index->LookupFilterRange(start_block, end_range, filters)) {
2631
0
                for (const BlockFilter& filter : filters) {
2632
                    // compare the elements-set with each filter
2633
0
                    if (filter.GetFilter().MatchAny(needle_set)) {
2634
0
                        if (filter_false_positives) {
2635
                            // Double check the filter matches by scanning the block
2636
0
                            const CBlockIndex& blockindex = *CHECK_NONFATAL(WITH_LOCK(cs_main, return chainman.m_blockman.LookupBlockIndex(filter.GetBlockHash())));
Line
Count
Source
110
0
    inline_check_non_fatal(condition, std::source_location::current(), #condition)
2637
2638
0
                            if (!CheckBlockFilterMatches(chainman.m_blockman, blockindex, needle_set)) {
2639
0
                                continue;
2640
0
                            }
2641
0
                        }
2642
2643
0
                        blocks.push_back(filter.GetBlockHash().GetHex());
2644
0
                    }
2645
0
                }
2646
0
            }
2647
0
            start_index = end_range;
2648
2649
            // update progress
2650
0
            int blocks_processed = end_range->nHeight - start_block_height;
2651
0
            if (total_blocks_to_process > 0) { // avoid division by zero
2652
0
                g_scanfilter_progress = (int)(100.0 / total_blocks_to_process * blocks_processed);
2653
0
            } else {
2654
0
                g_scanfilter_progress = 100;
2655
0
            }
2656
0
            g_scanfilter_progress_height = end_range->nHeight;
2657
2658
        // Finish if we reached the stop block
2659
0
        } while (start_index != stop_block);
2660
2661
0
        ret.pushKV("from_height", start_block_height);
2662
0
        ret.pushKV("to_height", start_index->nHeight); // start_index is always the last scanned block here
2663
0
        ret.pushKV("relevant_blocks", std::move(blocks));
2664
0
        ret.pushKV("completed", completed);
2665
0
    } else {
2666
0
        throw JSONRPCError(RPC_INVALID_PARAMETER, tfm::format("Invalid action '%s'", action));
2667
0
    }
2668
0
    return ret;
2669
0
},
2670
0
    };
2671
0
}
2672
2673
static RPCHelpMan getdescriptoractivity()
2674
0
{
2675
0
    return RPCHelpMan{
2676
0
        "getdescriptoractivity",
2677
0
        "Get spend and receive activity associated with a set of descriptors for a set of blocks. "
2678
0
        "This command pairs well with the `relevant_blocks` output of `scanblocks()`.\n"
2679
0
        "This call may take several minutes. If you encounter timeouts, try specifying no RPC timeout (bitcoin-cli -rpcclienttimeout=0)",
2680
0
        {
2681
0
            RPCArg{"blockhashes", RPCArg::Type::ARR, RPCArg::Optional::NO, "The list of blockhashes to examine for activity. Order doesn't matter. Must be along main chain or an error is thrown.\n", {
2682
0
                {"blockhash", RPCArg::Type::STR_HEX, RPCArg::Optional::OMITTED, "A valid blockhash"},
2683
0
            }},
2684
0
            RPCArg{"scanobjects", RPCArg::Type::ARR, RPCArg::Optional::NO, "The list of descriptors (scan objects) to examine for activity. Every scan object is either a string descriptor or an object:",
2685
0
                {
2686
0
                    {"descriptor", RPCArg::Type::STR, RPCArg::Optional::OMITTED, "An output descriptor"},
2687
0
                    output_descriptor_obj,
2688
0
                },
2689
0
                RPCArgOptions{.oneline_description="[scanobjects,...]"},
2690
0
            },
2691
0
            {"include_mempool", RPCArg::Type::BOOL, RPCArg::Default{true}, "Whether to include unconfirmed activity"},
2692
0
        },
2693
0
        RPCResult{
2694
0
            RPCResult::Type::OBJ, "", "", {
2695
0
                {RPCResult::Type::ARR, "activity", "events", {
2696
0
                    {RPCResult::Type::OBJ, "", "", {
2697
0
                        {RPCResult::Type::STR, "type", "always 'spend'"},
2698
0
                        {RPCResult::Type::STR_AMOUNT, "amount", "The total amount in " + CURRENCY_UNIT + " of the spent output"},
2699
0
                        {RPCResult::Type::STR_HEX, "blockhash", /*optional=*/true, "The blockhash this spend appears in (omitted if unconfirmed)"},
2700
0
                        {RPCResult::Type::NUM, "height", /*optional=*/true, "Height of the spend (omitted if unconfirmed)"},
2701
0
                        {RPCResult::Type::STR_HEX, "spend_txid", "The txid of the spending transaction"},
2702
0
                        {RPCResult::Type::NUM, "spend_vin", "The input index of the spend"},
2703
0
                        {RPCResult::Type::STR_HEX, "prevout_txid", "The txid of the prevout"},
2704
0
                        {RPCResult::Type::NUM, "prevout_vout", "The vout of the prevout"},
2705
0
                        {RPCResult::Type::OBJ, "prevout_spk", "", ScriptPubKeyDoc()},
2706
0
                    }},
2707
0
                    {RPCResult::Type::OBJ, "", "", {
2708
0
                        {RPCResult::Type::STR, "type", "always 'receive'"},
2709
0
                        {RPCResult::Type::STR_AMOUNT, "amount", "The total amount in " + CURRENCY_UNIT + " of the new output"},
2710
0
                        {RPCResult::Type::STR_HEX, "blockhash", /*optional=*/true, "The block that this receive is in (omitted if unconfirmed)"},
2711
0
                        {RPCResult::Type::NUM, "height", /*optional=*/true, "The height of the receive (omitted if unconfirmed)"},
2712
0
                        {RPCResult::Type::STR_HEX, "txid", "The txid of the receiving transaction"},
2713
0
                        {RPCResult::Type::NUM, "vout", "The vout of the receiving output"},
2714
0
                        {RPCResult::Type::OBJ, "output_spk", "", ScriptPubKeyDoc()},
2715
0
                    }},
2716
                    // TODO is the skip_type_check avoidable with a heterogeneous ARR?
2717
0
                }, /*skip_type_check=*/true},
2718
0
            },
2719
0
        },
2720
0
        RPCExamples{
2721
0
            HelpExampleCli("getdescriptoractivity", "'[\"000000000000000000001347062c12fded7c528943c8ce133987e2e2f5a840ee\"]' '[\"addr(bc1qzl6nsgqzu89a66l50cvwapnkw5shh23zarqkw9)\"]'")
2722
0
        },
2723
0
        [&](const RPCHelpMan& self, const JSONRPCRequest& request) -> UniValue
2724
0
{
2725
0
    UniValue ret(UniValue::VOBJ);
2726
0
    UniValue activity(UniValue::VARR);
2727
0
    NodeContext& node = EnsureAnyNodeContext(request.context);
2728
0
    ChainstateManager& chainman = EnsureChainman(node);
2729
2730
0
    struct CompareByHeightAscending {
2731
0
        bool operator()(const CBlockIndex* a, const CBlockIndex* b) const {
2732
0
            return a->nHeight < b->nHeight;
2733
0
        }
2734
0
    };
2735
2736
0
    std::set<const CBlockIndex*, CompareByHeightAscending> blockindexes_sorted;
2737
2738
0
    {
2739
        // Validate all given blockhashes, and ensure blocks are along a single chain.
2740
0
        LOCK(::cs_main);
Line
Count
Source
259
0
#define LOCK(cs) UniqueLock UNIQUE_NAME(criticalblock)(MaybeCheckNotHeld(cs), #cs, __FILE__, __LINE__)
Line
Count
Source
11
0
#define UNIQUE_NAME(name) PASTE2(name, __COUNTER__)
Line
Count
Source
9
0
#define PASTE2(x, y) PASTE(x, y)
Line
Count
Source
8
0
#define PASTE(x, y) x ## y
2741
0
        for (const UniValue& blockhash : request.params[0].get_array().getValues()) {
2742
0
            uint256 bhash = ParseHashV(blockhash, "blockhash");
2743
0
            CBlockIndex* pindex = chainman.m_blockman.LookupBlockIndex(bhash);
2744
0
            if (!pindex) {
2745
0
                throw JSONRPCError(RPC_INVALID_ADDRESS_OR_KEY, "Block not found");
2746
0
            }
2747
0
            if (!chainman.ActiveChain().Contains(pindex)) {
2748
0
                throw JSONRPCError(RPC_INVALID_PARAMETER, "Block is not in main chain");
2749
0
            }
2750
0
            blockindexes_sorted.insert(pindex);
2751
0
        }
2752
0
    }
2753
2754
0
    std::set<CScript> scripts_to_watch;
2755
2756
    // Determine scripts to watch.
2757
0
    for (const UniValue& scanobject : request.params[1].get_array().getValues()) {
2758
0
        FlatSigningProvider provider;
2759
0
        std::vector<CScript> scripts = EvalDescriptorStringOrObject(scanobject, provider);
2760
2761
0
        for (const CScript& script : scripts) {
2762
0
            scripts_to_watch.insert(script);
2763
0
        }
2764
0
    }
2765
2766
0
    const auto AddSpend = [&](
2767
0
            const CScript& spk,
2768
0
            const CAmount val,
2769
0
            const CTransactionRef& tx,
2770
0
            int vin,
2771
0
            const CTxIn& txin,
2772
0
            const CBlockIndex* index
2773
0
            ) {
2774
0
        UniValue event(UniValue::VOBJ);
2775
0
        UniValue spkUv(UniValue::VOBJ);
2776
0
        ScriptToUniv(spk, /*out=*/spkUv, /*include_hex=*/true, /*include_address=*/true);
2777
2778
0
        event.pushKV("type", "spend");
2779
0
        event.pushKV("amount", ValueFromAmount(val));
2780
0
        if (index) {
2781
0
            event.pushKV("blockhash", index->GetBlockHash().ToString());
2782
0
            event.pushKV("height", index->nHeight);
2783
0
        }
2784
0
        event.pushKV("spend_txid", tx->GetHash().ToString());
2785
0
        event.pushKV("spend_vin", vin);
2786
0
        event.pushKV("prevout_txid", txin.prevout.hash.ToString());
2787
0
        event.pushKV("prevout_vout", txin.prevout.n);
2788
0
        event.pushKV("prevout_spk", spkUv);
2789
2790
0
        return event;
2791
0
    };
2792
2793
0
    const auto AddReceive = [&](const CTxOut& txout, const CBlockIndex* index, int vout, const CTransactionRef& tx) {
2794
0
        UniValue event(UniValue::VOBJ);
2795
0
        UniValue spkUv(UniValue::VOBJ);
2796
0
        ScriptToUniv(txout.scriptPubKey, /*out=*/spkUv, /*include_hex=*/true, /*include_address=*/true);
2797
2798
0
        event.pushKV("type", "receive");
2799
0
        event.pushKV("amount", ValueFromAmount(txout.nValue));
2800
0
        if (index) {
2801
0
            event.pushKV("blockhash", index->GetBlockHash().ToString());
2802
0
            event.pushKV("height", index->nHeight);
2803
0
        }
2804
0
        event.pushKV("txid", tx->GetHash().ToString());
2805
0
        event.pushKV("vout", vout);
2806
0
        event.pushKV("output_spk", spkUv);
2807
2808
0
        return event;
2809
0
    };
2810
2811
0
    BlockManager* blockman;
2812
0
    Chainstate& active_chainstate = chainman.ActiveChainstate();
2813
0
    {
2814
0
        LOCK(::cs_main);
Line
Count
Source
259
0
#define LOCK(cs) UniqueLock UNIQUE_NAME(criticalblock)(MaybeCheckNotHeld(cs), #cs, __FILE__, __LINE__)
Line
Count
Source
11
0
#define UNIQUE_NAME(name) PASTE2(name, __COUNTER__)
Line
Count
Source
9
0
#define PASTE2(x, y) PASTE(x, y)
Line
Count
Source
8
0
#define PASTE(x, y) x ## y
2815
0
        blockman = CHECK_NONFATAL(&active_chainstate.m_blockman);
Line
Count
Source
110
0
    inline_check_non_fatal(condition, std::source_location::current(), #condition)
2816
0
    }
2817
2818
0
    for (const CBlockIndex* blockindex : blockindexes_sorted) {
2819
0
        const CBlock block{GetBlockChecked(chainman.m_blockman, *blockindex)};
2820
0
        const CBlockUndo block_undo{GetUndoChecked(*blockman, *blockindex)};
2821
2822
0
        for (size_t i = 0; i < block.vtx.size(); ++i) {
2823
0
            const auto& tx = block.vtx.at(i);
2824
2825
0
            if (!tx->IsCoinBase()) {
2826
                // skip coinbase; spends can't happen there.
2827
0
                const auto& txundo = block_undo.vtxundo.at(i - 1);
2828
2829
0
                for (size_t vin_idx = 0; vin_idx < tx->vin.size(); ++vin_idx) {
2830
0
                    const auto& coin = txundo.vprevout.at(vin_idx);
2831
0
                    const auto& txin = tx->vin.at(vin_idx);
2832
0
                    if (scripts_to_watch.contains(coin.out.scriptPubKey)) {
2833
0
                        activity.push_back(AddSpend(
2834
0
                                    coin.out.scriptPubKey, coin.out.nValue, tx, vin_idx, txin, blockindex));
2835
0
                    }
2836
0
                }
2837
0
            }
2838
2839
0
            for (size_t vout_idx = 0; vout_idx < tx->vout.size(); ++vout_idx) {
2840
0
                const auto& vout = tx->vout.at(vout_idx);
2841
0
                if (scripts_to_watch.contains(vout.scriptPubKey)) {
2842
0
                    activity.push_back(AddReceive(vout, blockindex, vout_idx, tx));
2843
0
                }
2844
0
            }
2845
0
        }
2846
0
    }
2847
2848
0
    bool search_mempool = true;
2849
0
    if (!request.params[2].isNull()) {
2850
0
        search_mempool = request.params[2].get_bool();
2851
0
    }
2852
2853
0
    if (search_mempool) {
2854
0
        const CTxMemPool& mempool = EnsureMemPool(node);
2855
0
        LOCK(::cs_main);
Line
Count
Source
259
0
#define LOCK(cs) UniqueLock UNIQUE_NAME(criticalblock)(MaybeCheckNotHeld(cs), #cs, __FILE__, __LINE__)
Line
Count
Source
11
0
#define UNIQUE_NAME(name) PASTE2(name, __COUNTER__)
Line
Count
Source
9
0
#define PASTE2(x, y) PASTE(x, y)
Line
Count
Source
8
0
#define PASTE(x, y) x ## y
2856
0
        LOCK(mempool.cs);
Line
Count
Source
259
0
#define LOCK(cs) UniqueLock UNIQUE_NAME(criticalblock)(MaybeCheckNotHeld(cs), #cs, __FILE__, __LINE__)
Line
Count
Source
11
0
#define UNIQUE_NAME(name) PASTE2(name, __COUNTER__)
Line
Count
Source
9
0
#define PASTE2(x, y) PASTE(x, y)
Line
Count
Source
8
0
#define PASTE(x, y) x ## y
2857
0
        const CCoinsViewCache& coins_view = &active_chainstate.CoinsTip();
2858
2859
0
        for (const CTxMemPoolEntry& e : mempool.entryAll()) {
2860
0
            const auto& tx = e.GetSharedTx();
2861
2862
0
            for (size_t vin_idx = 0; vin_idx < tx->vin.size(); ++vin_idx) {
2863
0
                CScript scriptPubKey;
2864
0
                CAmount value;
2865
0
                const auto& txin = tx->vin.at(vin_idx);
2866
0
                std::optional<Coin> coin = coins_view.GetCoin(txin.prevout);
2867
2868
                // Check if the previous output is in the chain
2869
0
                if (!coin) {
2870
                    // If not found in the chain, check the mempool. Likely, this is a
2871
                    // child transaction of another transaction in the mempool.
2872
0
                    CTransactionRef prev_tx = CHECK_NONFATAL(mempool.get(txin.prevout.hash));
Line
Count
Source
110
0
    inline_check_non_fatal(condition, std::source_location::current(), #condition)
2873
2874
0
                    if (txin.prevout.n >= prev_tx->vout.size()) {
2875
0
                        throw std::runtime_error("Invalid output index");
2876
0
                    }
2877
0
                    const CTxOut& out = prev_tx->vout[txin.prevout.n];
2878
0
                    scriptPubKey = out.scriptPubKey;
2879
0
                    value = out.nValue;
2880
0
                } else {
2881
                    // Coin found in the chain
2882
0
                    const CTxOut& out = coin->out;
2883
0
                    scriptPubKey = out.scriptPubKey;
2884
0
                    value = out.nValue;
2885
0
                }
2886
2887
0
                if (scripts_to_watch.contains(scriptPubKey)) {
2888
0
                    UniValue event(UniValue::VOBJ);
2889
0
                    activity.push_back(AddSpend(
2890
0
                                scriptPubKey, value, tx, vin_idx, txin, nullptr));
2891
0
                }
2892
0
            }
2893
2894
0
            for (size_t vout_idx = 0; vout_idx < tx->vout.size(); ++vout_idx) {
2895
0
                const auto& vout = tx->vout.at(vout_idx);
2896
0
                if (scripts_to_watch.contains(vout.scriptPubKey)) {
2897
0
                    activity.push_back(AddReceive(vout, nullptr, vout_idx, tx));
2898
0
                }
2899
0
            }
2900
0
        }
2901
0
    }
2902
2903
0
    ret.pushKV("activity", activity);
2904
0
    return ret;
2905
0
},
2906
0
    };
2907
0
}
2908
2909
static RPCHelpMan getblockfilter()
2910
0
{
2911
0
    return RPCHelpMan{
2912
0
        "getblockfilter",
2913
0
        "Retrieve a BIP 157 content filter for a particular block.\n",
2914
0
                {
2915
0
                    {"blockhash", RPCArg::Type::STR_HEX, RPCArg::Optional::NO, "The hash of the block"},
2916
0
                    {"filtertype", RPCArg::Type::STR, RPCArg::Default{BlockFilterTypeName(BlockFilterType::BASIC)}, "The type name of the filter"},
2917
0
                },
2918
0
                RPCResult{
2919
0
                    RPCResult::Type::OBJ, "", "",
2920
0
                    {
2921
0
                        {RPCResult::Type::STR_HEX, "filter", "the hex-encoded filter data"},
2922
0
                        {RPCResult::Type::STR_HEX, "header", "the hex-encoded filter header"},
2923
0
                    }},
2924
0
                RPCExamples{
2925
0
                    HelpExampleCli("getblockfilter", "\"00000000c937983704a73af28acdec37b049d214adbda81d7e2a3dd146f6ed09\" \"basic\"") +
2926
0
                    HelpExampleRpc("getblockfilter", "\"00000000c937983704a73af28acdec37b049d214adbda81d7e2a3dd146f6ed09\", \"basic\"")
2927
0
                },
2928
0
        [&](const RPCHelpMan& self, const JSONRPCRequest& request) -> UniValue
2929
0
{
2930
0
    uint256 block_hash = ParseHashV(request.params[0], "blockhash");
2931
0
    auto filtertype_name{self.Arg<std::string_view>("filtertype")};
2932
2933
0
    BlockFilterType filtertype;
2934
0
    if (!BlockFilterTypeByName(filtertype_name, filtertype)) {
2935
0
        throw JSONRPCError(RPC_INVALID_ADDRESS_OR_KEY, "Unknown filtertype");
2936
0
    }
2937
2938
0
    BlockFilterIndex* index = GetBlockFilterIndex(filtertype);
2939
0
    if (!index) {
2940
0
        throw JSONRPCError(RPC_MISC_ERROR, tfm::format("Index is not enabled for filtertype %s", filtertype_name));
2941
0
    }
2942
2943
0
    const CBlockIndex* block_index;
2944
0
    bool block_was_connected;
2945
0
    {
2946
0
        ChainstateManager& chainman = EnsureAnyChainman(request.context);
2947
0
        LOCK(cs_main);
Line
Count
Source
259
0
#define LOCK(cs) UniqueLock UNIQUE_NAME(criticalblock)(MaybeCheckNotHeld(cs), #cs, __FILE__, __LINE__)
Line
Count
Source
11
0
#define UNIQUE_NAME(name) PASTE2(name, __COUNTER__)
Line
Count
Source
9
0
#define PASTE2(x, y) PASTE(x, y)
Line
Count
Source
8
0
#define PASTE(x, y) x ## y
2948
0
        block_index = chainman.m_blockman.LookupBlockIndex(block_hash);
2949
0
        if (!block_index) {
2950
0
            throw JSONRPCError(RPC_INVALID_ADDRESS_OR_KEY, "Block not found");
2951
0
        }
2952
0
        block_was_connected = block_index->IsValid(BLOCK_VALID_SCRIPTS);
2953
0
    }
2954
2955
0
    bool index_ready = index->BlockUntilSyncedToCurrentChain();
2956
2957
0
    BlockFilter filter;
2958
0
    uint256 filter_header;
2959
0
    if (!index->LookupFilter(block_index, filter) ||
2960
0
        !index->LookupFilterHeader(block_index, filter_header)) {
2961
0
        int err_code;
2962
0
        std::string errmsg = "Filter not found.";
2963
2964
0
        if (!block_was_connected) {
2965
0
            err_code = RPC_INVALID_ADDRESS_OR_KEY;
2966
0
            errmsg += " Block was not connected to active chain.";
2967
0
        } else if (!index_ready) {
2968
0
            err_code = RPC_MISC_ERROR;
2969
0
            errmsg += " Block filters are still in the process of being indexed.";
2970
0
        } else {
2971
0
            err_code = RPC_INTERNAL_ERROR;
2972
0
            errmsg += " This error is unexpected and indicates index corruption.";
2973
0
        }
2974
2975
0
        throw JSONRPCError(err_code, errmsg);
2976
0
    }
2977
2978
0
    UniValue ret(UniValue::VOBJ);
2979
0
    ret.pushKV("filter", HexStr(filter.GetEncodedFilter()));
2980
0
    ret.pushKV("header", filter_header.GetHex());
2981
0
    return ret;
2982
0
},
2983
0
    };
2984
0
}
2985
2986
/**
2987
 * RAII class that disables the network in its constructor and enables it in its
2988
 * destructor.
2989
 */
2990
class NetworkDisable
2991
{
2992
    CConnman& m_connman;
2993
public:
2994
0
    NetworkDisable(CConnman& connman) : m_connman(connman) {
2995
0
        m_connman.SetNetworkActive(false);
2996
0
        if (m_connman.GetNetworkActive()) {
2997
0
            throw JSONRPCError(RPC_MISC_ERROR, "Network activity could not be suspended.");
2998
0
        }
2999
0
    };
3000
0
    ~NetworkDisable() {
3001
0
        m_connman.SetNetworkActive(true);
3002
0
    };
3003
};
3004
3005
/**
3006
 * RAII class that temporarily rolls back the local chain in it's constructor
3007
 * and rolls it forward again in it's destructor.
3008
 */
3009
class TemporaryRollback
3010
{
3011
    ChainstateManager& m_chainman;
3012
    const CBlockIndex& m_invalidate_index;
3013
public:
3014
0
    TemporaryRollback(ChainstateManager& chainman, const CBlockIndex& index) : m_chainman(chainman), m_invalidate_index(index) {
3015
0
        InvalidateBlock(m_chainman, m_invalidate_index.GetBlockHash());
3016
0
    };
3017
0
    ~TemporaryRollback() {
3018
0
        ReconsiderBlock(m_chainman, m_invalidate_index.GetBlockHash());
3019
0
    };
3020
};
3021
3022
/**
3023
 * Serialize the UTXO set to a file for loading elsewhere.
3024
 *
3025
 * @see SnapshotMetadata
3026
 */
3027
static RPCHelpMan dumptxoutset()
3028
0
{
3029
0
    return RPCHelpMan{
3030
0
        "dumptxoutset",
3031
0
        "Write the serialized UTXO set to a file. This can be used in loadtxoutset afterwards if this snapshot height is supported in the chainparams as well.\n\n"
3032
0
        "Unless the \"latest\" type is requested, the node will roll back to the requested height and network activity will be suspended during this process. "
3033
0
        "Because of this it is discouraged to interact with the node in any other way during the execution of this call to avoid inconsistent results and race conditions, particularly RPCs that interact with blockstorage.\n\n"
3034
0
        "This call may take several minutes. Make sure to use no RPC timeout (bitcoin-cli -rpcclienttimeout=0)",
3035
0
        {
3036
0
            {"path", RPCArg::Type::STR, RPCArg::Optional::NO, "Path to the output file. If relative, will be prefixed by datadir."},
3037
0
            {"type", RPCArg::Type::STR, RPCArg::Default(""), "The type of snapshot to create. Can be \"latest\" to create a snapshot of the current UTXO set or \"rollback\" to temporarily roll back the state of the node to a historical block before creating the snapshot of a historical UTXO set. This parameter can be omitted if a separate \"rollback\" named parameter is specified indicating the height or hash of a specific historical block. If \"rollback\" is specified and separate \"rollback\" named parameter is not specified, this will roll back to the latest valid snapshot block that can currently be loaded with loadtxoutset."},
3038
0
            {"options", RPCArg::Type::OBJ_NAMED_PARAMS, RPCArg::Optional::OMITTED, "",
3039
0
                {
3040
0
                    {"rollback", RPCArg::Type::NUM, RPCArg::Optional::OMITTED,
3041
0
                        "Height or hash of the block to roll back to before creating the snapshot. Note: The further this number is from the tip, the longer this process will take. Consider setting a higher -rpcclienttimeout value in this case.",
3042
0
                    RPCArgOptions{.skip_type_check = true, .type_str = {"", "string or numeric"}}},
3043
0
                },
3044
0
            },
3045
0
        },
3046
0
        RPCResult{
3047
0
            RPCResult::Type::OBJ, "", "",
3048
0
                {
3049
0
                    {RPCResult::Type::NUM, "coins_written", "the number of coins written in the snapshot"},
3050
0
                    {RPCResult::Type::STR_HEX, "base_hash", "the hash of the base of the snapshot"},
3051
0
                    {RPCResult::Type::NUM, "base_height", "the height of the base of the snapshot"},
3052
0
                    {RPCResult::Type::STR, "path", "the absolute path that the snapshot was written to"},
3053
0
                    {RPCResult::Type::STR_HEX, "txoutset_hash", "the hash of the UTXO set contents"},
3054
0
                    {RPCResult::Type::NUM, "nchaintx", "the number of transactions in the chain up to and including the base block"},
3055
0
                }
3056
0
        },
3057
0
        RPCExamples{
3058
0
            HelpExampleCli("-rpcclienttimeout=0 dumptxoutset", "utxo.dat latest") +
3059
0
            HelpExampleCli("-rpcclienttimeout=0 dumptxoutset", "utxo.dat rollback") +
3060
0
            HelpExampleCli("-rpcclienttimeout=0 -named dumptxoutset", R"(utxo.dat rollback=853456)")
3061
0
        },
3062
0
        [&](const RPCHelpMan& self, const JSONRPCRequest& request) -> UniValue
3063
0
{
3064
0
    NodeContext& node = EnsureAnyNodeContext(request.context);
3065
0
    const CBlockIndex* tip{WITH_LOCK(::cs_main, return node.chainman->ActiveChain().Tip())};
Line
Count
Source
290
0
#define WITH_LOCK(cs, code) (MaybeCheckNotHeld(cs), [&]() -> decltype(auto) { LOCK(cs); code; }())
3066
0
    const CBlockIndex* target_index{nullptr};
3067
0
    const auto snapshot_type{self.Arg<std::string_view>("type")};
3068
0
    const UniValue options{request.params[2].isNull() ? UniValue::VOBJ : request.params[2]};
3069
0
    if (options.exists("rollback")) {
3070
0
        if (!snapshot_type.empty() && snapshot_type != "rollback") {
3071
0
            throw JSONRPCError(RPC_INVALID_PARAMETER, strprintf("Invalid snapshot type \"%s\" specified with rollback option", snapshot_type));
Line
Count
Source
1172
0
#define strprintf tfm::format
3072
0
        }
3073
0
        target_index = ParseHashOrHeight(options["rollback"], *node.chainman);
3074
0
    } else if (snapshot_type == "rollback") {
3075
0
        auto snapshot_heights = node.chainman->GetParams().GetAvailableSnapshotHeights();
3076
0
        CHECK_NONFATAL(snapshot_heights.size() > 0);
Line
Count
Source
110
0
    inline_check_non_fatal(condition, std::source_location::current(), #condition)
3077
0
        auto max_height = std::max_element(snapshot_heights.begin(), snapshot_heights.end());
3078
0
        target_index = ParseHashOrHeight(*max_height, *node.chainman);
3079
0
    } else if (snapshot_type == "latest") {
3080
0
        target_index = tip;
3081
0
    } else {
3082
0
        throw JSONRPCError(RPC_INVALID_PARAMETER, strprintf("Invalid snapshot type \"%s\" specified. Please specify \"rollback\" or \"latest\"", snapshot_type));
Line
Count
Source
1172
0
#define strprintf tfm::format
3083
0
    }
3084
3085
0
    const ArgsManager& args{EnsureAnyArgsman(request.context)};
3086
0
    const fs::path path = fsbridge::AbsPathJoin(args.GetDataDirNet(), fs::u8path(self.Arg<std::string_view>("path")));
3087
    // Write to a temporary path and then move into `path` on completion
3088
    // to avoid confusion due to an interruption.
3089
0
    const fs::path temppath = path + ".incomplete";
3090
3091
0
    if (fs::exists(path)) {
3092
0
        throw JSONRPCError(
3093
0
            RPC_INVALID_PARAMETER,
3094
0
            path.utf8string() + " already exists. If you are sure this is what you want, "
3095
0
            "move it out of the way first");
3096
0
    }
3097
3098
0
    FILE* file{fsbridge::fopen(temppath, "wb")};
3099
0
    AutoFile afile{file};
3100
0
    if (afile.IsNull()) {
3101
0
        throw JSONRPCError(
3102
0
            RPC_INVALID_PARAMETER,
3103
0
            "Couldn't open file " + temppath.utf8string() + " for writing.");
3104
0
    }
3105
3106
0
    CConnman& connman = EnsureConnman(node);
3107
0
    const CBlockIndex* invalidate_index{nullptr};
3108
0
    std::optional<NetworkDisable> disable_network;
3109
0
    std::optional<TemporaryRollback> temporary_rollback;
3110
3111
    // If the user wants to dump the txoutset of the current tip, we don't have
3112
    // to roll back at all
3113
0
    if (target_index != tip) {
3114
        // If the node is running in pruned mode we ensure all necessary block
3115
        // data is available before starting to roll back.
3116
0
        if (node.chainman->m_blockman.IsPruneMode()) {
3117
0
            LOCK(node.chainman->GetMutex());
Line
Count
Source
259
0
#define LOCK(cs) UniqueLock UNIQUE_NAME(criticalblock)(MaybeCheckNotHeld(cs), #cs, __FILE__, __LINE__)
Line
Count
Source
11
0
#define UNIQUE_NAME(name) PASTE2(name, __COUNTER__)
Line
Count
Source
9
0
#define PASTE2(x, y) PASTE(x, y)
Line
Count
Source
8
0
#define PASTE(x, y) x ## y
3118
0
            const CBlockIndex* current_tip{node.chainman->ActiveChain().Tip()};
3119
0
            const CBlockIndex* first_block{node.chainman->m_blockman.GetFirstBlock(*current_tip, /*status_mask=*/BLOCK_HAVE_MASK)};
3120
0
            if (first_block->nHeight > target_index->nHeight) {
3121
0
                throw JSONRPCError(RPC_MISC_ERROR, "Could not roll back to requested height since necessary block data is already pruned.");
3122
0
            }
3123
0
        }
3124
3125
        // Suspend network activity for the duration of the process when we are
3126
        // rolling back the chain to get a utxo set from a past height. We do
3127
        // this so we don't punish peers that send us that send us data that
3128
        // seems wrong in this temporary state. For example a normal new block
3129
        // would be classified as a block connecting an invalid block.
3130
        // Skip if the network is already disabled because this
3131
        // automatically re-enables the network activity at the end of the
3132
        // process which may not be what the user wants.
3133
0
        if (connman.GetNetworkActive()) {
3134
0
            disable_network.emplace(connman);
3135
0
        }
3136
3137
0
        invalidate_index = WITH_LOCK(::cs_main, return node.chainman->ActiveChain().Next(target_index));
Line
Count
Source
290
0
#define WITH_LOCK(cs, code) (MaybeCheckNotHeld(cs), [&]() -> decltype(auto) { LOCK(cs); code; }())
3138
0
        temporary_rollback.emplace(*node.chainman, *invalidate_index);
3139
0
    }
3140
3141
0
    Chainstate* chainstate;
3142
0
    std::unique_ptr<CCoinsViewCursor> cursor;
3143
0
    CCoinsStats stats;
3144
0
    {
3145
        // Lock the chainstate before calling PrepareUtxoSnapshot, to be able
3146
        // to get a UTXO database cursor while the chain is pointing at the
3147
        // target block. After that, release the lock while calling
3148
        // WriteUTXOSnapshot. The cursor will remain valid and be used by
3149
        // WriteUTXOSnapshot to write a consistent snapshot even if the
3150
        // chainstate changes.
3151
0
        LOCK(node.chainman->GetMutex());
Line
Count
Source
259
0
#define LOCK(cs) UniqueLock UNIQUE_NAME(criticalblock)(MaybeCheckNotHeld(cs), #cs, __FILE__, __LINE__)
Line
Count
Source
11
0
#define UNIQUE_NAME(name) PASTE2(name, __COUNTER__)
Line
Count
Source
9
0
#define PASTE2(x, y) PASTE(x, y)
Line
Count
Source
8
0
#define PASTE(x, y) x ## y
3152
0
        chainstate = &node.chainman->ActiveChainstate();
3153
        // In case there is any issue with a block being read from disk we need
3154
        // to stop here, otherwise the dump could still be created for the wrong
3155
        // height.
3156
        // The new tip could also not be the target block if we have a stale
3157
        // sister block of invalidate_index. This block (or a descendant) would
3158
        // be activated as the new tip and we would not get to new_tip_index.
3159
0
        if (target_index != chainstate->m_chain.Tip()) {
3160
0
            LogWarning("dumptxoutset failed to roll back to requested height, reverting to tip.\n");
Line
Count
Source
369
0
#define LogWarning(...) LogPrintLevel_(BCLog::LogFlags::ALL, BCLog::Level::Warning, /*should_ratelimit=*/true, __VA_ARGS__)
Line
Count
Source
362
0
#define LogPrintLevel_(category, level, should_ratelimit, ...) LogPrintFormatInternal(std::source_location::current(), category, level, should_ratelimit, __VA_ARGS__)
3161
0
            throw JSONRPCError(RPC_MISC_ERROR, "Could not roll back to requested height.");
3162
0
        } else {
3163
0
            std::tie(cursor, stats, tip) = PrepareUTXOSnapshot(*chainstate, node.rpc_interruption_point);
3164
0
        }
3165
0
    }
3166
3167
0
    UniValue result = WriteUTXOSnapshot(*chainstate,
3168
0
                                        cursor.get(),
3169
0
                                        &stats,
3170
0
                                        tip,
3171
0
                                        std::move(afile),
3172
0
                                        path,
3173
0
                                        temppath,
3174
0
                                        node.rpc_interruption_point);
3175
0
    fs::rename(temppath, path);
3176
3177
0
    result.pushKV("path", path.utf8string());
3178
0
    return result;
3179
0
},
3180
0
    };
3181
0
}
3182
3183
std::tuple<std::unique_ptr<CCoinsViewCursor>, CCoinsStats, const CBlockIndex*>
3184
PrepareUTXOSnapshot(
3185
    Chainstate& chainstate,
3186
    const std::function<void()>& interruption_point)
3187
0
{
3188
0
    std::unique_ptr<CCoinsViewCursor> pcursor;
3189
0
    std::optional<CCoinsStats> maybe_stats;
3190
0
    const CBlockIndex* tip;
3191
3192
0
    {
3193
        // We need to lock cs_main to ensure that the coinsdb isn't written to
3194
        // between (i) flushing coins cache to disk (coinsdb), (ii) getting stats
3195
        // based upon the coinsdb, and (iii) constructing a cursor to the
3196
        // coinsdb for use in WriteUTXOSnapshot.
3197
        //
3198
        // Cursors returned by leveldb iterate over snapshots, so the contents
3199
        // of the pcursor will not be affected by simultaneous writes during
3200
        // use below this block.
3201
        //
3202
        // See discussion here:
3203
        //   https://github.com/bitcoin/bitcoin/pull/15606#discussion_r274479369
3204
        //
3205
0
        AssertLockHeld(::cs_main);
Line
Count
Source
137
0
#define AssertLockHeld(cs) AssertLockHeldInternal(#cs, __FILE__, __LINE__, &cs)
3206
3207
0
        chainstate.ForceFlushStateToDisk();
3208
3209
0
        maybe_stats = GetUTXOStats(&chainstate.CoinsDB(), chainstate.m_blockman, CoinStatsHashType::HASH_SERIALIZED, interruption_point);
3210
0
        if (!maybe_stats) {
3211
0
            throw JSONRPCError(RPC_INTERNAL_ERROR, "Unable to read UTXO set");
3212
0
        }
3213
3214
0
        pcursor = chainstate.CoinsDB().Cursor();
3215
0
        tip = CHECK_NONFATAL(chainstate.m_blockman.LookupBlockIndex(maybe_stats->hashBlock));
Line
Count
Source
110
0
    inline_check_non_fatal(condition, std::source_location::current(), #condition)
3216
0
    }
3217
3218
0
    return {std::move(pcursor), *CHECK_NONFATAL(maybe_stats), tip};
Line
Count
Source
110
0
    inline_check_non_fatal(condition, std::source_location::current(), #condition)
3219
0
}
3220
3221
UniValue WriteUTXOSnapshot(
3222
    Chainstate& chainstate,
3223
    CCoinsViewCursor* pcursor,
3224
    CCoinsStats* maybe_stats,
3225
    const CBlockIndex* tip,
3226
    AutoFile&& afile,
3227
    const fs::path& path,
3228
    const fs::path& temppath,
3229
    const std::function<void()>& interruption_point)
3230
0
{
3231
0
    LOG_TIME_SECONDS(strprintf("writing UTXO snapshot at height %s (%s) to file %s (via %s)",
Line
Count
Source
108
0
    BCLog::Timer<std::chrono::seconds> UNIQUE_NAME(logging_timer)(__func__, end_msg)
Line
Count
Source
11
0
#define UNIQUE_NAME(name) PASTE2(name, __COUNTER__)
Line
Count
Source
9
0
#define PASTE2(x, y) PASTE(x, y)
Line
Count
Source
8
0
#define PASTE(x, y) x ## y
3232
0
        tip->nHeight, tip->GetBlockHash().ToString(),
3233
0
        fs::PathToString(path), fs::PathToString(temppath)));
3234
3235
0
    SnapshotMetadata metadata{chainstate.m_chainman.GetParams().MessageStart(), tip->GetBlockHash(), maybe_stats->coins_count};
3236
3237
0
    afile << metadata;
3238
3239
0
    COutPoint key;
3240
0
    Txid last_hash;
3241
0
    Coin coin;
3242
0
    unsigned int iter{0};
3243
0
    size_t written_coins_count{0};
3244
0
    std::vector<std::pair<uint32_t, Coin>> coins;
3245
3246
    // To reduce space the serialization format of the snapshot avoids
3247
    // duplication of tx hashes. The code takes advantage of the guarantee by
3248
    // leveldb that keys are lexicographically sorted.
3249
    // In the coins vector we collect all coins that belong to a certain tx hash
3250
    // (key.hash) and when we have them all (key.hash != last_hash) we write
3251
    // them to file using the below lambda function.
3252
    // See also https://github.com/bitcoin/bitcoin/issues/25675
3253
0
    auto write_coins_to_file = [&](AutoFile& afile, const Txid& last_hash, const std::vector<std::pair<uint32_t, Coin>>& coins, size_t& written_coins_count) {
3254
0
        afile << last_hash;
3255
0
        WriteCompactSize(afile, coins.size());
3256
0
        for (const auto& [n, coin] : coins) {
3257
0
            WriteCompactSize(afile, n);
3258
0
            afile << coin;
3259
0
            ++written_coins_count;
3260
0
        }
3261
0
    };
3262
3263
0
    pcursor->GetKey(key);
3264
0
    last_hash = key.hash;
3265
0
    while (pcursor->Valid()) {
3266
0
        if (iter % 5000 == 0) interruption_point();
3267
0
        ++iter;
3268
0
        if (pcursor->GetKey(key) && pcursor->GetValue(coin)) {
3269
0
            if (key.hash != last_hash) {
3270
0
                write_coins_to_file(afile, last_hash, coins, written_coins_count);
3271
0
                last_hash = key.hash;
3272
0
                coins.clear();
3273
0
            }
3274
0
            coins.emplace_back(key.n, coin);
3275
0
        }
3276
0
        pcursor->Next();
3277
0
    }
3278
3279
0
    if (!coins.empty()) {
3280
0
        write_coins_to_file(afile, last_hash, coins, written_coins_count);
3281
0
    }
3282
3283
0
    CHECK_NONFATAL(written_coins_count == maybe_stats->coins_count);
Line
Count
Source
110
0
    inline_check_non_fatal(condition, std::source_location::current(), #condition)
3284
3285
0
    if (afile.fclose() != 0) {
3286
0
        throw std::ios_base::failure(
3287
0
            strprintf("Error closing %s: %s", fs::PathToString(temppath), SysErrorString(errno)));
Line
Count
Source
1172
0
#define strprintf tfm::format
3288
0
    }
3289
3290
0
    UniValue result(UniValue::VOBJ);
3291
0
    result.pushKV("coins_written", written_coins_count);
3292
0
    result.pushKV("base_hash", tip->GetBlockHash().ToString());
3293
0
    result.pushKV("base_height", tip->nHeight);
3294
0
    result.pushKV("path", path.utf8string());
3295
0
    result.pushKV("txoutset_hash", maybe_stats->hashSerialized.ToString());
3296
0
    result.pushKV("nchaintx", tip->m_chain_tx_count);
3297
0
    return result;
3298
0
}
3299
3300
UniValue CreateUTXOSnapshot(
3301
    node::NodeContext& node,
3302
    Chainstate& chainstate,
3303
    AutoFile&& afile,
3304
    const fs::path& path,
3305
    const fs::path& tmppath)
3306
0
{
3307
0
    auto [cursor, stats, tip]{WITH_LOCK(::cs_main, return PrepareUTXOSnapshot(chainstate, node.rpc_interruption_point))};
Line
Count
Source
290
0
#define WITH_LOCK(cs, code) (MaybeCheckNotHeld(cs), [&]() -> decltype(auto) { LOCK(cs); code; }())
3308
0
    return WriteUTXOSnapshot(chainstate,
3309
0
                             cursor.get(),
3310
0
                             &stats,
3311
0
                             tip,
3312
0
                             std::move(afile),
3313
0
                             path,
3314
0
                             tmppath,
3315
0
                             node.rpc_interruption_point);
3316
0
}
3317
3318
static RPCHelpMan loadtxoutset()
3319
0
{
3320
0
    return RPCHelpMan{
3321
0
        "loadtxoutset",
3322
0
        "Load the serialized UTXO set from a file.\n"
3323
0
        "Once this snapshot is loaded, its contents will be "
3324
0
        "deserialized into a second chainstate data structure, which is then used to sync to "
3325
0
        "the network's tip. "
3326
0
        "Meanwhile, the original chainstate will complete the initial block download process in "
3327
0
        "the background, eventually validating up to the block that the snapshot is based upon.\n\n"
3328
3329
0
        "The result is a usable bitcoind instance that is current with the network tip in a "
3330
0
        "matter of minutes rather than hours. UTXO snapshot are typically obtained from "
3331
0
        "third-party sources (HTTP, torrent, etc.) which is reasonable since their "
3332
0
        "contents are always checked by hash.\n\n"
3333
3334
0
        "You can find more information on this process in the `assumeutxo` design "
3335
0
        "document (<https://github.com/bitcoin/bitcoin/blob/master/doc/design/assumeutxo.md>).",
3336
0
        {
3337
0
            {"path",
3338
0
                RPCArg::Type::STR,
3339
0
                RPCArg::Optional::NO,
3340
0
                "path to the snapshot file. If relative, will be prefixed by datadir."},
3341
0
        },
3342
0
        RPCResult{
3343
0
            RPCResult::Type::OBJ, "", "",
3344
0
                {
3345
0
                    {RPCResult::Type::NUM, "coins_loaded", "the number of coins loaded from the snapshot"},
3346
0
                    {RPCResult::Type::STR_HEX, "tip_hash", "the hash of the base of the snapshot"},
3347
0
                    {RPCResult::Type::NUM, "base_height", "the height of the base of the snapshot"},
3348
0
                    {RPCResult::Type::STR, "path", "the absolute path that the snapshot was loaded from"},
3349
0
                }
3350
0
        },
3351
0
        RPCExamples{
3352
0
            HelpExampleCli("-rpcclienttimeout=0 loadtxoutset", "utxo.dat")
3353
0
        },
3354
0
        [&](const RPCHelpMan& self, const JSONRPCRequest& request) -> UniValue
3355
0
{
3356
0
    NodeContext& node = EnsureAnyNodeContext(request.context);
3357
0
    ChainstateManager& chainman = EnsureChainman(node);
3358
0
    const fs::path path{AbsPathForConfigVal(EnsureArgsman(node), fs::u8path(self.Arg<std::string_view>("path")))};
3359
3360
0
    FILE* file{fsbridge::fopen(path, "rb")};
3361
0
    AutoFile afile{file};
3362
0
    if (afile.IsNull()) {
3363
0
        throw JSONRPCError(
3364
0
            RPC_INVALID_PARAMETER,
3365
0
            "Couldn't open file " + path.utf8string() + " for reading.");
3366
0
    }
3367
3368
0
    SnapshotMetadata metadata{chainman.GetParams().MessageStart()};
3369
0
    try {
3370
0
        afile >> metadata;
3371
0
    } catch (const std::ios_base::failure& e) {
3372
0
        throw JSONRPCError(RPC_DESERIALIZATION_ERROR, strprintf("Unable to parse metadata: %s", e.what()));
Line
Count
Source
1172
0
#define strprintf tfm::format
3373
0
    }
3374
3375
0
    auto activation_result{chainman.ActivateSnapshot(afile, metadata, false)};
3376
0
    if (!activation_result) {
3377
0
        throw JSONRPCError(RPC_INTERNAL_ERROR, strprintf("Unable to load UTXO snapshot: %s. (%s)", util::ErrorString(activation_result).original, path.utf8string()));
Line
Count
Source
1172
0
#define strprintf tfm::format
3378
0
    }
3379
3380
    // Because we can't provide historical blocks during tip or background sync.
3381
    // Update local services to reflect we are a limited peer until we are fully sync.
3382
0
    node.connman->RemoveLocalServices(NODE_NETWORK);
3383
    // Setting the limited state is usually redundant because the node can always
3384
    // provide the last 288 blocks, but it doesn't hurt to set it.
3385
0
    node.connman->AddLocalServices(NODE_NETWORK_LIMITED);
3386
3387
0
    CBlockIndex& snapshot_index{*CHECK_NONFATAL(*activation_result)};
Line
Count
Source
110
0
    inline_check_non_fatal(condition, std::source_location::current(), #condition)
3388
3389
0
    UniValue result(UniValue::VOBJ);
3390
0
    result.pushKV("coins_loaded", metadata.m_coins_count);
3391
0
    result.pushKV("tip_hash", snapshot_index.GetBlockHash().ToString());
3392
0
    result.pushKV("base_height", snapshot_index.nHeight);
3393
0
    result.pushKV("path", fs::PathToString(path));
3394
0
    return result;
3395
0
},
3396
0
    };
3397
0
}
3398
3399
const std::vector<RPCResult> RPCHelpForChainstate{
3400
    {RPCResult::Type::NUM, "blocks", "number of blocks in this chainstate"},
3401
    {RPCResult::Type::STR_HEX, "bestblockhash", "blockhash of the tip"},
3402
    {RPCResult::Type::STR_HEX, "bits", "nBits: compact representation of the block difficulty target"},
3403
    {RPCResult::Type::STR_HEX, "target", "The difficulty target"},
3404
    {RPCResult::Type::NUM, "difficulty", "difficulty of the tip"},
3405
    {RPCResult::Type::NUM, "verificationprogress", "progress towards the network tip"},
3406
    {RPCResult::Type::STR_HEX, "snapshot_blockhash", /*optional=*/true, "the base block of the snapshot this chainstate is based on, if any"},
3407
    {RPCResult::Type::NUM, "coins_db_cache_bytes", "size of the coinsdb cache"},
3408
    {RPCResult::Type::NUM, "coins_tip_cache_bytes", "size of the coinstip cache"},
3409
    {RPCResult::Type::BOOL, "validated", "whether the chainstate is fully validated. True if all blocks in the chainstate were validated, false if the chain is based on a snapshot and the snapshot has not yet been validated."},
3410
};
3411
3412
static RPCHelpMan getchainstates()
3413
0
{
3414
0
return RPCHelpMan{
3415
0
        "getchainstates",
3416
0
        "Return information about chainstates.\n",
3417
0
        {},
3418
0
        RPCResult{
3419
0
            RPCResult::Type::OBJ, "", "", {
3420
0
                {RPCResult::Type::NUM, "headers", "the number of headers seen so far"},
3421
0
                {RPCResult::Type::ARR, "chainstates", "list of the chainstates ordered by work, with the most-work (active) chainstate last", {{RPCResult::Type::OBJ, "", "", RPCHelpForChainstate},}},
3422
0
            }
3423
0
        },
3424
0
        RPCExamples{
3425
0
            HelpExampleCli("getchainstates", "")
3426
0
    + HelpExampleRpc("getchainstates", "")
3427
0
        },
3428
0
        [&](const RPCHelpMan& self, const JSONRPCRequest& request) -> UniValue
3429
0
{
3430
0
    LOCK(cs_main);
Line
Count
Source
259
0
#define LOCK(cs) UniqueLock UNIQUE_NAME(criticalblock)(MaybeCheckNotHeld(cs), #cs, __FILE__, __LINE__)
Line
Count
Source
11
0
#define UNIQUE_NAME(name) PASTE2(name, __COUNTER__)
Line
Count
Source
9
0
#define PASTE2(x, y) PASTE(x, y)
Line
Count
Source
8
0
#define PASTE(x, y) x ## y
3431
0
    UniValue obj(UniValue::VOBJ);
3432
3433
0
    ChainstateManager& chainman = EnsureAnyChainman(request.context);
3434
3435
0
    auto make_chain_data = [&](const Chainstate& cs, bool validated) EXCLUSIVE_LOCKS_REQUIRED(::cs_main) {
3436
0
        AssertLockHeld(::cs_main);
Line
Count
Source
137
0
#define AssertLockHeld(cs) AssertLockHeldInternal(#cs, __FILE__, __LINE__, &cs)
3437
0
        UniValue data(UniValue::VOBJ);
3438
0
        if (!cs.m_chain.Tip()) {
3439
0
            return data;
3440
0
        }
3441
0
        const CChain& chain = cs.m_chain;
3442
0
        const CBlockIndex* tip = chain.Tip();
3443
3444
0
        data.pushKV("blocks",                (int)chain.Height());
3445
0
        data.pushKV("bestblockhash",         tip->GetBlockHash().GetHex());
3446
0
        data.pushKV("bits", strprintf("%08x", tip->nBits));
Line
Count
Source
1172
0
#define strprintf tfm::format
3447
0
        data.pushKV("target", GetTarget(*tip, chainman.GetConsensus().powLimit).GetHex());
3448
0
        data.pushKV("difficulty", GetDifficulty(*tip));
3449
0
        data.pushKV("verificationprogress", chainman.GuessVerificationProgress(tip));
3450
0
        data.pushKV("coins_db_cache_bytes",  cs.m_coinsdb_cache_size_bytes);
3451
0
        data.pushKV("coins_tip_cache_bytes", cs.m_coinstip_cache_size_bytes);
3452
0
        if (cs.m_from_snapshot_blockhash) {
3453
0
            data.pushKV("snapshot_blockhash", cs.m_from_snapshot_blockhash->ToString());
3454
0
        }
3455
0
        data.pushKV("validated", validated);
3456
0
        return data;
3457
0
    };
3458
3459
0
    obj.pushKV("headers", chainman.m_best_header ? chainman.m_best_header->nHeight : -1);
3460
3461
0
    const auto& chainstates = chainman.GetAll();
3462
0
    UniValue obj_chainstates{UniValue::VARR};
3463
0
    for (Chainstate* cs : chainstates) {
3464
0
      obj_chainstates.push_back(make_chain_data(*cs, !cs->m_from_snapshot_blockhash || chainstates.size() == 1));
3465
0
    }
3466
0
    obj.pushKV("chainstates", std::move(obj_chainstates));
3467
0
    return obj;
3468
0
}
3469
0
    };
3470
0
}
3471
3472
3473
void RegisterBlockchainRPCCommands(CRPCTable& t)
3474
0
{
3475
0
    static const CRPCCommand commands[]{
3476
0
        {"blockchain", &getblockchaininfo},
3477
0
        {"blockchain", &getchaintxstats},
3478
0
        {"blockchain", &getblockstats},
3479
0
        {"blockchain", &getbestblockhash},
3480
0
        {"blockchain", &getblockcount},
3481
0
        {"blockchain", &getblock},
3482
0
        {"blockchain", &getblockfrompeer},
3483
0
        {"blockchain", &getblockhash},
3484
0
        {"blockchain", &getblockheader},
3485
0
        {"blockchain", &getchaintips},
3486
0
        {"blockchain", &getdifficulty},
3487
0
        {"blockchain", &getdeploymentinfo},
3488
0
        {"blockchain", &gettxout},
3489
0
        {"blockchain", &gettxoutsetinfo},
3490
0
        {"blockchain", &pruneblockchain},
3491
0
        {"blockchain", &verifychain},
3492
0
        {"blockchain", &preciousblock},
3493
0
        {"blockchain", &scantxoutset},
3494
0
        {"blockchain", &scanblocks},
3495
0
        {"blockchain", &getdescriptoractivity},
3496
0
        {"blockchain", &getblockfilter},
3497
0
        {"blockchain", &dumptxoutset},
3498
0
        {"blockchain", &loadtxoutset},
3499
0
        {"blockchain", &getchainstates},
3500
0
        {"hidden", &invalidateblock},
3501
0
        {"hidden", &reconsiderblock},
3502
0
        {"blockchain", &waitfornewblock},
3503
0
        {"blockchain", &waitforblock},
3504
0
        {"blockchain", &waitforblockheight},
3505
0
        {"hidden", &syncwithvalidationinterfacequeue},
3506
0
    };
3507
0
    for (const auto& c : commands) {
3508
0
        t.appendCommand(c.name, &c);
3509
0
    }
3510
0
}