fuzz coverage

Coverage Report

Created: 2025-09-17 22:41

/Users/eugenesiegel/btc/bitcoin/src/httpserver.cpp
Line
Count
Source (jump to first uncovered line)
1
// Copyright (c) 2015-present The Bitcoin Core developers
2
// Distributed under the MIT software license, see the accompanying
3
// file COPYING or http://www.opensource.org/licenses/mit-license.php.
4
5
#include <httpserver.h>
6
7
#include <chainparamsbase.h>
8
#include <common/args.h>
9
#include <common/messages.h>
10
#include <compat/compat.h>
11
#include <logging.h>
12
#include <netbase.h>
13
#include <node/interface_ui.h>
14
#include <rpc/protocol.h>
15
#include <sync.h>
16
#include <util/check.h>
17
#include <util/signalinterrupt.h>
18
#include <util/strencodings.h>
19
#include <util/threadnames.h>
20
#include <util/translation.h>
21
22
#include <condition_variable>
23
#include <cstdio>
24
#include <cstdlib>
25
#include <deque>
26
#include <memory>
27
#include <optional>
28
#include <span>
29
#include <string>
30
#include <thread>
31
#include <unordered_map>
32
#include <vector>
33
34
#include <sys/types.h>
35
#include <sys/stat.h>
36
37
#include <event2/buffer.h>
38
#include <event2/bufferevent.h>
39
#include <event2/http.h>
40
#include <event2/http_struct.h>
41
#include <event2/keyvalq_struct.h>
42
#include <event2/thread.h>
43
#include <event2/util.h>
44
45
#include <support/events.h>
46
47
using common::InvalidPortErrMsg;
48
49
/** Maximum size of http request (request line + headers) */
50
static const size_t MAX_HEADERS_SIZE = 8192;
51
52
/** HTTP request work item */
53
class HTTPWorkItem final : public HTTPClosure
54
{
55
public:
56
    HTTPWorkItem(std::unique_ptr<HTTPRequest> _req, const std::string &_path, const HTTPRequestHandler& _func):
57
0
        req(std::move(_req)), path(_path), func(_func)
58
0
    {
59
0
    }
60
    void operator()() override
61
0
    {
62
0
        func(req.get(), path);
63
0
    }
64
65
    std::unique_ptr<HTTPRequest> req;
66
67
private:
68
    std::string path;
69
    HTTPRequestHandler func;
70
};
71
72
/** Simple work queue for distributing work over multiple threads.
73
 * Work items are simply callable objects.
74
 */
75
template <typename WorkItem>
76
class WorkQueue
77
{
78
private:
79
    Mutex cs;
80
    std::condition_variable cond GUARDED_BY(cs);
81
    std::deque<std::unique_ptr<WorkItem>> queue GUARDED_BY(cs);
82
    bool running GUARDED_BY(cs){true};
83
    const size_t maxDepth;
84
85
public:
86
0
    explicit WorkQueue(size_t _maxDepth) : maxDepth(_maxDepth)
87
0
    {
88
0
    }
89
    /** Precondition: worker threads have all stopped (they have been joined).
90
     */
91
0
    ~WorkQueue() = default;
92
    /** Enqueue a work item */
93
    bool Enqueue(WorkItem* item) EXCLUSIVE_LOCKS_REQUIRED(!cs)
94
0
    {
95
0
        LOCK(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
96
0
        if (!running || queue.size() >= maxDepth) {
97
0
            return false;
98
0
        }
99
0
        queue.emplace_back(std::unique_ptr<WorkItem>(item));
100
0
        cond.notify_one();
101
0
        return true;
102
0
    }
103
    /** Thread function */
104
    void Run() EXCLUSIVE_LOCKS_REQUIRED(!cs)
105
0
    {
106
0
        while (true) {
107
0
            std::unique_ptr<WorkItem> i;
108
0
            {
109
0
                WAIT_LOCK(cs, lock);
Line
Count
Source
265
0
#define WAIT_LOCK(cs, name) UniqueLock name(LOCK_ARGS(cs))
Line
Count
Source
263
0
#define LOCK_ARGS(cs) MaybeCheckNotHeld(cs), #cs, __FILE__, __LINE__
110
0
                while (running && queue.empty())
111
0
                    cond.wait(lock);
112
0
                if (!running && queue.empty())
113
0
                    break;
114
0
                i = std::move(queue.front());
115
0
                queue.pop_front();
116
0
            }
117
0
            (*i)();
118
0
        }
119
0
    }
120
    /** Interrupt and exit loops */
121
    void Interrupt() EXCLUSIVE_LOCKS_REQUIRED(!cs)
122
0
    {
123
0
        LOCK(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
124
0
        running = false;
125
0
        cond.notify_all();
126
0
    }
127
};
128
129
struct HTTPPathHandler
130
{
131
    HTTPPathHandler(std::string _prefix, bool _exactMatch, HTTPRequestHandler _handler):
132
0
        prefix(_prefix), exactMatch(_exactMatch), handler(_handler)
133
0
    {
134
0
    }
135
    std::string prefix;
136
    bool exactMatch;
137
    HTTPRequestHandler handler;
138
};
139
140
/** HTTP module state */
141
142
//! libevent event loop
143
static struct event_base* eventBase = nullptr;
144
//! HTTP server
145
static struct evhttp* eventHTTP = nullptr;
146
//! List of subnets to allow RPC connections from
147
static std::vector<CSubNet> rpc_allow_subnets;
148
//! Work queue for handling longer requests off the event loop thread
149
static std::unique_ptr<WorkQueue<HTTPClosure>> g_work_queue{nullptr};
150
//! Handlers for (sub)paths
151
static GlobalMutex g_httppathhandlers_mutex;
152
static std::vector<HTTPPathHandler> pathHandlers GUARDED_BY(g_httppathhandlers_mutex);
153
//! Bound listening sockets
154
static std::vector<evhttp_bound_socket *> boundSockets;
155
156
/**
157
 * @brief Helps keep track of open `evhttp_connection`s with active `evhttp_requests`
158
 *
159
 */
160
class HTTPRequestTracker
161
{
162
private:
163
    mutable Mutex m_mutex;
164
    mutable std::condition_variable m_cv;
165
    //! For each connection, keep a counter of how many requests are open
166
    std::unordered_map<const evhttp_connection*, size_t> m_tracker GUARDED_BY(m_mutex);
167
168
    void RemoveConnectionInternal(const decltype(m_tracker)::iterator it) EXCLUSIVE_LOCKS_REQUIRED(m_mutex)
169
0
    {
170
0
        m_tracker.erase(it);
171
0
        if (m_tracker.empty()) m_cv.notify_all();
172
0
    }
173
public:
174
    //! Increase request counter for the associated connection by 1
175
    void AddRequest(evhttp_request* req) EXCLUSIVE_LOCKS_REQUIRED(!m_mutex)
176
0
    {
177
0
        const evhttp_connection* conn{Assert(evhttp_request_get_connection(Assert(req)))};
Line
Count
Source
106
0
#define Assert(val) inline_assertion_check<true>(val, __FILE__, __LINE__, __func__, #val)
178
0
        WITH_LOCK(m_mutex, ++m_tracker[conn]);
Line
Count
Source
290
0
#define WITH_LOCK(cs, code) (MaybeCheckNotHeld(cs), [&]() -> decltype(auto) { LOCK(cs); code; }())
179
0
    }
180
    //! Decrease request counter for the associated connection by 1, remove connection if counter is 0
181
    void RemoveRequest(evhttp_request* req) EXCLUSIVE_LOCKS_REQUIRED(!m_mutex)
182
0
    {
183
0
        const evhttp_connection* conn{Assert(evhttp_request_get_connection(Assert(req)))};
Line
Count
Source
106
0
#define Assert(val) inline_assertion_check<true>(val, __FILE__, __LINE__, __func__, #val)
184
0
        LOCK(m_mutex);
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
185
0
        auto it{m_tracker.find(conn)};
186
0
        if (it != m_tracker.end() && it->second > 0) {
187
0
            if (--(it->second) == 0) RemoveConnectionInternal(it);
188
0
        }
189
0
    }
190
    //! Remove a connection entirely
191
    void RemoveConnection(const evhttp_connection* conn) EXCLUSIVE_LOCKS_REQUIRED(!m_mutex)
192
0
    {
193
0
        LOCK(m_mutex);
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
194
0
        auto it{m_tracker.find(Assert(conn))};
Line
Count
Source
106
0
#define Assert(val) inline_assertion_check<true>(val, __FILE__, __LINE__, __func__, #val)
195
0
        if (it != m_tracker.end()) RemoveConnectionInternal(it);
196
0
    }
197
    size_t CountActiveConnections() const EXCLUSIVE_LOCKS_REQUIRED(!m_mutex)
198
0
    {
199
0
        return WITH_LOCK(m_mutex, return m_tracker.size());
Line
Count
Source
290
0
#define WITH_LOCK(cs, code) (MaybeCheckNotHeld(cs), [&]() -> decltype(auto) { LOCK(cs); code; }())
200
0
    }
201
    //! Wait until there are no more connections with active requests in the tracker
202
    void WaitUntilEmpty() const EXCLUSIVE_LOCKS_REQUIRED(!m_mutex)
203
0
    {
204
0
        WAIT_LOCK(m_mutex, lock);
Line
Count
Source
265
0
#define WAIT_LOCK(cs, name) UniqueLock name(LOCK_ARGS(cs))
Line
Count
Source
263
0
#define LOCK_ARGS(cs) MaybeCheckNotHeld(cs), #cs, __FILE__, __LINE__
205
0
        m_cv.wait(lock, [this]() EXCLUSIVE_LOCKS_REQUIRED(m_mutex) { return m_tracker.empty(); });
206
0
    }
207
};
208
//! Track active requests
209
static HTTPRequestTracker g_requests;
210
211
/** Check if a network address is allowed to access the HTTP server */
212
static bool ClientAllowed(const CNetAddr& netaddr)
213
0
{
214
0
    if (!netaddr.IsValid())
215
0
        return false;
216
0
    for(const CSubNet& subnet : rpc_allow_subnets)
217
0
        if (subnet.Match(netaddr))
218
0
            return true;
219
0
    return false;
220
0
}
221
222
/** Initialize ACL list for HTTP server */
223
static bool InitHTTPAllowList()
224
0
{
225
0
    rpc_allow_subnets.clear();
226
0
    rpc_allow_subnets.emplace_back(LookupHost("127.0.0.1", false).value(), 8);  // always allow IPv4 local subnet
227
0
    rpc_allow_subnets.emplace_back(LookupHost("::1", false).value());  // always allow IPv6 localhost
228
0
    for (const std::string& strAllow : gArgs.GetArgs("-rpcallowip")) {
229
0
        const CSubNet subnet{LookupSubNet(strAllow)};
230
0
        if (!subnet.IsValid()) {
231
0
            uiInterface.ThreadSafeMessageBox(
232
0
                Untranslated(strprintf("Invalid -rpcallowip subnet specification: %s. Valid values are a single IP (e.g. 1.2.3.4), a network/netmask (e.g. 1.2.3.4/255.255.255.0), a network/CIDR (e.g. 1.2.3.4/24), all ipv4 (0.0.0.0/0), or all ipv6 (::/0). RFC4193 is allowed only if -cjdnsreachable=0.", strAllow)),
Line
Count
Source
1172
0
#define strprintf tfm::format
233
0
                "", CClientUIInterface::MSG_ERROR);
234
0
            return false;
235
0
        }
236
0
        rpc_allow_subnets.push_back(subnet);
237
0
    }
238
0
    std::string strAllowed;
239
0
    for (const CSubNet& subnet : rpc_allow_subnets)
240
0
        strAllowed += subnet.ToString() + " ";
241
0
    LogDebug(BCLog::HTTP, "Allowing HTTP connections from: %s\n", strAllowed);
Line
Count
Source
381
0
#define LogDebug(category, ...) LogPrintLevel(category, BCLog::Level::Debug, __VA_ARGS__)
Line
Count
Source
373
0
    do {                                                              \
374
0
        if (LogAcceptCategory((category), (level))) {                 \
375
0
            bool rate_limit{level >= BCLog::Level::Info};             \
376
0
            LogPrintLevel_(category, level, rate_limit, __VA_ARGS__); \
Line
Count
Source
350
0
#define LogPrintLevel_(category, level, should_ratelimit, ...) LogPrintFormatInternal(std::source_location::current(), category, level, should_ratelimit, __VA_ARGS__)
377
0
        }                                                             \
378
0
    } while (0)
242
0
    return true;
243
0
}
244
245
/** HTTP request method as string - use for logging only */
246
std::string RequestMethodString(HTTPRequest::RequestMethod m)
247
0
{
248
0
    switch (m) {
249
0
    case HTTPRequest::GET:
250
0
        return "GET";
251
0
    case HTTPRequest::POST:
252
0
        return "POST";
253
0
    case HTTPRequest::HEAD:
254
0
        return "HEAD";
255
0
    case HTTPRequest::PUT:
256
0
        return "PUT";
257
0
    case HTTPRequest::UNKNOWN:
258
0
        return "unknown";
259
0
    } // no default case, so the compiler can warn about missing cases
260
0
    assert(false);
261
0
}
262
263
/** HTTP request callback */
264
static void http_request_cb(struct evhttp_request* req, void* arg)
265
0
{
266
0
    evhttp_connection* conn{evhttp_request_get_connection(req)};
267
    // Track active requests
268
0
    {
269
0
        g_requests.AddRequest(req);
270
0
        evhttp_request_set_on_complete_cb(req, [](struct evhttp_request* req, void*) {
271
0
            g_requests.RemoveRequest(req);
272
0
        }, nullptr);
273
0
        evhttp_connection_set_closecb(conn, [](evhttp_connection* conn, void* arg) {
274
0
            g_requests.RemoveConnection(conn);
275
0
        }, nullptr);
276
0
    }
277
278
    // Disable reading to work around a libevent bug, fixed in 2.1.9
279
    // See https://github.com/libevent/libevent/commit/5ff8eb26371c4dc56f384b2de35bea2d87814779
280
    // and https://github.com/bitcoin/bitcoin/pull/11593.
281
0
    if (event_get_version_number() >= 0x02010600 && event_get_version_number() < 0x02010900) {
282
0
        if (conn) {
283
0
            bufferevent* bev = evhttp_connection_get_bufferevent(conn);
284
0
            if (bev) {
285
0
                bufferevent_disable(bev, EV_READ);
286
0
            }
287
0
        }
288
0
    }
289
0
    auto hreq{std::make_unique<HTTPRequest>(req, *static_cast<const util::SignalInterrupt*>(arg))};
290
291
    // Early address-based allow check
292
0
    if (!ClientAllowed(hreq->GetPeer())) {
293
0
        LogDebug(BCLog::HTTP, "HTTP request from %s rejected: Client network is not allowed RPC access\n",
Line
Count
Source
381
0
#define LogDebug(category, ...) LogPrintLevel(category, BCLog::Level::Debug, __VA_ARGS__)
Line
Count
Source
373
0
    do {                                                              \
374
0
        if (LogAcceptCategory((category), (level))) {                 \
375
0
            bool rate_limit{level >= BCLog::Level::Info};             \
376
0
            LogPrintLevel_(category, level, rate_limit, __VA_ARGS__); \
Line
Count
Source
350
0
#define LogPrintLevel_(category, level, should_ratelimit, ...) LogPrintFormatInternal(std::source_location::current(), category, level, should_ratelimit, __VA_ARGS__)
377
0
        }                                                             \
378
0
    } while (0)
294
0
                 hreq->GetPeer().ToStringAddrPort());
295
0
        hreq->WriteReply(HTTP_FORBIDDEN);
296
0
        return;
297
0
    }
298
299
    // Early reject unknown HTTP methods
300
0
    if (hreq->GetRequestMethod() == HTTPRequest::UNKNOWN) {
301
0
        LogDebug(BCLog::HTTP, "HTTP request from %s rejected: Unknown HTTP request method\n",
Line
Count
Source
381
0
#define LogDebug(category, ...) LogPrintLevel(category, BCLog::Level::Debug, __VA_ARGS__)
Line
Count
Source
373
0
    do {                                                              \
374
0
        if (LogAcceptCategory((category), (level))) {                 \
375
0
            bool rate_limit{level >= BCLog::Level::Info};             \
376
0
            LogPrintLevel_(category, level, rate_limit, __VA_ARGS__); \
Line
Count
Source
350
0
#define LogPrintLevel_(category, level, should_ratelimit, ...) LogPrintFormatInternal(std::source_location::current(), category, level, should_ratelimit, __VA_ARGS__)
377
0
        }                                                             \
378
0
    } while (0)
302
0
                 hreq->GetPeer().ToStringAddrPort());
303
0
        hreq->WriteReply(HTTP_BAD_METHOD);
304
0
        return;
305
0
    }
306
307
0
    LogDebug(BCLog::HTTP, "Received a %s request for %s from %s\n",
Line
Count
Source
381
0
#define LogDebug(category, ...) LogPrintLevel(category, BCLog::Level::Debug, __VA_ARGS__)
Line
Count
Source
373
0
    do {                                                              \
374
0
        if (LogAcceptCategory((category), (level))) {                 \
375
0
            bool rate_limit{level >= BCLog::Level::Info};             \
376
0
            LogPrintLevel_(category, level, rate_limit, __VA_ARGS__); \
Line
Count
Source
350
0
#define LogPrintLevel_(category, level, should_ratelimit, ...) LogPrintFormatInternal(std::source_location::current(), category, level, should_ratelimit, __VA_ARGS__)
377
0
        }                                                             \
378
0
    } while (0)
308
0
             RequestMethodString(hreq->GetRequestMethod()), SanitizeString(hreq->GetURI(), SAFE_CHARS_URI).substr(0, 100), hreq->GetPeer().ToStringAddrPort());
309
310
    // Find registered handler for prefix
311
0
    std::string strURI = hreq->GetURI();
312
0
    std::string path;
313
0
    LOCK(g_httppathhandlers_mutex);
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
314
0
    std::vector<HTTPPathHandler>::const_iterator i = pathHandlers.begin();
315
0
    std::vector<HTTPPathHandler>::const_iterator iend = pathHandlers.end();
316
0
    for (; i != iend; ++i) {
317
0
        bool match = false;
318
0
        if (i->exactMatch)
319
0
            match = (strURI == i->prefix);
320
0
        else
321
0
            match = strURI.starts_with(i->prefix);
322
0
        if (match) {
323
0
            path = strURI.substr(i->prefix.size());
324
0
            break;
325
0
        }
326
0
    }
327
328
    // Dispatch to worker thread
329
0
    if (i != iend) {
330
0
        std::unique_ptr<HTTPWorkItem> item(new HTTPWorkItem(std::move(hreq), path, i->handler));
331
0
        assert(g_work_queue);
332
0
        if (g_work_queue->Enqueue(item.get())) {
333
0
            item.release(); /* if true, queue took ownership */
334
0
        } else {
335
0
            LogPrintf("WARNING: request rejected because http work queue depth exceeded, it can be increased with the -rpcworkqueue= setting\n");
Line
Count
Source
361
0
#define LogPrintf(...) LogInfo(__VA_ARGS__)
Line
Count
Source
356
0
#define LogInfo(...) LogPrintLevel_(BCLog::LogFlags::ALL, BCLog::Level::Info, /*should_ratelimit=*/true, __VA_ARGS__)
Line
Count
Source
350
0
#define LogPrintLevel_(category, level, should_ratelimit, ...) LogPrintFormatInternal(std::source_location::current(), category, level, should_ratelimit, __VA_ARGS__)
336
0
            item->req->WriteReply(HTTP_SERVICE_UNAVAILABLE, "Work queue depth exceeded");
337
0
        }
338
0
    } else {
339
0
        hreq->WriteReply(HTTP_NOT_FOUND);
340
0
    }
341
0
}
342
343
/** Callback to reject HTTP requests after shutdown. */
344
static void http_reject_request_cb(struct evhttp_request* req, void*)
345
0
{
346
0
    LogDebug(BCLog::HTTP, "Rejecting request while shutting down\n");
Line
Count
Source
381
0
#define LogDebug(category, ...) LogPrintLevel(category, BCLog::Level::Debug, __VA_ARGS__)
Line
Count
Source
373
0
    do {                                                              \
374
0
        if (LogAcceptCategory((category), (level))) {                 \
375
0
            bool rate_limit{level >= BCLog::Level::Info};             \
376
0
            LogPrintLevel_(category, level, rate_limit, __VA_ARGS__); \
Line
Count
Source
350
0
#define LogPrintLevel_(category, level, should_ratelimit, ...) LogPrintFormatInternal(std::source_location::current(), category, level, should_ratelimit, __VA_ARGS__)
377
0
        }                                                             \
378
0
    } while (0)
347
0
    evhttp_send_error(req, HTTP_SERVUNAVAIL, nullptr);
348
0
}
349
350
/** Event dispatcher thread */
351
static void ThreadHTTP(struct event_base* base)
352
0
{
353
0
    util::ThreadRename("http");
354
0
    LogDebug(BCLog::HTTP, "Entering http event loop\n");
Line
Count
Source
381
0
#define LogDebug(category, ...) LogPrintLevel(category, BCLog::Level::Debug, __VA_ARGS__)
Line
Count
Source
373
0
    do {                                                              \
374
0
        if (LogAcceptCategory((category), (level))) {                 \
375
0
            bool rate_limit{level >= BCLog::Level::Info};             \
376
0
            LogPrintLevel_(category, level, rate_limit, __VA_ARGS__); \
Line
Count
Source
350
0
#define LogPrintLevel_(category, level, should_ratelimit, ...) LogPrintFormatInternal(std::source_location::current(), category, level, should_ratelimit, __VA_ARGS__)
377
0
        }                                                             \
378
0
    } while (0)
355
0
    event_base_dispatch(base);
356
    // Event loop will be interrupted by InterruptHTTPServer()
357
0
    LogDebug(BCLog::HTTP, "Exited http event loop\n");
Line
Count
Source
381
0
#define LogDebug(category, ...) LogPrintLevel(category, BCLog::Level::Debug, __VA_ARGS__)
Line
Count
Source
373
0
    do {                                                              \
374
0
        if (LogAcceptCategory((category), (level))) {                 \
375
0
            bool rate_limit{level >= BCLog::Level::Info};             \
376
0
            LogPrintLevel_(category, level, rate_limit, __VA_ARGS__); \
Line
Count
Source
350
0
#define LogPrintLevel_(category, level, should_ratelimit, ...) LogPrintFormatInternal(std::source_location::current(), category, level, should_ratelimit, __VA_ARGS__)
377
0
        }                                                             \
378
0
    } while (0)
358
0
}
359
360
/** Bind HTTP server to specified addresses */
361
static bool HTTPBindAddresses(struct evhttp* http)
362
0
{
363
0
    uint16_t http_port{static_cast<uint16_t>(gArgs.GetIntArg("-rpcport", BaseParams().RPCPort()))};
364
0
    std::vector<std::pair<std::string, uint16_t>> endpoints;
365
366
    // Determine what addresses to bind to
367
    // To prevent misconfiguration and accidental exposure of the RPC
368
    // interface, require -rpcallowip and -rpcbind to both be specified
369
    // together. If either is missing, ignore both values, bind to localhost
370
    // instead, and log warnings.
371
0
    if (gArgs.GetArgs("-rpcallowip").empty() || gArgs.GetArgs("-rpcbind").empty()) { // Default to loopback if not allowing external IPs
372
0
        endpoints.emplace_back("::1", http_port);
373
0
        endpoints.emplace_back("127.0.0.1", http_port);
374
0
        if (!gArgs.GetArgs("-rpcallowip").empty()) {
375
0
            LogPrintf("WARNING: option -rpcallowip was specified without -rpcbind; this doesn't usually make sense\n");
Line
Count
Source
361
0
#define LogPrintf(...) LogInfo(__VA_ARGS__)
Line
Count
Source
356
0
#define LogInfo(...) LogPrintLevel_(BCLog::LogFlags::ALL, BCLog::Level::Info, /*should_ratelimit=*/true, __VA_ARGS__)
Line
Count
Source
350
0
#define LogPrintLevel_(category, level, should_ratelimit, ...) LogPrintFormatInternal(std::source_location::current(), category, level, should_ratelimit, __VA_ARGS__)
376
0
        }
377
0
        if (!gArgs.GetArgs("-rpcbind").empty()) {
378
0
            LogPrintf("WARNING: option -rpcbind was ignored because -rpcallowip was not specified, refusing to allow everyone to connect\n");
Line
Count
Source
361
0
#define LogPrintf(...) LogInfo(__VA_ARGS__)
Line
Count
Source
356
0
#define LogInfo(...) LogPrintLevel_(BCLog::LogFlags::ALL, BCLog::Level::Info, /*should_ratelimit=*/true, __VA_ARGS__)
Line
Count
Source
350
0
#define LogPrintLevel_(category, level, should_ratelimit, ...) LogPrintFormatInternal(std::source_location::current(), category, level, should_ratelimit, __VA_ARGS__)
379
0
        }
380
0
    } else { // Specific bind addresses
381
0
        for (const std::string& strRPCBind : gArgs.GetArgs("-rpcbind")) {
382
0
            uint16_t port{http_port};
383
0
            std::string host;
384
0
            if (!SplitHostPort(strRPCBind, port, host)) {
385
0
                LogError("%s\n", InvalidPortErrMsg("-rpcbind", strRPCBind).original);
Line
Count
Source
358
0
#define LogError(...) LogPrintLevel_(BCLog::LogFlags::ALL, BCLog::Level::Error, /*should_ratelimit=*/true, __VA_ARGS__)
Line
Count
Source
350
0
#define LogPrintLevel_(category, level, should_ratelimit, ...) LogPrintFormatInternal(std::source_location::current(), category, level, should_ratelimit, __VA_ARGS__)
386
0
                return false;
387
0
            }
388
0
            endpoints.emplace_back(host, port);
389
0
        }
390
0
    }
391
392
    // Bind addresses
393
0
    for (std::vector<std::pair<std::string, uint16_t> >::iterator i = endpoints.begin(); i != endpoints.end(); ++i) {
394
0
        LogInfo("Binding RPC on address %s port %i", i->first, i->second);
Line
Count
Source
356
0
#define LogInfo(...) LogPrintLevel_(BCLog::LogFlags::ALL, BCLog::Level::Info, /*should_ratelimit=*/true, __VA_ARGS__)
Line
Count
Source
350
0
#define LogPrintLevel_(category, level, should_ratelimit, ...) LogPrintFormatInternal(std::source_location::current(), category, level, should_ratelimit, __VA_ARGS__)
395
0
        evhttp_bound_socket *bind_handle = evhttp_bind_socket_with_handle(http, i->first.empty() ? nullptr : i->first.c_str(), i->second);
396
0
        if (bind_handle) {
397
0
            const std::optional<CNetAddr> addr{LookupHost(i->first, false)};
398
0
            if (i->first.empty() || (addr.has_value() && addr->IsBindAny())) {
399
0
                LogPrintf("WARNING: the RPC server is not safe to expose to untrusted networks such as the public internet\n");
Line
Count
Source
361
0
#define LogPrintf(...) LogInfo(__VA_ARGS__)
Line
Count
Source
356
0
#define LogInfo(...) LogPrintLevel_(BCLog::LogFlags::ALL, BCLog::Level::Info, /*should_ratelimit=*/true, __VA_ARGS__)
Line
Count
Source
350
0
#define LogPrintLevel_(category, level, should_ratelimit, ...) LogPrintFormatInternal(std::source_location::current(), category, level, should_ratelimit, __VA_ARGS__)
400
0
            }
401
            // Set the no-delay option (disable Nagle's algorithm) on the TCP socket.
402
0
            evutil_socket_t fd = evhttp_bound_socket_get_fd(bind_handle);
403
0
            int one = 1;
404
0
            if (setsockopt(fd, IPPROTO_TCP, TCP_NODELAY, (sockopt_arg_type)&one, sizeof(one)) == SOCKET_ERROR) {
Line
Count
Source
56
0
#define SOCKET_ERROR        -1
405
0
                LogInfo("WARNING: Unable to set TCP_NODELAY on RPC server socket, continuing anyway\n");
Line
Count
Source
356
0
#define LogInfo(...) LogPrintLevel_(BCLog::LogFlags::ALL, BCLog::Level::Info, /*should_ratelimit=*/true, __VA_ARGS__)
Line
Count
Source
350
0
#define LogPrintLevel_(category, level, should_ratelimit, ...) LogPrintFormatInternal(std::source_location::current(), category, level, should_ratelimit, __VA_ARGS__)
406
0
            }
407
0
            boundSockets.push_back(bind_handle);
408
0
        } else {
409
0
            LogPrintf("Binding RPC on address %s port %i failed.\n", i->first, i->second);
Line
Count
Source
361
0
#define LogPrintf(...) LogInfo(__VA_ARGS__)
Line
Count
Source
356
0
#define LogInfo(...) LogPrintLevel_(BCLog::LogFlags::ALL, BCLog::Level::Info, /*should_ratelimit=*/true, __VA_ARGS__)
Line
Count
Source
350
0
#define LogPrintLevel_(category, level, should_ratelimit, ...) LogPrintFormatInternal(std::source_location::current(), category, level, should_ratelimit, __VA_ARGS__)
410
0
        }
411
0
    }
412
0
    return !boundSockets.empty();
413
0
}
414
415
/** Simple wrapper to set thread name and run work queue */
416
static void HTTPWorkQueueRun(WorkQueue<HTTPClosure>* queue, int worker_num)
417
0
{
418
0
    util::ThreadRename(strprintf("httpworker.%i", worker_num));
Line
Count
Source
1172
0
#define strprintf tfm::format
419
0
    queue->Run();
420
0
}
421
422
/** libevent event log callback */
423
static void libevent_log_cb(int severity, const char *msg)
424
0
{
425
0
    BCLog::Level level;
426
0
    switch (severity) {
427
0
    case EVENT_LOG_DEBUG:
428
0
        level = BCLog::Level::Debug;
429
0
        break;
430
0
    case EVENT_LOG_MSG:
431
0
        level = BCLog::Level::Info;
432
0
        break;
433
0
    case EVENT_LOG_WARN:
434
0
        level = BCLog::Level::Warning;
435
0
        break;
436
0
    default: // EVENT_LOG_ERR and others are mapped to error
437
0
        level = BCLog::Level::Error;
438
0
        break;
439
0
    }
440
0
    LogPrintLevel(BCLog::LIBEVENT, level, "%s\n", msg);
Line
Count
Source
373
0
    do {                                                              \
374
0
        if (LogAcceptCategory((category), (level))) {                 \
375
0
            bool rate_limit{level >= BCLog::Level::Info};             \
376
0
            LogPrintLevel_(category, level, rate_limit, __VA_ARGS__); \
Line
Count
Source
350
0
#define LogPrintLevel_(category, level, should_ratelimit, ...) LogPrintFormatInternal(std::source_location::current(), category, level, should_ratelimit, __VA_ARGS__)
377
0
        }                                                             \
378
0
    } while (0)
441
0
}
442
443
bool InitHTTPServer(const util::SignalInterrupt& interrupt)
444
0
{
445
0
    if (!InitHTTPAllowList())
446
0
        return false;
447
448
    // Redirect libevent's logging to our own log
449
0
    event_set_log_callback(&libevent_log_cb);
450
    // Update libevent's log handling.
451
0
    UpdateHTTPServerLogging(LogInstance().WillLogCategory(BCLog::LIBEVENT));
452
453
#ifdef WIN32
454
    evthread_use_windows_threads();
455
#else
456
0
    evthread_use_pthreads();
457
0
#endif
458
459
0
    raii_event_base base_ctr = obtain_event_base();
460
461
    /* Create a new evhttp object to handle requests. */
462
0
    raii_evhttp http_ctr = obtain_evhttp(base_ctr.get());
463
0
    struct evhttp* http = http_ctr.get();
464
0
    if (!http) {
465
0
        LogPrintf("couldn't create evhttp. Exiting.\n");
Line
Count
Source
361
0
#define LogPrintf(...) LogInfo(__VA_ARGS__)
Line
Count
Source
356
0
#define LogInfo(...) LogPrintLevel_(BCLog::LogFlags::ALL, BCLog::Level::Info, /*should_ratelimit=*/true, __VA_ARGS__)
Line
Count
Source
350
0
#define LogPrintLevel_(category, level, should_ratelimit, ...) LogPrintFormatInternal(std::source_location::current(), category, level, should_ratelimit, __VA_ARGS__)
466
0
        return false;
467
0
    }
468
469
0
    evhttp_set_timeout(http, gArgs.GetIntArg("-rpcservertimeout", DEFAULT_HTTP_SERVER_TIMEOUT));
470
0
    evhttp_set_max_headers_size(http, MAX_HEADERS_SIZE);
471
0
    evhttp_set_max_body_size(http, MAX_SIZE);
472
0
    evhttp_set_gencb(http, http_request_cb, (void*)&interrupt);
473
474
0
    if (!HTTPBindAddresses(http)) {
475
0
        LogPrintf("Unable to bind any endpoint for RPC server\n");
Line
Count
Source
361
0
#define LogPrintf(...) LogInfo(__VA_ARGS__)
Line
Count
Source
356
0
#define LogInfo(...) LogPrintLevel_(BCLog::LogFlags::ALL, BCLog::Level::Info, /*should_ratelimit=*/true, __VA_ARGS__)
Line
Count
Source
350
0
#define LogPrintLevel_(category, level, should_ratelimit, ...) LogPrintFormatInternal(std::source_location::current(), category, level, should_ratelimit, __VA_ARGS__)
476
0
        return false;
477
0
    }
478
479
0
    LogDebug(BCLog::HTTP, "Initialized HTTP server\n");
Line
Count
Source
381
0
#define LogDebug(category, ...) LogPrintLevel(category, BCLog::Level::Debug, __VA_ARGS__)
Line
Count
Source
373
0
    do {                                                              \
374
0
        if (LogAcceptCategory((category), (level))) {                 \
375
0
            bool rate_limit{level >= BCLog::Level::Info};             \
376
0
            LogPrintLevel_(category, level, rate_limit, __VA_ARGS__); \
Line
Count
Source
350
0
#define LogPrintLevel_(category, level, should_ratelimit, ...) LogPrintFormatInternal(std::source_location::current(), category, level, should_ratelimit, __VA_ARGS__)
377
0
        }                                                             \
378
0
    } while (0)
480
0
    int workQueueDepth = std::max((long)gArgs.GetIntArg("-rpcworkqueue", DEFAULT_HTTP_WORKQUEUE), 1L);
481
0
    LogDebug(BCLog::HTTP, "creating work queue of depth %d\n", workQueueDepth);
Line
Count
Source
381
0
#define LogDebug(category, ...) LogPrintLevel(category, BCLog::Level::Debug, __VA_ARGS__)
Line
Count
Source
373
0
    do {                                                              \
374
0
        if (LogAcceptCategory((category), (level))) {                 \
375
0
            bool rate_limit{level >= BCLog::Level::Info};             \
376
0
            LogPrintLevel_(category, level, rate_limit, __VA_ARGS__); \
Line
Count
Source
350
0
#define LogPrintLevel_(category, level, should_ratelimit, ...) LogPrintFormatInternal(std::source_location::current(), category, level, should_ratelimit, __VA_ARGS__)
377
0
        }                                                             \
378
0
    } while (0)
482
483
0
    g_work_queue = std::make_unique<WorkQueue<HTTPClosure>>(workQueueDepth);
484
    // transfer ownership to eventBase/HTTP via .release()
485
0
    eventBase = base_ctr.release();
486
0
    eventHTTP = http_ctr.release();
487
0
    return true;
488
0
}
489
490
0
void UpdateHTTPServerLogging(bool enable) {
491
0
    if (enable) {
492
0
        event_enable_debug_logging(EVENT_DBG_ALL);
493
0
    } else {
494
0
        event_enable_debug_logging(EVENT_DBG_NONE);
495
0
    }
496
0
}
497
498
static std::thread g_thread_http;
499
static std::vector<std::thread> g_thread_http_workers;
500
501
void StartHTTPServer()
502
0
{
503
0
    int rpcThreads = std::max((long)gArgs.GetIntArg("-rpcthreads", DEFAULT_HTTP_THREADS), 1L);
504
0
    LogInfo("Starting HTTP server with %d worker threads\n", rpcThreads);
Line
Count
Source
356
0
#define LogInfo(...) LogPrintLevel_(BCLog::LogFlags::ALL, BCLog::Level::Info, /*should_ratelimit=*/true, __VA_ARGS__)
Line
Count
Source
350
0
#define LogPrintLevel_(category, level, should_ratelimit, ...) LogPrintFormatInternal(std::source_location::current(), category, level, should_ratelimit, __VA_ARGS__)
505
0
    g_thread_http = std::thread(ThreadHTTP, eventBase);
506
507
0
    for (int i = 0; i < rpcThreads; i++) {
508
0
        g_thread_http_workers.emplace_back(HTTPWorkQueueRun, g_work_queue.get(), i);
509
0
    }
510
0
}
511
512
void InterruptHTTPServer()
513
0
{
514
0
    LogDebug(BCLog::HTTP, "Interrupting HTTP server\n");
Line
Count
Source
381
0
#define LogDebug(category, ...) LogPrintLevel(category, BCLog::Level::Debug, __VA_ARGS__)
Line
Count
Source
373
0
    do {                                                              \
374
0
        if (LogAcceptCategory((category), (level))) {                 \
375
0
            bool rate_limit{level >= BCLog::Level::Info};             \
376
0
            LogPrintLevel_(category, level, rate_limit, __VA_ARGS__); \
Line
Count
Source
350
0
#define LogPrintLevel_(category, level, should_ratelimit, ...) LogPrintFormatInternal(std::source_location::current(), category, level, should_ratelimit, __VA_ARGS__)
377
0
        }                                                             \
378
0
    } while (0)
515
0
    if (eventHTTP) {
516
        // Reject requests on current connections
517
0
        evhttp_set_gencb(eventHTTP, http_reject_request_cb, nullptr);
518
0
    }
519
0
    if (g_work_queue) {
520
0
        g_work_queue->Interrupt();
521
0
    }
522
0
}
523
524
void StopHTTPServer()
525
0
{
526
0
    LogDebug(BCLog::HTTP, "Stopping HTTP server\n");
Line
Count
Source
381
0
#define LogDebug(category, ...) LogPrintLevel(category, BCLog::Level::Debug, __VA_ARGS__)
Line
Count
Source
373
0
    do {                                                              \
374
0
        if (LogAcceptCategory((category), (level))) {                 \
375
0
            bool rate_limit{level >= BCLog::Level::Info};             \
376
0
            LogPrintLevel_(category, level, rate_limit, __VA_ARGS__); \
Line
Count
Source
350
0
#define LogPrintLevel_(category, level, should_ratelimit, ...) LogPrintFormatInternal(std::source_location::current(), category, level, should_ratelimit, __VA_ARGS__)
377
0
        }                                                             \
378
0
    } while (0)
527
0
    if (g_work_queue) {
528
0
        LogDebug(BCLog::HTTP, "Waiting for HTTP worker threads to exit\n");
Line
Count
Source
381
0
#define LogDebug(category, ...) LogPrintLevel(category, BCLog::Level::Debug, __VA_ARGS__)
Line
Count
Source
373
0
    do {                                                              \
374
0
        if (LogAcceptCategory((category), (level))) {                 \
375
0
            bool rate_limit{level >= BCLog::Level::Info};             \
376
0
            LogPrintLevel_(category, level, rate_limit, __VA_ARGS__); \
Line
Count
Source
350
0
#define LogPrintLevel_(category, level, should_ratelimit, ...) LogPrintFormatInternal(std::source_location::current(), category, level, should_ratelimit, __VA_ARGS__)
377
0
        }                                                             \
378
0
    } while (0)
529
0
        for (auto& thread : g_thread_http_workers) {
530
0
            thread.join();
531
0
        }
532
0
        g_thread_http_workers.clear();
533
0
    }
534
    // Unlisten sockets, these are what make the event loop running, which means
535
    // that after this and all connections are closed the event loop will quit.
536
0
    for (evhttp_bound_socket *socket : boundSockets) {
537
0
        evhttp_del_accept_socket(eventHTTP, socket);
538
0
    }
539
0
    boundSockets.clear();
540
0
    {
541
0
        if (const auto n_connections{g_requests.CountActiveConnections()}; n_connections != 0) {
542
0
            LogDebug(BCLog::HTTP, "Waiting for %d connections to stop HTTP server\n", n_connections);
Line
Count
Source
381
0
#define LogDebug(category, ...) LogPrintLevel(category, BCLog::Level::Debug, __VA_ARGS__)
Line
Count
Source
373
0
    do {                                                              \
374
0
        if (LogAcceptCategory((category), (level))) {                 \
375
0
            bool rate_limit{level >= BCLog::Level::Info};             \
376
0
            LogPrintLevel_(category, level, rate_limit, __VA_ARGS__); \
Line
Count
Source
350
0
#define LogPrintLevel_(category, level, should_ratelimit, ...) LogPrintFormatInternal(std::source_location::current(), category, level, should_ratelimit, __VA_ARGS__)
377
0
        }                                                             \
378
0
    } while (0)
543
0
        }
544
0
        g_requests.WaitUntilEmpty();
545
0
    }
546
0
    if (eventHTTP) {
547
        // Schedule a callback to call evhttp_free in the event base thread, so
548
        // that evhttp_free does not need to be called again after the handling
549
        // of unfinished request connections that follows.
550
0
        event_base_once(eventBase, -1, EV_TIMEOUT, [](evutil_socket_t, short, void*) {
551
0
            evhttp_free(eventHTTP);
552
0
            eventHTTP = nullptr;
553
0
        }, nullptr, nullptr);
554
0
    }
555
0
    if (eventBase) {
556
0
        LogDebug(BCLog::HTTP, "Waiting for HTTP event thread to exit\n");
Line
Count
Source
381
0
#define LogDebug(category, ...) LogPrintLevel(category, BCLog::Level::Debug, __VA_ARGS__)
Line
Count
Source
373
0
    do {                                                              \
374
0
        if (LogAcceptCategory((category), (level))) {                 \
375
0
            bool rate_limit{level >= BCLog::Level::Info};             \
376
0
            LogPrintLevel_(category, level, rate_limit, __VA_ARGS__); \
Line
Count
Source
350
0
#define LogPrintLevel_(category, level, should_ratelimit, ...) LogPrintFormatInternal(std::source_location::current(), category, level, should_ratelimit, __VA_ARGS__)
377
0
        }                                                             \
378
0
    } while (0)
557
0
        if (g_thread_http.joinable()) g_thread_http.join();
558
0
        event_base_free(eventBase);
559
0
        eventBase = nullptr;
560
0
    }
561
0
    g_work_queue.reset();
562
0
    LogDebug(BCLog::HTTP, "Stopped HTTP server\n");
Line
Count
Source
381
0
#define LogDebug(category, ...) LogPrintLevel(category, BCLog::Level::Debug, __VA_ARGS__)
Line
Count
Source
373
0
    do {                                                              \
374
0
        if (LogAcceptCategory((category), (level))) {                 \
375
0
            bool rate_limit{level >= BCLog::Level::Info};             \
376
0
            LogPrintLevel_(category, level, rate_limit, __VA_ARGS__); \
Line
Count
Source
350
0
#define LogPrintLevel_(category, level, should_ratelimit, ...) LogPrintFormatInternal(std::source_location::current(), category, level, should_ratelimit, __VA_ARGS__)
377
0
        }                                                             \
378
0
    } while (0)
563
0
}
564
565
struct event_base* EventBase()
566
0
{
567
0
    return eventBase;
568
0
}
569
570
static void httpevent_callback_fn(evutil_socket_t, short, void* data)
571
0
{
572
    // Static handler: simply call inner handler
573
0
    HTTPEvent *self = static_cast<HTTPEvent*>(data);
574
0
    self->handler();
575
0
    if (self->deleteWhenTriggered)
576
0
        delete self;
577
0
}
578
579
HTTPEvent::HTTPEvent(struct event_base* base, bool _deleteWhenTriggered, const std::function<void()>& _handler):
580
0
    deleteWhenTriggered(_deleteWhenTriggered), handler(_handler)
581
0
{
582
0
    ev = event_new(base, -1, 0, httpevent_callback_fn, this);
583
0
    assert(ev);
584
0
}
585
HTTPEvent::~HTTPEvent()
586
0
{
587
0
    event_free(ev);
588
0
}
589
void HTTPEvent::trigger(struct timeval* tv)
590
0
{
591
0
    if (tv == nullptr)
592
0
        event_active(ev, 0, 0); // immediately trigger event in main thread
593
0
    else
594
0
        evtimer_add(ev, tv); // trigger after timeval passed
595
0
}
596
HTTPRequest::HTTPRequest(struct evhttp_request* _req, const util::SignalInterrupt& interrupt, bool _replySent)
597
0
    : req(_req), m_interrupt(interrupt), replySent(_replySent)
598
0
{
599
0
}
600
601
HTTPRequest::~HTTPRequest()
602
0
{
603
0
    if (!replySent) {
604
        // Keep track of whether reply was sent to avoid request leaks
605
0
        LogPrintf("%s: Unhandled request\n", __func__);
Line
Count
Source
361
0
#define LogPrintf(...) LogInfo(__VA_ARGS__)
Line
Count
Source
356
0
#define LogInfo(...) LogPrintLevel_(BCLog::LogFlags::ALL, BCLog::Level::Info, /*should_ratelimit=*/true, __VA_ARGS__)
Line
Count
Source
350
0
#define LogPrintLevel_(category, level, should_ratelimit, ...) LogPrintFormatInternal(std::source_location::current(), category, level, should_ratelimit, __VA_ARGS__)
606
0
        WriteReply(HTTP_INTERNAL_SERVER_ERROR, "Unhandled request");
607
0
    }
608
    // evhttpd cleans up the request, as long as a reply was sent.
609
0
}
610
611
std::pair<bool, std::string> HTTPRequest::GetHeader(const std::string& hdr) const
612
0
{
613
0
    const struct evkeyvalq* headers = evhttp_request_get_input_headers(req);
614
0
    assert(headers);
615
0
    const char* val = evhttp_find_header(headers, hdr.c_str());
616
0
    if (val)
617
0
        return std::make_pair(true, val);
618
0
    else
619
0
        return std::make_pair(false, "");
620
0
}
621
622
std::string HTTPRequest::ReadBody()
623
0
{
624
0
    struct evbuffer* buf = evhttp_request_get_input_buffer(req);
625
0
    if (!buf)
626
0
        return "";
627
0
    size_t size = evbuffer_get_length(buf);
628
    /** Trivial implementation: if this is ever a performance bottleneck,
629
     * internal copying can be avoided in multi-segment buffers by using
630
     * evbuffer_peek and an awkward loop. Though in that case, it'd be even
631
     * better to not copy into an intermediate string but use a stream
632
     * abstraction to consume the evbuffer on the fly in the parsing algorithm.
633
     */
634
0
    const char* data = (const char*)evbuffer_pullup(buf, size);
635
0
    if (!data) // returns nullptr in case of empty buffer
636
0
        return "";
637
0
    std::string rv(data, size);
638
0
    evbuffer_drain(buf, size);
639
0
    return rv;
640
0
}
641
642
void HTTPRequest::WriteHeader(const std::string& hdr, const std::string& value)
643
0
{
644
0
    struct evkeyvalq* headers = evhttp_request_get_output_headers(req);
645
0
    assert(headers);
646
0
    evhttp_add_header(headers, hdr.c_str(), value.c_str());
647
0
}
648
649
/** Closure sent to main thread to request a reply to be sent to
650
 * a HTTP request.
651
 * Replies must be sent in the main loop in the main http thread,
652
 * this cannot be done from worker threads.
653
 */
654
void HTTPRequest::WriteReply(int nStatus, std::span<const std::byte> reply)
655
0
{
656
0
    assert(!replySent && req);
657
0
    if (m_interrupt) {
658
0
        WriteHeader("Connection", "close");
659
0
    }
660
    // Send event to main http thread to send reply message
661
0
    struct evbuffer* evb = evhttp_request_get_output_buffer(req);
662
0
    assert(evb);
663
0
    evbuffer_add(evb, reply.data(), reply.size());
664
0
    auto req_copy = req;
665
0
    HTTPEvent* ev = new HTTPEvent(eventBase, true, [req_copy, nStatus]{
666
0
        evhttp_send_reply(req_copy, nStatus, nullptr, nullptr);
667
        // Re-enable reading from the socket. This is the second part of the libevent
668
        // workaround above.
669
0
        if (event_get_version_number() >= 0x02010600 && event_get_version_number() < 0x02010900) {
670
0
            evhttp_connection* conn = evhttp_request_get_connection(req_copy);
671
0
            if (conn) {
672
0
                bufferevent* bev = evhttp_connection_get_bufferevent(conn);
673
0
                if (bev) {
674
0
                    bufferevent_enable(bev, EV_READ | EV_WRITE);
675
0
                }
676
0
            }
677
0
        }
678
0
    });
679
0
    ev->trigger(nullptr);
680
0
    replySent = true;
681
0
    req = nullptr; // transferred back to main thread
682
0
}
683
684
CService HTTPRequest::GetPeer() const
685
0
{
686
0
    evhttp_connection* con = evhttp_request_get_connection(req);
687
0
    CService peer;
688
0
    if (con) {
689
        // evhttp retains ownership over returned address string
690
0
        const char* address = "";
691
0
        uint16_t port = 0;
692
693
#ifdef HAVE_EVHTTP_CONNECTION_GET_PEER_CONST_CHAR
694
        evhttp_connection_get_peer(con, &address, &port);
695
#else
696
0
        evhttp_connection_get_peer(con, (char**)&address, &port);
697
0
#endif // HAVE_EVHTTP_CONNECTION_GET_PEER_CONST_CHAR
698
699
0
        peer = MaybeFlipIPv6toCJDNS(LookupNumeric(address, port));
700
0
    }
701
0
    return peer;
702
0
}
703
704
std::string HTTPRequest::GetURI() const
705
0
{
706
0
    return evhttp_request_get_uri(req);
707
0
}
708
709
HTTPRequest::RequestMethod HTTPRequest::GetRequestMethod() const
710
0
{
711
0
    switch (evhttp_request_get_command(req)) {
712
0
    case EVHTTP_REQ_GET:
713
0
        return GET;
714
0
    case EVHTTP_REQ_POST:
715
0
        return POST;
716
0
    case EVHTTP_REQ_HEAD:
717
0
        return HEAD;
718
0
    case EVHTTP_REQ_PUT:
719
0
        return PUT;
720
0
    default:
721
0
        return UNKNOWN;
722
0
    }
723
0
}
724
725
std::optional<std::string> HTTPRequest::GetQueryParameter(const std::string& key) const
726
0
{
727
0
    const char* uri{evhttp_request_get_uri(req)};
728
729
0
    return GetQueryParameterFromUri(uri, key);
730
0
}
731
732
std::optional<std::string> GetQueryParameterFromUri(const char* uri, const std::string& key)
733
0
{
734
0
    evhttp_uri* uri_parsed{evhttp_uri_parse(uri)};
735
0
    if (!uri_parsed) {
736
0
        throw std::runtime_error("URI parsing failed, it likely contained RFC 3986 invalid characters");
737
0
    }
738
0
    const char* query{evhttp_uri_get_query(uri_parsed)};
739
0
    std::optional<std::string> result;
740
741
0
    if (query) {
742
        // Parse the query string into a key-value queue and iterate over it
743
0
        struct evkeyvalq params_q;
744
0
        evhttp_parse_query_str(query, &params_q);
745
746
0
        for (struct evkeyval* param{params_q.tqh_first}; param != nullptr; param = param->next.tqe_next) {
747
0
            if (param->key == key) {
748
0
                result = param->value;
749
0
                break;
750
0
            }
751
0
        }
752
0
        evhttp_clear_headers(&params_q);
753
0
    }
754
0
    evhttp_uri_free(uri_parsed);
755
756
0
    return result;
757
0
}
758
759
void RegisterHTTPHandler(const std::string &prefix, bool exactMatch, const HTTPRequestHandler &handler)
760
0
{
761
0
    LogDebug(BCLog::HTTP, "Registering HTTP handler for %s (exactmatch %d)\n", prefix, exactMatch);
Line
Count
Source
381
0
#define LogDebug(category, ...) LogPrintLevel(category, BCLog::Level::Debug, __VA_ARGS__)
Line
Count
Source
373
0
    do {                                                              \
374
0
        if (LogAcceptCategory((category), (level))) {                 \
375
0
            bool rate_limit{level >= BCLog::Level::Info};             \
376
0
            LogPrintLevel_(category, level, rate_limit, __VA_ARGS__); \
Line
Count
Source
350
0
#define LogPrintLevel_(category, level, should_ratelimit, ...) LogPrintFormatInternal(std::source_location::current(), category, level, should_ratelimit, __VA_ARGS__)
377
0
        }                                                             \
378
0
    } while (0)
762
0
    LOCK(g_httppathhandlers_mutex);
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
763
0
    pathHandlers.emplace_back(prefix, exactMatch, handler);
764
0
}
765
766
void UnregisterHTTPHandler(const std::string &prefix, bool exactMatch)
767
0
{
768
0
    LOCK(g_httppathhandlers_mutex);
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
769
0
    std::vector<HTTPPathHandler>::iterator i = pathHandlers.begin();
770
0
    std::vector<HTTPPathHandler>::iterator iend = pathHandlers.end();
771
0
    for (; i != iend; ++i)
772
0
        if (i->prefix == prefix && i->exactMatch == exactMatch)
773
0
            break;
774
0
    if (i != iend)
775
0
    {
776
0
        LogDebug(BCLog::HTTP, "Unregistering HTTP handler for %s (exactmatch %d)\n", prefix, exactMatch);
Line
Count
Source
381
0
#define LogDebug(category, ...) LogPrintLevel(category, BCLog::Level::Debug, __VA_ARGS__)
Line
Count
Source
373
0
    do {                                                              \
374
0
        if (LogAcceptCategory((category), (level))) {                 \
375
0
            bool rate_limit{level >= BCLog::Level::Info};             \
376
0
            LogPrintLevel_(category, level, rate_limit, __VA_ARGS__); \
Line
Count
Source
350
0
#define LogPrintLevel_(category, level, should_ratelimit, ...) LogPrintFormatInternal(std::source_location::current(), category, level, should_ratelimit, __VA_ARGS__)
377
0
        }                                                             \
378
0
    } while (0)
777
0
        pathHandlers.erase(i);
778
0
    }
779
0
}