Branch data Line data Source code
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 : 186531 : HTTPWorkItem(std::unique_ptr<HTTPRequest> _req, const std::string &_path, const HTTPRequestHandler& _func):
57 [ + - + - ]: 186531 : req(std::move(_req)), path(_path), func(_func)
58 : : {
59 : 186531 : }
60 : 186530 : void operator()() override
61 : : {
62 : 186530 : func(req.get(), path);
63 : 186530 : }
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 [ + - ]: 1026 : explicit WorkQueue(size_t _maxDepth) : maxDepth(_maxDepth)
87 : : {
88 : 1026 : }
89 : : /** Precondition: worker threads have all stopped (they have been joined).
90 : : */
91 : 1026 : ~WorkQueue() = default;
92 : : /** Enqueue a work item */
93 : 186531 : bool Enqueue(WorkItem* item) EXCLUSIVE_LOCKS_REQUIRED(!cs)
94 : : {
95 : 186531 : LOCK(cs);
96 [ + - + + ]: 186531 : if (!running || queue.size() >= maxDepth) {
97 : : return false;
98 : : }
99 [ + - ]: 186530 : queue.emplace_back(std::unique_ptr<WorkItem>(item));
100 : 186530 : cond.notify_one();
101 : 186530 : return true;
102 : 186531 : }
103 : : /** Thread function */
104 : 16209 : void Run() EXCLUSIVE_LOCKS_REQUIRED(!cs)
105 : : {
106 : 186530 : while (true) {
107 : 202739 : std::unique_ptr<WorkItem> i;
108 : : {
109 [ + - ]: 202739 : WAIT_LOCK(cs, lock);
110 [ + + + + ]: 405453 : while (running && queue.empty())
111 [ + - ]: 202714 : cond.wait(lock);
112 [ + + - + ]: 202739 : if (!running && queue.empty())
113 : : break;
114 : 186530 : i = std::move(queue.front());
115 [ + - ]: 186530 : queue.pop_front();
116 [ + - ]: 202739 : }
117 [ + - ]: 186530 : (*i)();
118 : : }
119 : 16209 : }
120 : : /** Interrupt and exit loops */
121 : 1026 : void Interrupt() EXCLUSIVE_LOCKS_REQUIRED(!cs)
122 : : {
123 : 1026 : LOCK(cs);
124 : 1026 : running = false;
125 [ + - ]: 1026 : cond.notify_all();
126 : 1026 : }
127 : : };
128 : :
129 : 3068 : struct HTTPPathHandler
130 : : {
131 : 2040 : HTTPPathHandler(std::string _prefix, bool _exactMatch, HTTPRequestHandler _handler):
132 [ + - ]: 2040 : prefix(_prefix), exactMatch(_exactMatch), handler(_handler)
133 : : {
134 : 2040 : }
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 : 186533 : void RemoveConnectionInternal(const decltype(m_tracker)::iterator it) EXCLUSIVE_LOCKS_REQUIRED(m_mutex)
169 : : {
170 : 186533 : m_tracker.erase(it);
171 [ + + ]: 186533 : if (m_tracker.empty()) m_cv.notify_all();
172 : 186533 : }
173 : : public:
174 : : //! Increase request counter for the associated connection by 1
175 : 186533 : void AddRequest(evhttp_request* req) EXCLUSIVE_LOCKS_REQUIRED(!m_mutex)
176 : : {
177 : 186533 : const evhttp_connection* conn{Assert(evhttp_request_get_connection(Assert(req)))};
178 [ + - + - ]: 559599 : WITH_LOCK(m_mutex, ++m_tracker[conn]);
179 : 186533 : }
180 : : //! Decrease request counter for the associated connection by 1, remove connection if counter is 0
181 : 186533 : void RemoveRequest(evhttp_request* req) EXCLUSIVE_LOCKS_REQUIRED(!m_mutex)
182 : : {
183 : 186533 : const evhttp_connection* conn{Assert(evhttp_request_get_connection(Assert(req)))};
184 : 186533 : LOCK(m_mutex);
185 : 186533 : auto it{m_tracker.find(conn)};
186 [ + - + - : 373066 : if (it != m_tracker.end() && it->second > 0) {
+ - ]
187 [ + - ]: 186533 : if (--(it->second) == 0) RemoveConnectionInternal(it);
188 : : }
189 : 186533 : }
190 : : //! Remove a connection entirely
191 : 2484 : void RemoveConnection(const evhttp_connection* conn) EXCLUSIVE_LOCKS_REQUIRED(!m_mutex)
192 : : {
193 : 2484 : LOCK(m_mutex);
194 [ + - ]: 2484 : auto it{m_tracker.find(Assert(conn))};
195 [ - + + - ]: 2484 : if (it != m_tracker.end()) RemoveConnectionInternal(it);
196 : 2484 : }
197 : 1064 : size_t CountActiveConnections() const EXCLUSIVE_LOCKS_REQUIRED(!m_mutex)
198 : : {
199 [ + - ]: 1064 : return WITH_LOCK(m_mutex, return m_tracker.size());
200 : : }
201 : : //! Wait until there are no more connections with active requests in the tracker
202 : 1064 : void WaitUntilEmpty() const EXCLUSIVE_LOCKS_REQUIRED(!m_mutex)
203 : : {
204 : 1064 : WAIT_LOCK(m_mutex, lock);
205 [ - + + - ]: 1064 : m_cv.wait(lock, [this]() EXCLUSIVE_LOCKS_REQUIRED(m_mutex) { return m_tracker.empty(); });
206 : 1064 : }
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 : 186533 : static bool ClientAllowed(const CNetAddr& netaddr)
213 : : {
214 [ + - ]: 186533 : if (!netaddr.IsValid())
215 : : return false;
216 [ + + ]: 186544 : for(const CSubNet& subnet : rpc_allow_subnets)
217 [ + + ]: 186543 : if (subnet.Match(netaddr))
218 : : return true;
219 : : return false;
220 : : }
221 : :
222 : : /** Initialize ACL list for HTTP server */
223 : 1026 : static bool InitHTTPAllowList()
224 : : {
225 : 1026 : rpc_allow_subnets.clear();
226 [ + - + - : 3078 : rpc_allow_subnets.emplace_back(LookupHost("127.0.0.1", false).value(), 8); // always allow IPv4 local subnet
+ - ]
227 [ + - + - : 3078 : rpc_allow_subnets.emplace_back(LookupHost("::1", false).value()); // always allow IPv6 localhost
+ - ]
228 [ + - + + ]: 1033 : for (const std::string& strAllow : gArgs.GetArgs("-rpcallowip")) {
229 [ + - ]: 7 : const CSubNet subnet{LookupSubNet(strAllow)};
230 [ + - - + ]: 7 : if (!subnet.IsValid()) {
231 [ # # # # ]: 0 : uiInterface.ThreadSafeMessageBox(
232 [ # # # # ]: 0 : Untranslated(strprintf("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)),
233 : : "", CClientUIInterface::MSG_ERROR);
234 : 0 : return false;
235 : : }
236 [ + - ]: 7 : rpc_allow_subnets.push_back(subnet);
237 : 1033 : }
238 : 1026 : std::string strAllowed;
239 [ + + ]: 3085 : for (const CSubNet& subnet : rpc_allow_subnets)
240 [ + - + - ]: 6177 : strAllowed += subnet.ToString() + " ";
241 [ + - + + : 1026 : LogDebug(BCLog::HTTP, "Allowing HTTP connections from: %s\n", strAllowed);
+ - ]
242 : 1026 : return true;
243 : 1026 : }
244 : :
245 : : /** HTTP request method as string - use for logging only */
246 : 186520 : std::string RequestMethodString(HTTPRequest::RequestMethod m)
247 : : {
248 [ + + - - : 186520 : switch (m) {
- - ]
249 : 70 : case HTTPRequest::GET:
250 : 70 : return "GET";
251 : 186450 : case HTTPRequest::POST:
252 : 186450 : 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 : : } // no default case, so the compiler can warn about missing cases
260 : 0 : assert(false);
261 : : }
262 : :
263 : : /** HTTP request callback */
264 : 186533 : static void http_request_cb(struct evhttp_request* req, void* arg)
265 : : {
266 : 186533 : evhttp_connection* conn{evhttp_request_get_connection(req)};
267 : : // Track active requests
268 : 186533 : {
269 : 186533 : g_requests.AddRequest(req);
270 : 186533 : evhttp_request_set_on_complete_cb(req, [](struct evhttp_request* req, void*) {
271 : : g_requests.RemoveRequest(req);
272 : : }, nullptr);
273 : 186533 : evhttp_connection_set_closecb(conn, [](evhttp_connection* conn, void* arg) {
274 : : g_requests.RemoveConnection(conn);
275 : : }, nullptr);
276 : : }
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 [ + - - + ]: 186533 : 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 : : }
287 : : }
288 : : }
289 : 186533 : auto hreq{std::make_unique<HTTPRequest>(req, *static_cast<const util::SignalInterrupt*>(arg))};
290 : :
291 : : // Early address-based allow check
292 [ + - + - : 186533 : if (!ClientAllowed(hreq->GetPeer())) {
+ + ]
293 [ + - + - : 2 : LogDebug(BCLog::HTTP, "HTTP request from %s rejected: Client network is not allowed RPC access\n",
+ - + - +
- ]
294 : : hreq->GetPeer().ToStringAddrPort());
295 [ + - ]: 1 : hreq->WriteReply(HTTP_FORBIDDEN);
296 : : return;
297 : : }
298 : :
299 : : // Early reject unknown HTTP methods
300 [ + - - + ]: 186532 : if (hreq->GetRequestMethod() == HTTPRequest::UNKNOWN) {
301 [ # # # # : 0 : LogDebug(BCLog::HTTP, "HTTP request from %s rejected: Unknown HTTP request method\n",
# # # # #
# ]
302 : : hreq->GetPeer().ToStringAddrPort());
303 [ # # ]: 0 : hreq->WriteReply(HTTP_BAD_METHOD);
304 : : return;
305 : : }
306 : :
307 [ + - + + : 373052 : LogDebug(BCLog::HTTP, "Received a %s request for %s from %s\n",
+ - + - +
- + - + -
+ - + - +
- ]
308 : : RequestMethodString(hreq->GetRequestMethod()), SanitizeString(hreq->GetURI(), SAFE_CHARS_URI).substr(0, 100), hreq->GetPeer().ToStringAddrPort());
309 : :
310 : : // Find registered handler for prefix
311 [ + - ]: 186532 : std::string strURI = hreq->GetURI();
312 [ + - ]: 186532 : std::string path;
313 [ + - ]: 186532 : LOCK(g_httppathhandlers_mutex);
314 : 186532 : std::vector<HTTPPathHandler>::const_iterator i = pathHandlers.begin();
315 : 186532 : std::vector<HTTPPathHandler>::const_iterator iend = pathHandlers.end();
316 [ + + ]: 200421 : for (; i != iend; ++i) {
317 : 200420 : bool match = false;
318 [ + + ]: 200420 : if (i->exactMatch)
319 : 186532 : match = (strURI == i->prefix);
320 : : else
321 : 13888 : match = strURI.starts_with(i->prefix);
322 [ + + ]: 200420 : if (match) {
323 [ + - ]: 186531 : path = strURI.substr(i->prefix.size());
324 : 186531 : break;
325 : : }
326 : : }
327 : :
328 : : // Dispatch to worker thread
329 [ + + ]: 186532 : if (i != iend) {
330 [ + - + - ]: 186531 : std::unique_ptr<HTTPWorkItem> item(new HTTPWorkItem(std::move(hreq), path, i->handler));
331 [ - + ]: 186531 : assert(g_work_queue);
332 [ + - + + ]: 186531 : if (g_work_queue->Enqueue(item.get())) {
333 : 186530 : item.release(); /* if true, queue took ownership */
334 : : } else {
335 [ + - ]: 1 : LogPrintf("WARNING: request rejected because http work queue depth exceeded, it can be increased with the -rpcworkqueue= setting\n");
336 [ + - ]: 1 : item->req->WriteReply(HTTP_SERVICE_UNAVAILABLE, "Work queue depth exceeded");
337 : : }
338 : 186531 : } else {
339 [ + - ]: 1 : hreq->WriteReply(HTTP_NOT_FOUND);
340 : : }
341 : 186533 : }
342 : :
343 : : /** Callback to reject HTTP requests after shutdown. */
344 : 0 : static void http_reject_request_cb(struct evhttp_request* req, void*)
345 : : {
346 [ # # ]: 0 : LogDebug(BCLog::HTTP, "Rejecting request while shutting down\n");
347 : 0 : evhttp_send_error(req, HTTP_SERVUNAVAIL, nullptr);
348 : 0 : }
349 : :
350 : : /** Event dispatcher thread */
351 : 1014 : static void ThreadHTTP(struct event_base* base)
352 : : {
353 [ + - ]: 1014 : util::ThreadRename("http");
354 [ + + ]: 1014 : LogDebug(BCLog::HTTP, "Entering http event loop\n");
355 : 1014 : event_base_dispatch(base);
356 : : // Event loop will be interrupted by InterruptHTTPServer()
357 [ + + ]: 1014 : LogDebug(BCLog::HTTP, "Exited http event loop\n");
358 : 1014 : }
359 : :
360 : : /** Bind HTTP server to specified addresses */
361 : 1026 : static bool HTTPBindAddresses(struct evhttp* http)
362 : : {
363 [ + - ]: 1026 : uint16_t http_port{static_cast<uint16_t>(gArgs.GetIntArg("-rpcport", BaseParams().RPCPort()))};
364 : 1026 : 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 [ + - + - : 2066 : if (gArgs.GetArgs("-rpcallowip").empty() || gArgs.GetArgs("-rpcbind").empty()) { // Default to loopback if not allowing external IPs
+ + + - +
- + - + +
+ + - - -
- - - ]
372 [ + - ]: 1019 : endpoints.emplace_back("::1", http_port);
373 [ + - ]: 1019 : endpoints.emplace_back("127.0.0.1", http_port);
374 [ + - + - : 1019 : if (!gArgs.GetArgs("-rpcallowip").empty()) {
- + ]
375 [ # # ]: 0 : LogPrintf("WARNING: option -rpcallowip was specified without -rpcbind; this doesn't usually make sense\n");
376 : : }
377 [ + - + - : 1019 : 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");
379 : : }
380 : : } else { // Specific bind addresses
381 [ + - + - : 25 : for (const std::string& strRPCBind : gArgs.GetArgs("-rpcbind")) {
+ + ]
382 : 11 : uint16_t port{http_port};
383 [ + - ]: 11 : std::string host;
384 [ + - - + ]: 11 : if (!SplitHostPort(strRPCBind, port, host)) {
385 [ # # # # : 0 : LogError("%s\n", InvalidPortErrMsg("-rpcbind", strRPCBind).original);
# # ]
386 : 0 : return false;
387 : : }
388 [ + - ]: 11 : endpoints.emplace_back(host, port);
389 : 18 : }
390 : : }
391 : :
392 : : // Bind addresses
393 [ + + ]: 3075 : for (std::vector<std::pair<std::string, uint16_t> >::iterator i = endpoints.begin(); i != endpoints.end(); ++i) {
394 [ + - ]: 2049 : LogPrintf("Binding RPC on address %s port %i\n", i->first, i->second);
395 [ + - + - ]: 2049 : evhttp_bound_socket *bind_handle = evhttp_bind_socket_with_handle(http, i->first.empty() ? nullptr : i->first.c_str(), i->second);
396 [ + + ]: 2049 : if (bind_handle) {
397 [ + - + - ]: 1030 : const std::optional<CNetAddr> addr{LookupHost(i->first, false)};
398 [ + - + - : 1030 : 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");
400 : : }
401 : : // Set the no-delay option (disable Nagle's algorithm) on the TCP socket.
402 [ + - ]: 1030 : evutil_socket_t fd = evhttp_bound_socket_get_fd(bind_handle);
403 : 1030 : int one = 1;
404 [ - + ]: 1030 : if (setsockopt(fd, IPPROTO_TCP, TCP_NODELAY, (sockopt_arg_type)&one, sizeof(one)) == SOCKET_ERROR) {
405 [ # # ]: 0 : LogInfo("WARNING: Unable to set TCP_NODELAY on RPC server socket, continuing anyway\n");
406 : : }
407 [ + - ]: 1030 : boundSockets.push_back(bind_handle);
408 : 1030 : } else {
409 [ + - ]: 1019 : LogPrintf("Binding RPC on address %s port %i failed.\n", i->first, i->second);
410 : : }
411 : : }
412 : 1026 : return !boundSockets.empty();
413 : 1026 : }
414 : :
415 : : /** Simple wrapper to set thread name and run work queue */
416 : 16209 : static void HTTPWorkQueueRun(WorkQueue<HTTPClosure>* queue, int worker_num)
417 : : {
418 [ + - ]: 16209 : util::ThreadRename(strprintf("httpworker.%i", worker_num));
419 : 16209 : queue->Run();
420 : 16209 : }
421 : :
422 : : /** libevent event log callback */
423 : 1019 : static void libevent_log_cb(int severity, const char *msg)
424 : : {
425 : 1019 : BCLog::Level level;
426 [ - + - - ]: 1019 : switch (severity) {
427 : : case EVENT_LOG_DEBUG:
428 : : level = BCLog::Level::Debug;
429 : : break;
430 : 0 : case EVENT_LOG_MSG:
431 : 0 : level = BCLog::Level::Info;
432 : 0 : break;
433 : 1019 : case EVENT_LOG_WARN:
434 : 1019 : level = BCLog::Level::Warning;
435 : 1019 : break;
436 : 0 : default: // EVENT_LOG_ERR and others are mapped to error
437 : 0 : level = BCLog::Level::Error;
438 : 0 : break;
439 : : }
440 [ + - ]: 1019 : LogPrintLevel(BCLog::LIBEVENT, level, "%s\n", msg);
441 : 1019 : }
442 : :
443 : 1026 : bool InitHTTPServer(const util::SignalInterrupt& interrupt)
444 : : {
445 [ + - ]: 1026 : if (!InitHTTPAllowList())
446 : : return false;
447 : :
448 : : // Redirect libevent's logging to our own log
449 : 1026 : event_set_log_callback(&libevent_log_cb);
450 : : // Update libevent's log handling.
451 : 1026 : UpdateHTTPServerLogging(LogInstance().WillLogCategory(BCLog::LIBEVENT));
452 : :
453 : : #ifdef WIN32
454 : : evthread_use_windows_threads();
455 : : #else
456 : 1026 : evthread_use_pthreads();
457 : : #endif
458 : :
459 : 1026 : raii_event_base base_ctr = obtain_event_base();
460 : :
461 : : /* Create a new evhttp object to handle requests. */
462 [ + - ]: 1026 : raii_evhttp http_ctr = obtain_evhttp(base_ctr.get());
463 [ - + ]: 1026 : struct evhttp* http = http_ctr.get();
464 [ - + ]: 1026 : if (!http) {
465 [ # # ]: 0 : LogPrintf("couldn't create evhttp. Exiting.\n");
466 : : return false;
467 : : }
468 : :
469 [ + - + - : 1026 : evhttp_set_timeout(http, gArgs.GetIntArg("-rpcservertimeout", DEFAULT_HTTP_SERVER_TIMEOUT));
+ - ]
470 [ + - ]: 1026 : evhttp_set_max_headers_size(http, MAX_HEADERS_SIZE);
471 [ + - ]: 1026 : evhttp_set_max_body_size(http, MAX_SIZE);
472 [ + - ]: 1026 : evhttp_set_gencb(http, http_request_cb, (void*)&interrupt);
473 : :
474 [ + - - + ]: 1026 : if (!HTTPBindAddresses(http)) {
475 [ # # ]: 0 : LogPrintf("Unable to bind any endpoint for RPC server\n");
476 : : return false;
477 : : }
478 : :
479 [ + - + + : 1026 : LogDebug(BCLog::HTTP, "Initialized HTTP server\n");
+ - ]
480 [ + - + - : 2052 : int workQueueDepth = std::max((long)gArgs.GetIntArg("-rpcworkqueue", DEFAULT_HTTP_WORKQUEUE), 1L);
+ - ]
481 [ + - + + : 1026 : LogDebug(BCLog::HTTP, "creating work queue of depth %d\n", workQueueDepth);
+ - ]
482 : :
483 [ + - ]: 2052 : g_work_queue = std::make_unique<WorkQueue<HTTPClosure>>(workQueueDepth);
484 : : // transfer ownership to eventBase/HTTP via .release()
485 : 1026 : eventBase = base_ctr.release();
486 : 1026 : eventHTTP = http_ctr.release();
487 : 1026 : return true;
488 [ - + ]: 1026 : }
489 : :
490 : 1026 : void UpdateHTTPServerLogging(bool enable) {
491 [ - + ]: 1026 : if (enable) {
492 : 0 : event_enable_debug_logging(EVENT_DBG_ALL);
493 : : } else {
494 : 1026 : event_enable_debug_logging(EVENT_DBG_NONE);
495 : : }
496 : 1026 : }
497 : :
498 : : static std::thread g_thread_http;
499 : : static std::vector<std::thread> g_thread_http_workers;
500 : :
501 : 1014 : void StartHTTPServer()
502 : : {
503 [ + - + - ]: 2028 : int rpcThreads = std::max((long)gArgs.GetIntArg("-rpcthreads", DEFAULT_HTTP_THREADS), 1L);
504 : 1014 : LogInfo("Starting HTTP server with %d worker threads\n", rpcThreads);
505 : 1014 : g_thread_http = std::thread(ThreadHTTP, eventBase);
506 : :
507 [ + + ]: 17223 : for (int i = 0; i < rpcThreads; i++) {
508 : 16209 : g_thread_http_workers.emplace_back(HTTPWorkQueueRun, g_work_queue.get(), i);
509 : : }
510 : 1014 : }
511 : :
512 : 1064 : void InterruptHTTPServer()
513 : : {
514 [ + + ]: 1064 : LogDebug(BCLog::HTTP, "Interrupting HTTP server\n");
515 [ + + ]: 1064 : if (eventHTTP) {
516 : : // Reject requests on current connections
517 : 1026 : evhttp_set_gencb(eventHTTP, http_reject_request_cb, nullptr);
518 : : }
519 [ + + ]: 1064 : if (g_work_queue) {
520 : 1026 : g_work_queue->Interrupt();
521 : : }
522 : 1064 : }
523 : :
524 : 1064 : void StopHTTPServer()
525 : : {
526 [ + + ]: 1064 : LogDebug(BCLog::HTTP, "Stopping HTTP server\n");
527 [ + + ]: 1064 : if (g_work_queue) {
528 [ + + ]: 1026 : LogDebug(BCLog::HTTP, "Waiting for HTTP worker threads to exit\n");
529 [ + + ]: 17235 : for (auto& thread : g_thread_http_workers) {
530 : 16209 : thread.join();
531 : : }
532 : 1026 : g_thread_http_workers.clear();
533 : : }
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 [ + + ]: 2094 : for (evhttp_bound_socket *socket : boundSockets) {
537 : 1030 : evhttp_del_accept_socket(eventHTTP, socket);
538 : : }
539 [ + + ]: 1064 : boundSockets.clear();
540 : 1064 : {
541 [ - + ]: 1064 : 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);
543 : : }
544 : 1064 : g_requests.WaitUntilEmpty();
545 : : }
546 [ + + ]: 1064 : 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 : 1026 : event_base_once(eventBase, -1, EV_TIMEOUT, [](evutil_socket_t, short, void*) {
551 : : evhttp_free(eventHTTP);
552 : : eventHTTP = nullptr;
553 : : }, nullptr, nullptr);
554 : : }
555 [ + + ]: 1064 : if (eventBase) {
556 [ + + ]: 1026 : LogDebug(BCLog::HTTP, "Waiting for HTTP event thread to exit\n");
557 [ + + ]: 1026 : if (g_thread_http.joinable()) g_thread_http.join();
558 : 1026 : event_base_free(eventBase);
559 : 1026 : eventBase = nullptr;
560 : : }
561 [ + + ]: 1064 : g_work_queue.reset();
562 [ + + ]: 1064 : LogDebug(BCLog::HTTP, "Stopped HTTP server\n");
563 : 1064 : }
564 : :
565 : 1014 : struct event_base* EventBase()
566 : : {
567 : 1014 : return eventBase;
568 : : }
569 : :
570 : 186537 : static void httpevent_callback_fn(evutil_socket_t, short, void* data)
571 : : {
572 : : // Static handler: simply call inner handler
573 : 186537 : HTTPEvent *self = static_cast<HTTPEvent*>(data);
574 : 186537 : self->handler();
575 [ + + ]: 186537 : if (self->deleteWhenTriggered)
576 : 186533 : delete self;
577 : 186537 : }
578 : :
579 : 186577 : HTTPEvent::HTTPEvent(struct event_base* base, bool _deleteWhenTriggered, const std::function<void()>& _handler):
580 : 186577 : deleteWhenTriggered(_deleteWhenTriggered), handler(_handler)
581 : : {
582 [ + - ]: 186577 : ev = event_new(base, -1, 0, httpevent_callback_fn, this);
583 [ - + ]: 186577 : assert(ev);
584 : 186577 : }
585 : 186577 : HTTPEvent::~HTTPEvent()
586 : : {
587 : 186577 : event_free(ev);
588 : 186577 : }
589 : 186577 : void HTTPEvent::trigger(struct timeval* tv)
590 : : {
591 [ + + ]: 186577 : if (tv == nullptr)
592 : 186533 : event_active(ev, 0, 0); // immediately trigger event in main thread
593 : : else
594 : 44 : evtimer_add(ev, tv); // trigger after timeval passed
595 : 186577 : }
596 : 186533 : HTTPRequest::HTTPRequest(struct evhttp_request* _req, const util::SignalInterrupt& interrupt, bool _replySent)
597 : 186533 : : req(_req), m_interrupt(interrupt), replySent(_replySent)
598 : : {
599 : 186533 : }
600 : :
601 : 186533 : HTTPRequest::~HTTPRequest()
602 : : {
603 [ - + ]: 186533 : if (!replySent) {
604 : : // Keep track of whether reply was sent to avoid request leaks
605 : 0 : LogPrintf("%s: Unhandled request\n", __func__);
606 : 0 : WriteReply(HTTP_INTERNAL_SERVER_ERROR, "Unhandled request");
607 : : }
608 : : // evhttpd cleans up the request, as long as a reply was sent.
609 : 186533 : }
610 : :
611 : 186455 : std::pair<bool, std::string> HTTPRequest::GetHeader(const std::string& hdr) const
612 : : {
613 : 186455 : const struct evkeyvalq* headers = evhttp_request_get_input_headers(req);
614 [ - + ]: 186455 : assert(headers);
615 : 186455 : const char* val = evhttp_find_header(headers, hdr.c_str());
616 [ + - ]: 186455 : if (val)
617 : 186455 : return std::make_pair(true, val);
618 : : else
619 : 0 : return std::make_pair(false, "");
620 : : }
621 : :
622 : 186455 : std::string HTTPRequest::ReadBody()
623 : : {
624 : 186455 : struct evbuffer* buf = evhttp_request_get_input_buffer(req);
625 [ - + ]: 186455 : if (!buf)
626 : 0 : return "";
627 : 186455 : 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 : 186455 : const char* data = (const char*)evbuffer_pullup(buf, size);
635 [ + + ]: 186455 : if (!data) // returns nullptr in case of empty buffer
636 : 18 : return "";
637 : 186437 : std::string rv(data, size);
638 [ + - ]: 186437 : evbuffer_drain(buf, size);
639 : 186437 : return rv;
640 : 186437 : }
641 : :
642 : 187423 : void HTTPRequest::WriteHeader(const std::string& hdr, const std::string& value)
643 : : {
644 : 187423 : struct evkeyvalq* headers = evhttp_request_get_output_headers(req);
645 [ - + ]: 187423 : assert(headers);
646 : 187423 : evhttp_add_header(headers, hdr.c_str(), value.c_str());
647 : 187423 : }
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 : 186533 : void HTTPRequest::WriteReply(int nStatus, std::span<const std::byte> reply)
655 : : {
656 [ + - - + ]: 186533 : assert(!replySent && req);
657 [ + + ]: 186533 : if (m_interrupt) {
658 [ + - + - ]: 1822 : WriteHeader("Connection", "close");
659 : : }
660 : : // Send event to main http thread to send reply message
661 : 186533 : struct evbuffer* evb = evhttp_request_get_output_buffer(req);
662 [ - + ]: 186533 : assert(evb);
663 : 186533 : evbuffer_add(evb, reply.data(), reply.size());
664 : 186533 : auto req_copy = req;
665 [ + - ]: 186533 : HTTPEvent* ev = new HTTPEvent(eventBase, true, [req_copy, nStatus]{
666 : 186533 : 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 [ + - - + ]: 186533 : 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 : : }
676 : : }
677 : : }
678 [ + - ]: 186533 : });
679 : 186533 : ev->trigger(nullptr);
680 : 186533 : replySent = true;
681 : 186533 : req = nullptr; // transferred back to main thread
682 : 186533 : }
683 : :
684 : 559509 : CService HTTPRequest::GetPeer() const
685 : : {
686 : 559509 : evhttp_connection* con = evhttp_request_get_connection(req);
687 : 559509 : CService peer;
688 [ + - ]: 559509 : if (con) {
689 : : // evhttp retains ownership over returned address string
690 : 559509 : const char* address = "";
691 : 559509 : 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 [ + - ]: 559509 : evhttp_connection_get_peer(con, (char**)&address, &port);
697 : : #endif // HAVE_EVHTTP_CONNECTION_GET_PEER_CONST_CHAR
698 : :
699 [ + - + - : 1119018 : peer = MaybeFlipIPv6toCJDNS(LookupNumeric(address, port));
+ - + - ]
700 : : }
701 : 559509 : return peer;
702 : 0 : }
703 : :
704 : 559485 : std::string HTTPRequest::GetURI() const
705 : : {
706 : 559485 : return evhttp_request_get_uri(req);
707 : : }
708 : :
709 : 559507 : HTTPRequest::RequestMethod HTTPRequest::GetRequestMethod() const
710 : : {
711 [ + - - - : 559507 : switch (evhttp_request_get_command(req)) {
+ ]
712 : : case EVHTTP_REQ_GET:
713 : : return GET;
714 : 559367 : case EVHTTP_REQ_POST:
715 : 559367 : 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 : : }
723 : : }
724 : :
725 : 32 : std::optional<std::string> HTTPRequest::GetQueryParameter(const std::string& key) const
726 : : {
727 : 32 : const char* uri{evhttp_request_get_uri(req)};
728 : :
729 : 32 : return GetQueryParameterFromUri(uri, key);
730 : : }
731 : :
732 : 40 : std::optional<std::string> GetQueryParameterFromUri(const char* uri, const std::string& key)
733 : : {
734 : 40 : evhttp_uri* uri_parsed{evhttp_uri_parse(uri)};
735 [ + + ]: 40 : if (!uri_parsed) {
736 [ + - ]: 4 : throw std::runtime_error("URI parsing failed, it likely contained RFC 3986 invalid characters");
737 : : }
738 : 36 : const char* query{evhttp_uri_get_query(uri_parsed)};
739 : 36 : std::optional<std::string> result;
740 : :
741 [ + + ]: 36 : if (query) {
742 : : // Parse the query string into a key-value queue and iterate over it
743 : 30 : struct evkeyvalq params_q;
744 [ + - ]: 30 : evhttp_parse_query_str(query, ¶ms_q);
745 : :
746 [ + + ]: 37 : for (struct evkeyval* param{params_q.tqh_first}; param != nullptr; param = param->next.tqe_next) {
747 [ + + ]: 35 : if (param->key == key) {
748 [ + - ]: 28 : result = param->value;
749 : : break;
750 : : }
751 : : }
752 [ + - ]: 30 : evhttp_clear_headers(¶ms_q);
753 : : }
754 [ + - ]: 36 : evhttp_uri_free(uri_parsed);
755 : :
756 : 36 : return result;
757 : 0 : }
758 : :
759 : 2040 : void RegisterHTTPHandler(const std::string &prefix, bool exactMatch, const HTTPRequestHandler &handler)
760 : : {
761 [ + + ]: 2040 : LogDebug(BCLog::HTTP, "Registering HTTP handler for %s (exactmatch %d)\n", prefix, exactMatch);
762 : 2040 : LOCK(g_httppathhandlers_mutex);
763 [ + - ]: 2040 : pathHandlers.emplace_back(prefix, exactMatch, handler);
764 : 2040 : }
765 : :
766 : 14896 : void UnregisterHTTPHandler(const std::string &prefix, bool exactMatch)
767 : : {
768 : 14896 : LOCK(g_httppathhandlers_mutex);
769 : 14896 : std::vector<HTTPPathHandler>::iterator i = pathHandlers.begin();
770 : 14896 : std::vector<HTTPPathHandler>::iterator iend = pathHandlers.end();
771 [ + + ]: 14896 : for (; i != iend; ++i)
772 [ + - - + ]: 2040 : if (i->prefix == prefix && i->exactMatch == exactMatch)
773 : : break;
774 [ + + ]: 14896 : if (i != iend)
775 : : {
776 [ + - + + : 2040 : LogDebug(BCLog::HTTP, "Unregistering HTTP handler for %s (exactmatch %d)\n", prefix, exactMatch);
+ - ]
777 : 2040 : pathHandlers.erase(i);
778 : : }
779 : 14896 : }
|