Coverage Report

Created: 2024-08-21 05:08

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