Bitcoin Core 30.99.0
P2P Digital Currency
rest.cpp
Go to the documentation of this file.
1// Copyright (c) 2009-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 <rest.h>
7
8#include <blockfilter.h>
9#include <chain.h>
10#include <chainparams.h>
11#include <core_io.h>
12#include <flatfile.h>
13#include <httpserver.h>
15#include <index/txindex.h>
16#include <node/blockstorage.h>
17#include <node/context.h>
18#include <primitives/block.h>
20#include <rpc/blockchain.h>
21#include <rpc/mempool.h>
22#include <rpc/protocol.h>
23#include <rpc/server.h>
24#include <rpc/server_util.h>
25#include <streams.h>
26#include <sync.h>
27#include <txmempool.h>
28#include <undo.h>
29#include <util/any.h>
30#include <util/check.h>
31#include <util/strencodings.h>
32#include <validation.h>
33
34#include <any>
35#include <vector>
36
37#include <univalue.h>
38
42
43static const size_t MAX_GETUTXOS_OUTPOINTS = 15; //allow a max of 15 outpoints to be queried at once
44static constexpr unsigned int MAX_REST_HEADERS_RESULTS = 2000;
45
46static const struct {
48 const char* name;
49} rf_names[] = {
54};
55
56struct CCoin {
57 uint32_t nHeight;
59
60 CCoin() : nHeight(0) {}
61 explicit CCoin(Coin&& in) : nHeight(in.nHeight), out(std::move(in.out)) {}
62
64 {
65 uint32_t nTxVerDummy = 0;
66 READWRITE(nTxVerDummy, obj.nHeight, obj.out);
67 }
68};
69
70static bool RESTERR(HTTPRequest* req, enum HTTPStatusCode status, std::string message)
71{
72 req->WriteHeader("Content-Type", "text/plain");
73 req->WriteReply(status, message + "\r\n");
74 return false;
75}
76
84static NodeContext* GetNodeContext(const std::any& context, HTTPRequest* req)
85{
86 auto node_context = util::AnyPtr<NodeContext>(context);
87 if (!node_context) {
88 RESTERR(req, HTTP_INTERNAL_SERVER_ERROR, STR_INTERNAL_BUG("Node context not found!"));
89 return nullptr;
90 }
91 return node_context;
92}
93
101static CTxMemPool* GetMemPool(const std::any& context, HTTPRequest* req)
102{
103 auto node_context = util::AnyPtr<NodeContext>(context);
104 if (!node_context || !node_context->mempool) {
105 RESTERR(req, HTTP_NOT_FOUND, "Mempool disabled or instance not found");
106 return nullptr;
107 }
108 return node_context->mempool.get();
109}
110
118static ChainstateManager* GetChainman(const std::any& context, HTTPRequest* req)
119{
120 auto node_context = util::AnyPtr<NodeContext>(context);
121 if (!node_context || !node_context->chainman) {
122 RESTERR(req, HTTP_INTERNAL_SERVER_ERROR, STR_INTERNAL_BUG("Chainman disabled or instance not found!"));
123 return nullptr;
124 }
125 return node_context->chainman.get();
126}
127
128RESTResponseFormat ParseDataFormat(std::string& param, const std::string& strReq)
129{
130 // Remove query string (if any, separated with '?') as it should not interfere with
131 // parsing param and data format
132 param = strReq.substr(0, strReq.rfind('?'));
133 const std::string::size_type pos_format{param.rfind('.')};
134
135 // No format string is found
136 if (pos_format == std::string::npos) {
138 }
139
140 // Match format string to available formats
141 const std::string suffix(param, pos_format + 1);
142 for (const auto& rf_name : rf_names) {
143 if (suffix == rf_name.name) {
144 param.erase(pos_format);
145 return rf_name.rf;
146 }
147 }
148
149 // If no suffix is found, return RESTResponseFormat::UNDEF and original string without query string
151}
152
153static std::string AvailableDataFormatsString()
154{
155 std::string formats;
156 for (const auto& rf_name : rf_names) {
157 if (strlen(rf_name.name) > 0) {
158 formats.append(".");
159 formats.append(rf_name.name);
160 formats.append(", ");
161 }
162 }
163
164 if (formats.length() > 0)
165 return formats.substr(0, formats.length() - 2);
166
167 return formats;
168}
169
170static bool CheckWarmup(HTTPRequest* req)
171{
172 std::string statusmessage;
173 if (RPCIsInWarmup(&statusmessage))
174 return RESTERR(req, HTTP_SERVICE_UNAVAILABLE, "Service temporarily unavailable: " + statusmessage);
175 return true;
176}
177
178static bool rest_headers(const std::any& context,
179 HTTPRequest* req,
180 const std::string& uri_part)
181{
182 if (!CheckWarmup(req))
183 return false;
184 std::string param;
185 const RESTResponseFormat rf = ParseDataFormat(param, uri_part);
186 std::vector<std::string> path = SplitString(param, '/');
187
188 std::string raw_count;
189 std::string hashStr;
190 if (path.size() == 2) {
191 // deprecated path: /rest/headers/<count>/<hash>
192 hashStr = path[1];
193 raw_count = path[0];
194 } else if (path.size() == 1) {
195 // new path with query parameter: /rest/headers/<hash>?count=<count>
196 hashStr = path[0];
197 try {
198 raw_count = req->GetQueryParameter("count").value_or("5");
199 } catch (const std::runtime_error& e) {
200 return RESTERR(req, HTTP_BAD_REQUEST, e.what());
201 }
202 } else {
203 return RESTERR(req, HTTP_BAD_REQUEST, "Invalid URI format. Expected /rest/headers/<hash>.<ext>?count=<count>");
204 }
205
206 const auto parsed_count{ToIntegral<size_t>(raw_count)};
207 if (!parsed_count.has_value() || *parsed_count < 1 || *parsed_count > MAX_REST_HEADERS_RESULTS) {
208 return RESTERR(req, HTTP_BAD_REQUEST, strprintf("Header count is invalid or out of acceptable range (1-%u): %s", MAX_REST_HEADERS_RESULTS, raw_count));
209 }
210
211 auto hash{uint256::FromHex(hashStr)};
212 if (!hash) {
213 return RESTERR(req, HTTP_BAD_REQUEST, "Invalid hash: " + hashStr);
214 }
215
216 const CBlockIndex* tip = nullptr;
217 std::vector<const CBlockIndex*> headers;
218 headers.reserve(*parsed_count);
219 ChainstateManager* maybe_chainman = GetChainman(context, req);
220 if (!maybe_chainman) return false;
221 ChainstateManager& chainman = *maybe_chainman;
222 {
223 LOCK(cs_main);
224 CChain& active_chain = chainman.ActiveChain();
225 tip = active_chain.Tip();
226 const CBlockIndex* pindex{chainman.m_blockman.LookupBlockIndex(*hash)};
227 while (pindex != nullptr && active_chain.Contains(pindex)) {
228 headers.push_back(pindex);
229 if (headers.size() == *parsed_count) {
230 break;
231 }
232 pindex = active_chain.Next(pindex);
233 }
234 }
235
236 switch (rf) {
238 DataStream ssHeader{};
239 for (const CBlockIndex *pindex : headers) {
240 ssHeader << pindex->GetBlockHeader();
241 }
242
243 req->WriteHeader("Content-Type", "application/octet-stream");
244 req->WriteReply(HTTP_OK, ssHeader);
245 return true;
246 }
247
249 DataStream ssHeader{};
250 for (const CBlockIndex *pindex : headers) {
251 ssHeader << pindex->GetBlockHeader();
252 }
253
254 std::string strHex = HexStr(ssHeader) + "\n";
255 req->WriteHeader("Content-Type", "text/plain");
256 req->WriteReply(HTTP_OK, strHex);
257 return true;
258 }
260 UniValue jsonHeaders(UniValue::VARR);
261 for (const CBlockIndex *pindex : headers) {
262 jsonHeaders.push_back(blockheaderToJSON(*tip, *pindex, chainman.GetConsensus().powLimit));
263 }
264 std::string strJSON = jsonHeaders.write() + "\n";
265 req->WriteHeader("Content-Type", "application/json");
266 req->WriteReply(HTTP_OK, strJSON);
267 return true;
268 }
269 default: {
270 return RESTERR(req, HTTP_NOT_FOUND, "output format not found (available: " + AvailableDataFormatsString() + ")");
271 }
272 }
273}
274
278static void SerializeBlockUndo(DataStream& stream, const CBlockUndo& block_undo)
279{
280 WriteCompactSize(stream, block_undo.vtxundo.size() + 1);
281 WriteCompactSize(stream, 0); // block_undo.vtxundo doesn't contain coinbase tx
282 for (const CTxUndo& tx_undo : block_undo.vtxundo) {
283 WriteCompactSize(stream, tx_undo.vprevout.size());
284 for (const Coin& coin : tx_undo.vprevout) {
285 coin.out.Serialize(stream);
286 }
287 }
288}
289
293static void BlockUndoToJSON(const CBlockUndo& block_undo, UniValue& result)
294{
295 result.push_back({UniValue::VARR}); // block_undo.vtxundo doesn't contain coinbase tx
296 for (const CTxUndo& tx_undo : block_undo.vtxundo) {
297 UniValue tx_prevouts(UniValue::VARR);
298 for (const Coin& coin : tx_undo.vprevout) {
299 UniValue prevout(UniValue::VOBJ);
300 prevout.pushKV("value", ValueFromAmount(coin.out.nValue));
301
302 UniValue script_pub_key(UniValue::VOBJ);
303 ScriptToUniv(coin.out.scriptPubKey, /*out=*/script_pub_key, /*include_hex=*/true, /*include_address=*/true);
304 prevout.pushKV("scriptPubKey", std::move(script_pub_key));
305
306 tx_prevouts.push_back(std::move(prevout));
307 }
308 result.push_back(std::move(tx_prevouts));
309 }
310}
311
312static bool rest_spent_txouts(const std::any& context, HTTPRequest* req, const std::string& uri_part)
313{
314 if (!CheckWarmup(req)) {
315 return false;
316 }
317 std::string param;
318 const RESTResponseFormat rf = ParseDataFormat(param, uri_part);
319 std::vector<std::string> path = SplitString(param, '/');
320
321 std::string hashStr;
322 if (path.size() == 1) {
323 // path with query parameter: /rest/spenttxouts/<hash>
324 hashStr = path[0];
325 } else {
326 return RESTERR(req, HTTP_BAD_REQUEST, "Invalid URI format. Expected /rest/spenttxouts/<hash>.<ext>");
327 }
328
329 auto hash{uint256::FromHex(hashStr)};
330 if (!hash) {
331 return RESTERR(req, HTTP_BAD_REQUEST, "Invalid hash: " + hashStr);
332 }
333
334 ChainstateManager* chainman = GetChainman(context, req);
335 if (!chainman) {
336 return false;
337 }
338
339 const CBlockIndex* pblockindex = WITH_LOCK(cs_main, return chainman->m_blockman.LookupBlockIndex(*hash));
340 if (!pblockindex) {
341 return RESTERR(req, HTTP_NOT_FOUND, hashStr + " not found");
342 }
343
344 CBlockUndo block_undo;
345 if (pblockindex->nHeight > 0 && !chainman->m_blockman.ReadBlockUndo(block_undo, *pblockindex)) {
346 return RESTERR(req, HTTP_NOT_FOUND, hashStr + " undo not available");
347 }
348
349 switch (rf) {
351 DataStream ssSpentResponse{};
352 SerializeBlockUndo(ssSpentResponse, block_undo);
353 req->WriteHeader("Content-Type", "application/octet-stream");
354 req->WriteReply(HTTP_OK, ssSpentResponse);
355 return true;
356 }
357
359 DataStream ssSpentResponse{};
360 SerializeBlockUndo(ssSpentResponse, block_undo);
361 const std::string strHex{HexStr(ssSpentResponse) + "\n"};
362 req->WriteHeader("Content-Type", "text/plain");
363 req->WriteReply(HTTP_OK, strHex);
364 return true;
365 }
366
368 UniValue result(UniValue::VARR);
369 BlockUndoToJSON(block_undo, result);
370 std::string strJSON = result.write() + "\n";
371 req->WriteHeader("Content-Type", "application/json");
372 req->WriteReply(HTTP_OK, strJSON);
373 return true;
374 }
375
376 default: {
377 return RESTERR(req, HTTP_NOT_FOUND, "output format not found (available: " + AvailableDataFormatsString() + ")");
378 }
379 }
380}
381
388static bool rest_block(const std::any& context,
389 HTTPRequest* req,
390 const std::string& uri_part,
391 std::optional<TxVerbosity> tx_verbosity,
392 std::optional<std::pair<size_t, size_t>> block_part = std::nullopt)
393{
394 if (!CheckWarmup(req))
395 return false;
396 std::string hashStr;
397 const RESTResponseFormat rf = ParseDataFormat(hashStr, uri_part);
398
399 auto hash{uint256::FromHex(hashStr)};
400 if (!hash) {
401 return RESTERR(req, HTTP_BAD_REQUEST, "Invalid hash: " + hashStr);
402 }
403
404 FlatFilePos pos{};
405 const CBlockIndex* pblockindex = nullptr;
406 const CBlockIndex* tip = nullptr;
407 ChainstateManager* maybe_chainman = GetChainman(context, req);
408 if (!maybe_chainman) return false;
409 ChainstateManager& chainman = *maybe_chainman;
410 {
411 LOCK(cs_main);
412 tip = chainman.ActiveChain().Tip();
413 pblockindex = chainman.m_blockman.LookupBlockIndex(*hash);
414 if (!pblockindex) {
415 return RESTERR(req, HTTP_NOT_FOUND, hashStr + " not found");
416 }
417 if (!(pblockindex->nStatus & BLOCK_HAVE_DATA)) {
418 if (chainman.m_blockman.IsBlockPruned(*pblockindex)) {
419 return RESTERR(req, HTTP_NOT_FOUND, hashStr + " not available (pruned data)");
420 }
421 return RESTERR(req, HTTP_NOT_FOUND, hashStr + " not available (not fully downloaded)");
422 }
423 pos = pblockindex->GetBlockPos();
424 }
425
426 const auto block_data{chainman.m_blockman.ReadRawBlock(pos, block_part)};
427 if (!block_data) {
428 switch (block_data.error()) {
429 case node::ReadRawError::IO: return RESTERR(req, HTTP_INTERNAL_SERVER_ERROR, "I/O error reading " + hashStr);
431 assert(block_part);
432 return RESTERR(req, HTTP_BAD_REQUEST, strprintf("Bad block part offset/size %d/%d for %s", block_part->first, block_part->second, hashStr));
433 } // no default case, so the compiler can warn about missing cases
434 assert(false);
435 }
436
437 switch (rf) {
439 req->WriteHeader("Content-Type", "application/octet-stream");
440 req->WriteReply(HTTP_OK, *block_data);
441 return true;
442 }
443
445 const std::string strHex{HexStr(*block_data) + "\n"};
446 req->WriteHeader("Content-Type", "text/plain");
447 req->WriteReply(HTTP_OK, strHex);
448 return true;
449 }
450
452 if (tx_verbosity) {
453 CBlock block{};
454 DataStream block_stream{*block_data};
455 block_stream >> TX_WITH_WITNESS(block);
456 UniValue objBlock = blockToJSON(chainman.m_blockman, block, *tip, *pblockindex, *tx_verbosity, chainman.GetConsensus().powLimit);
457 std::string strJSON = objBlock.write() + "\n";
458 req->WriteHeader("Content-Type", "application/json");
459 req->WriteReply(HTTP_OK, strJSON);
460 return true;
461 }
462 return RESTERR(req, HTTP_BAD_REQUEST, "JSON output is not supported for this request type");
463 }
464
465 default: {
466 return RESTERR(req, HTTP_NOT_FOUND, "output format not found (available: " + AvailableDataFormatsString() + ")");
467 }
468 }
469}
470
471static bool rest_block_extended(const std::any& context, HTTPRequest* req, const std::string& uri_part)
472{
473 return rest_block(context, req, uri_part, TxVerbosity::SHOW_DETAILS_AND_PREVOUT);
474}
475
476static bool rest_block_notxdetails(const std::any& context, HTTPRequest* req, const std::string& uri_part)
477{
478 return rest_block(context, req, uri_part, TxVerbosity::SHOW_TXID);
479}
480
481static bool rest_block_part(const std::any& context, HTTPRequest* req, const std::string& uri_part)
482{
483 try {
484 if (const auto opt_offset{ToIntegral<size_t>(req->GetQueryParameter("offset").value_or(""))}) {
485 if (const auto opt_size{ToIntegral<size_t>(req->GetQueryParameter("size").value_or(""))}) {
486 return rest_block(context, req, uri_part,
487 /*tx_verbosity=*/std::nullopt,
488 /*block_part=*/{{*opt_offset, *opt_size}});
489 } else {
490 return RESTERR(req, HTTP_BAD_REQUEST, "Block part size missing or invalid");
491 }
492 } else {
493 return RESTERR(req, HTTP_BAD_REQUEST, "Block part offset missing or invalid");
494 }
495 } catch (const std::runtime_error& e) {
496 return RESTERR(req, HTTP_BAD_REQUEST, e.what());
497 }
498}
499
500static bool rest_filter_header(const std::any& context, HTTPRequest* req, const std::string& uri_part)
501{
502 if (!CheckWarmup(req)) return false;
503
504 std::string param;
505 const RESTResponseFormat rf = ParseDataFormat(param, uri_part);
506
507 std::vector<std::string> uri_parts = SplitString(param, '/');
508 std::string raw_count;
509 std::string raw_blockhash;
510 if (uri_parts.size() == 3) {
511 // deprecated path: /rest/blockfilterheaders/<filtertype>/<count>/<blockhash>
512 raw_blockhash = uri_parts[2];
513 raw_count = uri_parts[1];
514 } else if (uri_parts.size() == 2) {
515 // new path with query parameter: /rest/blockfilterheaders/<filtertype>/<blockhash>?count=<count>
516 raw_blockhash = uri_parts[1];
517 try {
518 raw_count = req->GetQueryParameter("count").value_or("5");
519 } catch (const std::runtime_error& e) {
520 return RESTERR(req, HTTP_BAD_REQUEST, e.what());
521 }
522 } else {
523 return RESTERR(req, HTTP_BAD_REQUEST, "Invalid URI format. Expected /rest/blockfilterheaders/<filtertype>/<blockhash>.<ext>?count=<count>");
524 }
525
526 const auto parsed_count{ToIntegral<size_t>(raw_count)};
527 if (!parsed_count.has_value() || *parsed_count < 1 || *parsed_count > MAX_REST_HEADERS_RESULTS) {
528 return RESTERR(req, HTTP_BAD_REQUEST, strprintf("Header count is invalid or out of acceptable range (1-%u): %s", MAX_REST_HEADERS_RESULTS, raw_count));
529 }
530
531 auto block_hash{uint256::FromHex(raw_blockhash)};
532 if (!block_hash) {
533 return RESTERR(req, HTTP_BAD_REQUEST, "Invalid hash: " + raw_blockhash);
534 }
535
536 BlockFilterType filtertype;
537 if (!BlockFilterTypeByName(uri_parts[0], filtertype)) {
538 return RESTERR(req, HTTP_BAD_REQUEST, "Unknown filtertype " + uri_parts[0]);
539 }
540
541 BlockFilterIndex* index = GetBlockFilterIndex(filtertype);
542 if (!index) {
543 return RESTERR(req, HTTP_BAD_REQUEST, "Index is not enabled for filtertype " + uri_parts[0]);
544 }
545
546 std::vector<const CBlockIndex*> headers;
547 headers.reserve(*parsed_count);
548 {
549 ChainstateManager* maybe_chainman = GetChainman(context, req);
550 if (!maybe_chainman) return false;
551 ChainstateManager& chainman = *maybe_chainman;
552 LOCK(cs_main);
553 CChain& active_chain = chainman.ActiveChain();
554 const CBlockIndex* pindex{chainman.m_blockman.LookupBlockIndex(*block_hash)};
555 while (pindex != nullptr && active_chain.Contains(pindex)) {
556 headers.push_back(pindex);
557 if (headers.size() == *parsed_count)
558 break;
559 pindex = active_chain.Next(pindex);
560 }
561 }
562
563 bool index_ready = index->BlockUntilSyncedToCurrentChain();
564
565 std::vector<uint256> filter_headers;
566 filter_headers.reserve(*parsed_count);
567 for (const CBlockIndex* pindex : headers) {
568 uint256 filter_header;
569 if (!index->LookupFilterHeader(pindex, filter_header)) {
570 std::string errmsg = "Filter not found.";
571
572 if (!index_ready) {
573 errmsg += " Block filters are still in the process of being indexed.";
574 } else {
575 errmsg += " This error is unexpected and indicates index corruption.";
576 }
577
578 return RESTERR(req, HTTP_NOT_FOUND, errmsg);
579 }
580 filter_headers.push_back(filter_header);
581 }
582
583 switch (rf) {
585 DataStream ssHeader{};
586 for (const uint256& header : filter_headers) {
587 ssHeader << header;
588 }
589
590 req->WriteHeader("Content-Type", "application/octet-stream");
591 req->WriteReply(HTTP_OK, ssHeader);
592 return true;
593 }
595 DataStream ssHeader{};
596 for (const uint256& header : filter_headers) {
597 ssHeader << header;
598 }
599
600 std::string strHex = HexStr(ssHeader) + "\n";
601 req->WriteHeader("Content-Type", "text/plain");
602 req->WriteReply(HTTP_OK, strHex);
603 return true;
604 }
606 UniValue jsonHeaders(UniValue::VARR);
607 for (const uint256& header : filter_headers) {
608 jsonHeaders.push_back(header.GetHex());
609 }
610
611 std::string strJSON = jsonHeaders.write() + "\n";
612 req->WriteHeader("Content-Type", "application/json");
613 req->WriteReply(HTTP_OK, strJSON);
614 return true;
615 }
616 default: {
617 return RESTERR(req, HTTP_NOT_FOUND, "output format not found (available: " + AvailableDataFormatsString() + ")");
618 }
619 }
620}
621
622static bool rest_block_filter(const std::any& context, HTTPRequest* req, const std::string& uri_part)
623{
624 if (!CheckWarmup(req)) return false;
625
626 std::string param;
627 const RESTResponseFormat rf = ParseDataFormat(param, uri_part);
628
629 // request is sent over URI scheme /rest/blockfilter/filtertype/blockhash
630 std::vector<std::string> uri_parts = SplitString(param, '/');
631 if (uri_parts.size() != 2) {
632 return RESTERR(req, HTTP_BAD_REQUEST, "Invalid URI format. Expected /rest/blockfilter/<filtertype>/<blockhash>");
633 }
634
635 auto block_hash{uint256::FromHex(uri_parts[1])};
636 if (!block_hash) {
637 return RESTERR(req, HTTP_BAD_REQUEST, "Invalid hash: " + uri_parts[1]);
638 }
639
640 BlockFilterType filtertype;
641 if (!BlockFilterTypeByName(uri_parts[0], filtertype)) {
642 return RESTERR(req, HTTP_BAD_REQUEST, "Unknown filtertype " + uri_parts[0]);
643 }
644
645 BlockFilterIndex* index = GetBlockFilterIndex(filtertype);
646 if (!index) {
647 return RESTERR(req, HTTP_BAD_REQUEST, "Index is not enabled for filtertype " + uri_parts[0]);
648 }
649
650 const CBlockIndex* block_index;
651 bool block_was_connected;
652 {
653 ChainstateManager* maybe_chainman = GetChainman(context, req);
654 if (!maybe_chainman) return false;
655 ChainstateManager& chainman = *maybe_chainman;
656 LOCK(cs_main);
657 block_index = chainman.m_blockman.LookupBlockIndex(*block_hash);
658 if (!block_index) {
659 return RESTERR(req, HTTP_NOT_FOUND, uri_parts[1] + " not found");
660 }
661 block_was_connected = block_index->IsValid(BLOCK_VALID_SCRIPTS);
662 }
663
664 bool index_ready = index->BlockUntilSyncedToCurrentChain();
665
666 BlockFilter filter;
667 if (!index->LookupFilter(block_index, filter)) {
668 std::string errmsg = "Filter not found.";
669
670 if (!block_was_connected) {
671 errmsg += " Block was not connected to active chain.";
672 } else if (!index_ready) {
673 errmsg += " Block filters are still in the process of being indexed.";
674 } else {
675 errmsg += " This error is unexpected and indicates index corruption.";
676 }
677
678 return RESTERR(req, HTTP_NOT_FOUND, errmsg);
679 }
680
681 switch (rf) {
683 DataStream ssResp{};
684 ssResp << filter;
685
686 req->WriteHeader("Content-Type", "application/octet-stream");
687 req->WriteReply(HTTP_OK, ssResp);
688 return true;
689 }
691 DataStream ssResp{};
692 ssResp << filter;
693
694 std::string strHex = HexStr(ssResp) + "\n";
695 req->WriteHeader("Content-Type", "text/plain");
696 req->WriteReply(HTTP_OK, strHex);
697 return true;
698 }
701 ret.pushKV("filter", HexStr(filter.GetEncodedFilter()));
702 std::string strJSON = ret.write() + "\n";
703 req->WriteHeader("Content-Type", "application/json");
704 req->WriteReply(HTTP_OK, strJSON);
705 return true;
706 }
707 default: {
708 return RESTERR(req, HTTP_NOT_FOUND, "output format not found (available: " + AvailableDataFormatsString() + ")");
709 }
710 }
711}
712
713// A bit of a hack - dependency on a function defined in rpc/blockchain.cpp
715
716static bool rest_chaininfo(const std::any& context, HTTPRequest* req, const std::string& uri_part)
717{
718 if (!CheckWarmup(req))
719 return false;
720 std::string param;
721 const RESTResponseFormat rf = ParseDataFormat(param, uri_part);
722
723 switch (rf) {
725 JSONRPCRequest jsonRequest;
726 jsonRequest.context = context;
727 jsonRequest.params = UniValue(UniValue::VARR);
728 UniValue chainInfoObject = getblockchaininfo().HandleRequest(jsonRequest);
729 std::string strJSON = chainInfoObject.write() + "\n";
730 req->WriteHeader("Content-Type", "application/json");
731 req->WriteReply(HTTP_OK, strJSON);
732 return true;
733 }
734 default: {
735 return RESTERR(req, HTTP_NOT_FOUND, "output format not found (available: json)");
736 }
737 }
738}
739
740
742
743static bool rest_deploymentinfo(const std::any& context, HTTPRequest* req, const std::string& str_uri_part)
744{
745 if (!CheckWarmup(req)) return false;
746
747 std::string hash_str;
748 const RESTResponseFormat rf = ParseDataFormat(hash_str, str_uri_part);
749
750 switch (rf) {
752 JSONRPCRequest jsonRequest;
753 jsonRequest.context = context;
754 jsonRequest.params = UniValue(UniValue::VARR);
755
756 if (!hash_str.empty()) {
757 auto hash{uint256::FromHex(hash_str)};
758 if (!hash) {
759 return RESTERR(req, HTTP_BAD_REQUEST, "Invalid hash: " + hash_str);
760 }
761
762 const ChainstateManager* chainman = GetChainman(context, req);
763 if (!chainman) return false;
764 if (!WITH_LOCK(::cs_main, return chainman->m_blockman.LookupBlockIndex(*hash))) {
765 return RESTERR(req, HTTP_BAD_REQUEST, "Block not found");
766 }
767
768 jsonRequest.params.push_back(hash_str);
769 }
770
771 req->WriteHeader("Content-Type", "application/json");
772 req->WriteReply(HTTP_OK, getdeploymentinfo().HandleRequest(jsonRequest).write() + "\n");
773 return true;
774 }
775 default: {
776 return RESTERR(req, HTTP_NOT_FOUND, "output format not found (available: json)");
777 }
778 }
779
780}
781
782static bool rest_mempool(const std::any& context, HTTPRequest* req, const std::string& str_uri_part)
783{
784 if (!CheckWarmup(req))
785 return false;
786
787 std::string param;
788 const RESTResponseFormat rf = ParseDataFormat(param, str_uri_part);
789 if (param != "contents" && param != "info") {
790 return RESTERR(req, HTTP_BAD_REQUEST, "Invalid URI format. Expected /rest/mempool/<info|contents>.json");
791 }
792
793 const CTxMemPool* mempool = GetMemPool(context, req);
794 if (!mempool) return false;
795
796 switch (rf) {
798 std::string str_json;
799 if (param == "contents") {
800 std::string raw_verbose;
801 try {
802 raw_verbose = req->GetQueryParameter("verbose").value_or("true");
803 } catch (const std::runtime_error& e) {
804 return RESTERR(req, HTTP_BAD_REQUEST, e.what());
805 }
806 if (raw_verbose != "true" && raw_verbose != "false") {
807 return RESTERR(req, HTTP_BAD_REQUEST, "The \"verbose\" query parameter must be either \"true\" or \"false\".");
808 }
809 std::string raw_mempool_sequence;
810 try {
811 raw_mempool_sequence = req->GetQueryParameter("mempool_sequence").value_or("false");
812 } catch (const std::runtime_error& e) {
813 return RESTERR(req, HTTP_BAD_REQUEST, e.what());
814 }
815 if (raw_mempool_sequence != "true" && raw_mempool_sequence != "false") {
816 return RESTERR(req, HTTP_BAD_REQUEST, "The \"mempool_sequence\" query parameter must be either \"true\" or \"false\".");
817 }
818 const bool verbose{raw_verbose == "true"};
819 const bool mempool_sequence{raw_mempool_sequence == "true"};
820 if (verbose && mempool_sequence) {
821 return RESTERR(req, HTTP_BAD_REQUEST, "Verbose results cannot contain mempool sequence values. (hint: set \"verbose=false\")");
822 }
823 str_json = MempoolToJSON(*mempool, verbose, mempool_sequence).write() + "\n";
824 } else {
825 str_json = MempoolInfoToJSON(*mempool).write() + "\n";
826 }
827
828 req->WriteHeader("Content-Type", "application/json");
829 req->WriteReply(HTTP_OK, str_json);
830 return true;
831 }
832 default: {
833 return RESTERR(req, HTTP_NOT_FOUND, "output format not found (available: json)");
834 }
835 }
836}
837
838static bool rest_tx(const std::any& context, HTTPRequest* req, const std::string& uri_part)
839{
840 if (!CheckWarmup(req))
841 return false;
842 std::string hashStr;
843 const RESTResponseFormat rf = ParseDataFormat(hashStr, uri_part);
844
845 auto hash{Txid::FromHex(hashStr)};
846 if (!hash) {
847 return RESTERR(req, HTTP_BAD_REQUEST, "Invalid hash: " + hashStr);
848 }
849
850 if (g_txindex) {
851 g_txindex->BlockUntilSyncedToCurrentChain();
852 }
853
854 const NodeContext* const node = GetNodeContext(context, req);
855 if (!node) return false;
856 uint256 hashBlock = uint256();
857 const CTransactionRef tx{GetTransaction(/*block_index=*/nullptr, node->mempool.get(), *hash, node->chainman->m_blockman, hashBlock)};
858 if (!tx) {
859 return RESTERR(req, HTTP_NOT_FOUND, hashStr + " not found");
860 }
861
862 switch (rf) {
864 DataStream ssTx;
865 ssTx << TX_WITH_WITNESS(tx);
866
867 req->WriteHeader("Content-Type", "application/octet-stream");
868 req->WriteReply(HTTP_OK, ssTx);
869 return true;
870 }
871
873 DataStream ssTx;
874 ssTx << TX_WITH_WITNESS(tx);
875
876 std::string strHex = HexStr(ssTx) + "\n";
877 req->WriteHeader("Content-Type", "text/plain");
878 req->WriteReply(HTTP_OK, strHex);
879 return true;
880 }
881
884 TxToUniv(*tx, /*block_hash=*/hashBlock, /*entry=*/ objTx);
885 std::string strJSON = objTx.write() + "\n";
886 req->WriteHeader("Content-Type", "application/json");
887 req->WriteReply(HTTP_OK, strJSON);
888 return true;
889 }
890
891 default: {
892 return RESTERR(req, HTTP_NOT_FOUND, "output format not found (available: " + AvailableDataFormatsString() + ")");
893 }
894 }
895}
896
897static bool rest_getutxos(const std::any& context, HTTPRequest* req, const std::string& uri_part)
898{
899 if (!CheckWarmup(req))
900 return false;
901 std::string param;
902 const RESTResponseFormat rf = ParseDataFormat(param, uri_part);
903
904 std::vector<std::string> uriParts;
905 if (param.length() > 1)
906 {
907 std::string strUriParams = param.substr(1);
908 uriParts = SplitString(strUriParams, '/');
909 }
910
911 // throw exception in case of an empty request
912 std::string strRequestMutable = req->ReadBody();
913 if (strRequestMutable.length() == 0 && uriParts.size() == 0)
914 return RESTERR(req, HTTP_BAD_REQUEST, "Error: empty request");
915
916 bool fInputParsed = false;
917 bool fCheckMemPool = false;
918 std::vector<COutPoint> vOutPoints;
919
920 // parse/deserialize input
921 // input-format = output-format, rest/getutxos/bin requires binary input, gives binary output, ...
922
923 if (uriParts.size() > 0)
924 {
925 //inputs is sent over URI scheme (/rest/getutxos/checkmempool/txid1-n/txid2-n/...)
926 if (uriParts[0] == "checkmempool") fCheckMemPool = true;
927
928 for (size_t i = (fCheckMemPool) ? 1 : 0; i < uriParts.size(); i++)
929 {
930 const auto txid_out{util::Split<std::string_view>(uriParts[i], '-')};
931 if (txid_out.size() != 2) {
932 return RESTERR(req, HTTP_BAD_REQUEST, "Parse error");
933 }
934 auto txid{Txid::FromHex(txid_out.at(0))};
935 auto output{ToIntegral<uint32_t>(txid_out.at(1))};
936
937 if (!txid || !output) {
938 return RESTERR(req, HTTP_BAD_REQUEST, "Parse error");
939 }
940
941 vOutPoints.emplace_back(*txid, *output);
942 }
943
944 if (vOutPoints.size() > 0)
945 fInputParsed = true;
946 else
947 return RESTERR(req, HTTP_BAD_REQUEST, "Error: empty request");
948 }
949
950 switch (rf) {
952 // convert hex to bin, continue then with bin part
953 std::vector<unsigned char> strRequestV = ParseHex(strRequestMutable);
954 strRequestMutable.assign(strRequestV.begin(), strRequestV.end());
955 [[fallthrough]];
956 }
957
959 try {
960 //deserialize only if user sent a request
961 if (strRequestMutable.size() > 0)
962 {
963 if (fInputParsed) //don't allow sending input over URI and HTTP RAW DATA
964 return RESTERR(req, HTTP_BAD_REQUEST, "Combination of URI scheme inputs and raw post data is not allowed");
965
966 DataStream oss{};
967 oss << strRequestMutable;
968 oss >> fCheckMemPool;
969 oss >> vOutPoints;
970 }
971 } catch (const std::ios_base::failure&) {
972 // abort in case of unreadable binary data
973 return RESTERR(req, HTTP_BAD_REQUEST, "Parse error");
974 }
975 break;
976 }
977
979 if (!fInputParsed)
980 return RESTERR(req, HTTP_BAD_REQUEST, "Error: empty request");
981 break;
982 }
983 default: {
984 return RESTERR(req, HTTP_NOT_FOUND, "output format not found (available: " + AvailableDataFormatsString() + ")");
985 }
986 }
987
988 // limit max outpoints
989 if (vOutPoints.size() > MAX_GETUTXOS_OUTPOINTS)
990 return RESTERR(req, HTTP_BAD_REQUEST, strprintf("Error: max outpoints exceeded (max: %d, tried: %d)", MAX_GETUTXOS_OUTPOINTS, vOutPoints.size()));
991
992 // check spentness and form a bitmap (as well as a JSON capable human-readable string representation)
993 std::vector<unsigned char> bitmap;
994 std::vector<CCoin> outs;
995 std::string bitmapStringRepresentation;
996 std::vector<bool> hits;
997 bitmap.resize((vOutPoints.size() + 7) / 8);
998 ChainstateManager* maybe_chainman = GetChainman(context, req);
999 if (!maybe_chainman) return false;
1000 ChainstateManager& chainman = *maybe_chainman;
1001 decltype(chainman.ActiveHeight()) active_height;
1002 uint256 active_hash;
1003 {
1004 auto process_utxos = [&vOutPoints, &outs, &hits, &active_height, &active_hash, &chainman](const CCoinsView& view, const CTxMemPool* mempool) EXCLUSIVE_LOCKS_REQUIRED(chainman.GetMutex()) {
1005 for (const COutPoint& vOutPoint : vOutPoints) {
1006 auto coin = !mempool || !mempool->isSpent(vOutPoint) ? view.GetCoin(vOutPoint) : std::nullopt;
1007 hits.push_back(coin.has_value());
1008 if (coin) outs.emplace_back(std::move(*coin));
1009 }
1010 active_height = chainman.ActiveHeight();
1011 active_hash = chainman.ActiveTip()->GetBlockHash();
1012 };
1013
1014 if (fCheckMemPool) {
1015 const CTxMemPool* mempool = GetMemPool(context, req);
1016 if (!mempool) return false;
1017 // use db+mempool as cache backend in case user likes to query mempool
1018 LOCK2(cs_main, mempool->cs);
1019 CCoinsViewCache& viewChain = chainman.ActiveChainstate().CoinsTip();
1020 CCoinsViewMemPool viewMempool(&viewChain, *mempool);
1021 process_utxos(viewMempool, mempool);
1022 } else {
1023 LOCK(cs_main);
1024 process_utxos(chainman.ActiveChainstate().CoinsTip(), nullptr);
1025 }
1026
1027 for (size_t i = 0; i < hits.size(); ++i) {
1028 const bool hit = hits[i];
1029 bitmapStringRepresentation.append(hit ? "1" : "0"); // form a binary string representation (human-readable for json output)
1030 bitmap[i / 8] |= ((uint8_t)hit) << (i % 8);
1031 }
1032 }
1033
1034 switch (rf) {
1036 // serialize data
1037 // use exact same output as mentioned in Bip64
1038 DataStream ssGetUTXOResponse{};
1039 ssGetUTXOResponse << active_height << active_hash << bitmap << outs;
1040
1041 req->WriteHeader("Content-Type", "application/octet-stream");
1042 req->WriteReply(HTTP_OK, ssGetUTXOResponse);
1043 return true;
1044 }
1045
1047 DataStream ssGetUTXOResponse{};
1048 ssGetUTXOResponse << active_height << active_hash << bitmap << outs;
1049 std::string strHex = HexStr(ssGetUTXOResponse) + "\n";
1050
1051 req->WriteHeader("Content-Type", "text/plain");
1052 req->WriteReply(HTTP_OK, strHex);
1053 return true;
1054 }
1055
1057 UniValue objGetUTXOResponse(UniValue::VOBJ);
1058
1059 // pack in some essentials
1060 // use more or less the same output as mentioned in Bip64
1061 objGetUTXOResponse.pushKV("chainHeight", active_height);
1062 objGetUTXOResponse.pushKV("chaintipHash", active_hash.GetHex());
1063 objGetUTXOResponse.pushKV("bitmap", bitmapStringRepresentation);
1064
1065 UniValue utxos(UniValue::VARR);
1066 for (const CCoin& coin : outs) {
1068 utxo.pushKV("height", (int32_t)coin.nHeight);
1069 utxo.pushKV("value", ValueFromAmount(coin.out.nValue));
1070
1071 // include the script in a json output
1073 ScriptToUniv(coin.out.scriptPubKey, /*out=*/o, /*include_hex=*/true, /*include_address=*/true);
1074 utxo.pushKV("scriptPubKey", std::move(o));
1075 utxos.push_back(std::move(utxo));
1076 }
1077 objGetUTXOResponse.pushKV("utxos", std::move(utxos));
1078
1079 // return json string
1080 std::string strJSON = objGetUTXOResponse.write() + "\n";
1081 req->WriteHeader("Content-Type", "application/json");
1082 req->WriteReply(HTTP_OK, strJSON);
1083 return true;
1084 }
1085 default: {
1086 return RESTERR(req, HTTP_NOT_FOUND, "output format not found (available: " + AvailableDataFormatsString() + ")");
1087 }
1088 }
1089}
1090
1091static bool rest_blockhash_by_height(const std::any& context, HTTPRequest* req,
1092 const std::string& str_uri_part)
1093{
1094 if (!CheckWarmup(req)) return false;
1095 std::string height_str;
1096 const RESTResponseFormat rf = ParseDataFormat(height_str, str_uri_part);
1097
1098 const auto blockheight{ToIntegral<int32_t>(height_str)};
1099 if (!blockheight || *blockheight < 0) {
1100 return RESTERR(req, HTTP_BAD_REQUEST, "Invalid height: " + SanitizeString(height_str, SAFE_CHARS_URI));
1101 }
1102
1103 CBlockIndex* pblockindex = nullptr;
1104 {
1105 ChainstateManager* maybe_chainman = GetChainman(context, req);
1106 if (!maybe_chainman) return false;
1107 ChainstateManager& chainman = *maybe_chainman;
1108 LOCK(cs_main);
1109 const CChain& active_chain = chainman.ActiveChain();
1110 if (*blockheight > active_chain.Height()) {
1111 return RESTERR(req, HTTP_NOT_FOUND, "Block height out of range");
1112 }
1113 pblockindex = active_chain[*blockheight];
1114 }
1115 switch (rf) {
1117 DataStream ss_blockhash{};
1118 ss_blockhash << pblockindex->GetBlockHash();
1119 req->WriteHeader("Content-Type", "application/octet-stream");
1120 req->WriteReply(HTTP_OK, ss_blockhash);
1121 return true;
1122 }
1124 req->WriteHeader("Content-Type", "text/plain");
1125 req->WriteReply(HTTP_OK, pblockindex->GetBlockHash().GetHex() + "\n");
1126 return true;
1127 }
1129 req->WriteHeader("Content-Type", "application/json");
1131 resp.pushKV("blockhash", pblockindex->GetBlockHash().GetHex());
1132 req->WriteReply(HTTP_OK, resp.write() + "\n");
1133 return true;
1134 }
1135 default: {
1136 return RESTERR(req, HTTP_NOT_FOUND, "output format not found (available: " + AvailableDataFormatsString() + ")");
1137 }
1138 }
1139}
1140
1141static const struct {
1142 const char* prefix;
1143 bool (*handler)(const std::any& context, HTTPRequest* req, const std::string& strReq);
1144} uri_prefixes[] = {
1145 {"/rest/tx/", rest_tx},
1146 {"/rest/block/notxdetails/", rest_block_notxdetails},
1147 {"/rest/block/", rest_block_extended},
1148 {"/rest/blockpart/", rest_block_part},
1149 {"/rest/blockfilter/", rest_block_filter},
1150 {"/rest/blockfilterheaders/", rest_filter_header},
1151 {"/rest/chaininfo", rest_chaininfo},
1152 {"/rest/mempool/", rest_mempool},
1153 {"/rest/headers/", rest_headers},
1154 {"/rest/getutxos", rest_getutxos},
1155 {"/rest/deploymentinfo/", rest_deploymentinfo},
1156 {"/rest/deploymentinfo", rest_deploymentinfo},
1157 {"/rest/blockhashbyheight/", rest_blockhash_by_height},
1158 {"/rest/spenttxouts/", rest_spent_txouts},
1160
1161void StartREST(const std::any& context)
1162{
1163 for (const auto& up : uri_prefixes) {
1164 auto handler = [context, up](HTTPRequest* req, const std::string& prefix) { return up.handler(context, req, prefix); };
1165 RegisterHTTPHandler(up.prefix, false, handler);
1166 }
1167}
1168
1170{
1171}
1172
1174{
1175 for (const auto& up : uri_prefixes) {
1176 UnregisterHTTPHandler(up.prefix, false);
1177 }
1178}
int ret
UniValue blockToJSON(BlockManager &blockman, const CBlock &block, const CBlockIndex &tip, const CBlockIndex &blockindex, TxVerbosity verbosity, const uint256 pow_limit)
Block description to JSON.
Definition: blockchain.cpp:184
UniValue blockheaderToJSON(const CBlockIndex &tip, const CBlockIndex &blockindex, const uint256 pow_limit)
Block header to JSON.
Definition: blockchain.cpp:154
bool BlockFilterTypeByName(std::string_view name, BlockFilterType &filter_type)
Find a filter type by its human-readable name.
BlockFilterType
Definition: blockfilter.h:94
BlockFilterIndex * GetBlockFilterIndex(BlockFilterType filter_type)
Get a block filter index by type.
@ BLOCK_VALID_SCRIPTS
Scripts & signatures ok.
Definition: chain.h:69
@ BLOCK_HAVE_DATA
full block available in blk*.dat
Definition: chain.h:75
#define STR_INTERNAL_BUG(msg)
Definition: check.h:96
Complete block filter struct as defined in BIP 157.
Definition: blockfilter.h:116
const std::vector< unsigned char > & GetEncodedFilter() const LIFETIMEBOUND
Definition: blockfilter.h:139
BlockFilterIndex is used to store and retrieve block filters, hashes, and headers for a range of bloc...
bool LookupFilter(const CBlockIndex *block_index, BlockFilter &filter_out) const
Get a single filter by block.
bool LookupFilterHeader(const CBlockIndex *block_index, uint256 &header_out) EXCLUSIVE_LOCKS_REQUIRED(!m_cs_headers_cache)
Get a single filter header by block.
Definition: block.h:69
The block chain is a tree shaped structure starting with the genesis block at the root,...
Definition: chain.h:95
bool IsValid(enum BlockStatus nUpTo) const EXCLUSIVE_LOCKS_REQUIRED(
Check whether this block index entry is valid up to the passed validity level.
Definition: chain.h:251
uint256 GetBlockHash() const
Definition: chain.h:199
int nHeight
height of the entry in the chain. The genesis block has height 0
Definition: chain.h:107
FlatFilePos GetBlockPos() const EXCLUSIVE_LOCKS_REQUIRED(
Definition: chain.h:164
Undo information for a CBlock.
Definition: undo.h:63
std::vector< CTxUndo > vtxundo
Definition: undo.h:65
An in-memory indexed chain of blocks.
Definition: chain.h:373
CBlockIndex * Tip() const
Returns the index entry for the tip of this chain, or nullptr if none.
Definition: chain.h:389
CBlockIndex * Next(const CBlockIndex *pindex) const
Find the successor of a block in this chain, or nullptr if the given index is not found or is the tip...
Definition: chain.h:409
int Height() const
Return the maximal height in the chain.
Definition: chain.h:418
bool Contains(const CBlockIndex *pindex) const
Efficiently check whether a block is present in this chain.
Definition: chain.h:403
CCoinsView that adds a memory cache for transactions to another CCoinsView.
Definition: coins.h:361
Abstract view on the open txout dataset.
Definition: coins.h:308
CCoinsView that brings transactions from a mempool into view.
Definition: txmempool.h:782
An outpoint - a combination of a transaction hash and an index n into its vout.
Definition: transaction.h:29
CTxMemPool stores valid-according-to-the-current-best-chain transactions that may be included in the ...
Definition: txmempool.h:189
RecursiveMutex cs
This mutex needs to be locked when accessing mapTx or other members that are guarded by it.
Definition: txmempool.h:263
An output of a transaction.
Definition: transaction.h:140
CScript scriptPubKey
Definition: transaction.h:143
CAmount nValue
Definition: transaction.h:142
Undo information for a CTransaction.
Definition: undo.h:53
std::vector< Coin > vprevout
Definition: undo.h:56
CCoinsViewCache & CoinsTip() EXCLUSIVE_LOCKS_REQUIRED(
Definition: validation.h:680
Interface for managing multiple Chainstate objects, where each chainstate is associated with chainsta...
Definition: validation.h:930
RecursiveMutex & GetMutex() const LOCK_RETURNED(
Alias for cs_main.
Definition: validation.h:1022
CBlockIndex * ActiveTip() const EXCLUSIVE_LOCKS_REQUIRED(GetMutex())
Definition: validation.h:1157
Chainstate & ActiveChainstate() const
Alternatives to CurrentChainstate() used by older code to query latest chainstate information without...
int ActiveHeight() const EXCLUSIVE_LOCKS_REQUIRED(GetMutex())
Definition: validation.h:1156
const Consensus::Params & GetConsensus() const
Definition: validation.h:998
CChain & ActiveChain() const EXCLUSIVE_LOCKS_REQUIRED(GetMutex())
Definition: validation.h:1155
node::BlockManager m_blockman
A single BlockManager instance is shared across each constructed chainstate to avoid duplicating bloc...
Definition: validation.h:1028
A UTXO entry.
Definition: coins.h:33
CTxOut out
unspent transaction output
Definition: coins.h:36
Double ended buffer combining vector and stream-like interfaces.
Definition: streams.h:130
In-flight HTTP request.
Definition: httpserver.h:71
std::optional< std::string > GetQueryParameter(const std::string &key) const
Get the query parameter value from request uri for a specified key, or std::nullopt if the key is not...
Definition: httpserver.cpp:723
void WriteReply(int nStatus, std::string_view reply="")
Write HTTP reply.
Definition: httpserver.h:141
void WriteHeader(const std::string &hdr, const std::string &value)
Write output header.
Definition: httpserver.cpp:640
std::string ReadBody()
Read request body.
Definition: httpserver.cpp:620
UniValue params
Definition: request.h:57
std::any context
Definition: request.h:62
UniValue HandleRequest(const JSONRPCRequest &request) const
Definition: util.cpp:635
void push_back(UniValue val)
Definition: univalue.cpp:104
@ VOBJ
Definition: univalue.h:24
@ VARR
Definition: univalue.h:24
std::string write(unsigned int prettyIndent=0, unsigned int indentLevel=0) const
void pushKV(std::string key, UniValue val)
Definition: univalue.cpp:126
std::string GetHex() const
Definition: uint256.cpp:11
CBlockIndex * LookupBlockIndex(const uint256 &hash) EXCLUSIVE_LOCKS_REQUIRED(cs_main)
bool ReadBlockUndo(CBlockUndo &blockundo, const CBlockIndex &index) const
ReadRawBlockResult ReadRawBlock(const FlatFilePos &pos, std::optional< std::pair< size_t, size_t > > block_part=std::nullopt) const
static std::optional< transaction_identifier > FromHex(std::string_view hex)
256-bit opaque blob.
Definition: uint256.h:195
static std::optional< uint256 > FromHex(std::string_view str)
Definition: uint256.h:197
void TxToUniv(const CTransaction &tx, const uint256 &block_hash, UniValue &entry, bool include_hex=true, const CTxUndo *txundo=nullptr, TxVerbosity verbosity=TxVerbosity::SHOW_DETAILS, std::function< bool(const CTxOut &)> is_change_func={})
Definition: core_write.cpp:171
@ SHOW_DETAILS_AND_PREVOUT
The same as previous option with information about prevouts if available.
@ SHOW_TXID
Only TXID for each block's transaction.
void ScriptToUniv(const CScript &script, UniValue &out, bool include_hex=true, bool include_address=false, const SigningProvider *provider=nullptr)
Definition: core_write.cpp:150
UniValue ValueFromAmount(const CAmount amount)
Definition: core_write.cpp:26
RecursiveMutex cs_main
Mutex to guard access to validation specific variables, such as reading or changing the chainstate.
Definition: cs_main.cpp:8
std::string HexStr(const std::span< const uint8_t > s)
Convert a span of bytes to a lower-case hexadecimal string.
Definition: hex_base.cpp:30
void UnregisterHTTPHandler(const std::string &prefix, bool exactMatch)
Unregister handler for prefix.
Definition: httpserver.cpp:764
void RegisterHTTPHandler(const std::string &prefix, bool exactMatch, const HTTPRequestHandler &handler)
Register handler for prefix.
Definition: httpserver.cpp:757
Definition: messages.h:21
CTransactionRef GetTransaction(const CBlockIndex *const block_index, const CTxMemPool *const mempool, const Txid &hash, const BlockManager &blockman, uint256 &hashBlock)
Return transaction with a given hash.
std::vector< std::string > SplitString(std::string_view str, char sep)
Definition: string.h:148
static constexpr TransactionSerParams TX_WITH_WITNESS
Definition: transaction.h:180
std::shared_ptr< const CTransaction > CTransactionRef
Definition: transaction.h:403
static constexpr unsigned int MAX_REST_HEADERS_RESULTS
Definition: rest.cpp:44
static bool rest_headers(const std::any &context, HTTPRequest *req, const std::string &uri_part)
Definition: rest.cpp:178
static void SerializeBlockUndo(DataStream &stream, const CBlockUndo &block_undo)
Serialize spent outputs as a list of per-transaction CTxOut lists using binary format.
Definition: rest.cpp:278
static bool rest_block_extended(const std::any &context, HTTPRequest *req, const std::string &uri_part)
Definition: rest.cpp:471
static bool rest_blockhash_by_height(const std::any &context, HTTPRequest *req, const std::string &str_uri_part)
Definition: rest.cpp:1091
static bool rest_block_part(const std::any &context, HTTPRequest *req, const std::string &uri_part)
Definition: rest.cpp:481
RESTResponseFormat rf
Definition: rest.cpp:47
static bool rest_block_filter(const std::any &context, HTTPRequest *req, const std::string &uri_part)
Definition: rest.cpp:622
const char * prefix
Definition: rest.cpp:1142
static bool rest_block_notxdetails(const std::any &context, HTTPRequest *req, const std::string &uri_part)
Definition: rest.cpp:476
void StartREST(const std::any &context)
Start HTTP REST subsystem.
Definition: rest.cpp:1161
static bool rest_filter_header(const std::any &context, HTTPRequest *req, const std::string &uri_part)
Definition: rest.cpp:500
bool(* handler)(const std::any &context, HTTPRequest *req, const std::string &strReq)
Definition: rest.cpp:1143
static bool rest_getutxos(const std::any &context, HTTPRequest *req, const std::string &uri_part)
Definition: rest.cpp:897
static bool rest_tx(const std::any &context, HTTPRequest *req, const std::string &uri_part)
Definition: rest.cpp:838
static bool rest_block(const std::any &context, HTTPRequest *req, const std::string &uri_part, std::optional< TxVerbosity > tx_verbosity, std::optional< std::pair< size_t, size_t > > block_part=std::nullopt)
This handler is used by multiple HTTP endpoints:
Definition: rest.cpp:388
static const struct @10 uri_prefixes[]
void StopREST()
Stop HTTP REST subsystem.
Definition: rest.cpp:1173
RPCHelpMan getdeploymentinfo()
const char * name
Definition: rest.cpp:48
RPCHelpMan getblockchaininfo()
void InterruptREST()
Interrupt RPC REST subsystem.
Definition: rest.cpp:1169
static bool rest_deploymentinfo(const std::any &context, HTTPRequest *req, const std::string &str_uri_part)
Definition: rest.cpp:743
static bool RESTERR(HTTPRequest *req, enum HTTPStatusCode status, std::string message)
Definition: rest.cpp:70
static bool rest_mempool(const std::any &context, HTTPRequest *req, const std::string &str_uri_part)
Definition: rest.cpp:782
static const struct @9 rf_names[]
static bool CheckWarmup(HTTPRequest *req)
Definition: rest.cpp:170
static ChainstateManager * GetChainman(const std::any &context, HTTPRequest *req)
Get the node context chainstatemanager.
Definition: rest.cpp:118
static void BlockUndoToJSON(const CBlockUndo &block_undo, UniValue &result)
Serialize spent outputs as a list of per-transaction CTxOut lists using JSON format.
Definition: rest.cpp:293
static bool rest_chaininfo(const std::any &context, HTTPRequest *req, const std::string &uri_part)
Definition: rest.cpp:716
static bool rest_spent_txouts(const std::any &context, HTTPRequest *req, const std::string &uri_part)
Definition: rest.cpp:312
RESTResponseFormat ParseDataFormat(std::string &param, const std::string &strReq)
Parse a URI to get the data format and URI without data format and query string.
Definition: rest.cpp:128
static CTxMemPool * GetMemPool(const std::any &context, HTTPRequest *req)
Get the node context mempool.
Definition: rest.cpp:101
static const size_t MAX_GETUTXOS_OUTPOINTS
Definition: rest.cpp:43
static std::string AvailableDataFormatsString()
Definition: rest.cpp:153
static NodeContext * GetNodeContext(const std::any &context, HTTPRequest *req)
Get the node context.
Definition: rest.cpp:84
RESTResponseFormat
Definition: rest.h:10
UniValue MempoolInfoToJSON(const CTxMemPool &pool)
Mempool information to JSON.
Definition: mempool.cpp:833
UniValue MempoolToJSON(const CTxMemPool &pool, bool verbose, bool include_mempool_sequence)
Mempool to JSON.
Definition: mempool.cpp:425
HTTPStatusCode
HTTP status codes.
Definition: protocol.h:11
@ HTTP_BAD_REQUEST
Definition: protocol.h:14
@ HTTP_OK
Definition: protocol.h:12
@ HTTP_SERVICE_UNAVAILABLE
Definition: protocol.h:20
@ HTTP_NOT_FOUND
Definition: protocol.h:17
@ HTTP_INTERNAL_SERVER_ERROR
Definition: protocol.h:19
void WriteCompactSize(SizeComputer &os, uint64_t nSize)
Definition: serialize.h:1089
#define READWRITE(...)
Definition: serialize.h:145
bool RPCIsInWarmup(std::string *outStatus)
Definition: server.cpp:331
std::vector< Byte > ParseHex(std::string_view hex_str)
Like TryParseHex, but returns an empty vector on invalid input.
Definition: strencodings.h:68
@ SAFE_CHARS_URI
Chars allowed in URIs (RFC 3986)
Definition: strencodings.h:35
Definition: rest.cpp:56
CTxOut out
Definition: rest.cpp:58
CCoin(Coin &&in)
Definition: rest.cpp:61
uint32_t nHeight
Definition: rest.cpp:57
CCoin()
Definition: rest.cpp:60
SERIALIZE_METHODS(CCoin, obj)
Definition: rest.cpp:63
uint256 powLimit
Proof of work parameters.
Definition: params.h:112
NodeContext struct containing references to chain state and connection state.
Definition: context.h:56
#define LOCK2(cs1, cs2)
Definition: sync.h:260
#define LOCK(cs)
Definition: sync.h:259
#define WITH_LOCK(cs, code)
Run code while locking a mutex.
Definition: sync.h:290
#define EXCLUSIVE_LOCKS_REQUIRED(...)
Definition: threadsafety.h:51
#define strprintf
Format arguments and return the string or write to given std::ostream (see tinyformat::format doc for...
Definition: tinyformat.h:1172
std::unique_ptr< TxIndex > g_txindex
The global transaction index, used in GetTransaction. May be null.
Definition: txindex.cpp:35
std::string SanitizeString(std::string_view str, int rule)
Remove unsafe chars.
assert(!tx.IsCoinBase())