Logo ROOT  
Reference Guide
 
Loading...
Searching...
No Matches
TCivetweb.cxx
Go to the documentation of this file.
1// Author: Sergey Linev 21/12/2013
2
3/*************************************************************************
4 * Copyright (C) 1995-2022, Rene Brun and Fons Rademakers. *
5 * All rights reserved. *
6 * *
7 * For the licensing terms see $ROOTSYS/LICENSE. *
8 * For the list of contributors see $ROOTSYS/README/CREDITS. *
9 *************************************************************************/
10
11#include "TCivetweb.h"
12
13#include <cstdlib>
14#include <cstring>
15
16#ifdef _MSC_VER
17#include <windows.h>
18#include <tchar.h>
19#endif
20
21#include "THttpServer.h"
22#include "THttpWSEngine.h"
23#include "TUrl.h"
24#include "TSystem.h"
25#include "TError.h"
26
27//////////////////////////////////////////////////////////////////////////
28/// TCivetwebWSEngine
29///
30/// Implementation of THttpWSEngine for Civetweb
31
33protected:
35
36 /// True websocket requires extra thread to parallelize sending
37 Bool_t SupportSendThrd() const override { return kTRUE; }
38
39public:
41
42 ~TCivetwebWSEngine() override = default;
43
44 UInt_t GetId() const override { return TString::Hash((void *)&fWSconn, sizeof(void *)); }
45
46 void ClearHandle(Bool_t terminate) override
47 {
48 if (fWSconn && terminate)
50 fWSconn = nullptr;
51 }
52
53 void Send(const void *buf, int len) override
54 {
55 if (fWSconn)
57 }
58
59 /////////////////////////////////////////////////////////
60 /// Special method to send binary data with text header
61 /// For normal websocket it is two separated operation, for other engines could be combined together,
62 /// but emulates as two messages on client side
63 void SendHeader(const char *hdr, const void *buf, int len) override
64 {
65 if (fWSconn) {
68 }
69 }
70
71 void SendCharStar(const char *str) override
72 {
73 if (fWSconn)
75 }
76};
77
78//////////////////////////////////////////////////////////////////////////
79/// Check if engine has enough threads to process connect to new websocket handle
80
81Bool_t CheckEngineThreads(TCivetweb *engine, const char *uri, Bool_t longpoll)
82{
83 Int_t num_avail = engine->GetNumAvailableThreads();
84 if (longpoll) num_avail++;
85
86 if ((num_avail <= 0.1 * engine->GetNumThreads()) || (num_avail <= 2)) {
87 const char *cfg = engine->IsWebGui() ? "WebGui.HttpThreads parameter in rootrc" : "thrds=N parameter in config URL";
88 const char *place = longpoll ? "TCivetweb::LongpollHandler" : "TCivetweb::WebSocketHandler";
89 ::Error(place, "Only %d threads are available, reject connection request for %s. Increase %s, now it is %d", num_avail, uri, cfg, engine->GetNumThreads());
90 return kFALSE;
91 }
92
93 return kTRUE;
94}
95
96//////////////////////////////////////////////////////////////////////////
97
98int websocket_connect_handler(const struct mg_connection *conn, void *)
99{
100 const struct mg_request_info *request_info = mg_get_request_info(conn);
101 if (!request_info)
102 return 1;
103
104 TCivetweb *engine = (TCivetweb *)request_info->user_data;
105 if (!engine || engine->IsTerminating())
106 return 1;
107 THttpServer *serv = engine->GetServer();
108 if (!serv)
109 return 1;
110
111 auto arg = std::make_shared<THttpCallArg>();
112 arg->SetPathAndFileName(request_info->local_uri); // path and file name
113 arg->SetQuery(request_info->query_string); // query arguments
114 arg->SetTopName(engine->GetTopName());
115 arg->SetWSId(TString::Hash((void *)&conn, sizeof(void *)));
116 arg->SetMethod("WS_CONNECT");
117
118 if (!CheckEngineThreads(engine, arg->GetPathName(), kFALSE))
119 return 1;
120
121 Bool_t execres = serv->ExecuteWS(arg, kTRUE, kTRUE);
122
123 return execres && !arg->Is404() ? 0 : 1;
124}
125
126//////////////////////////////////////////////////////////////////////////
127
128void websocket_ready_handler(struct mg_connection *conn, void *)
129{
130 const struct mg_request_info *request_info = mg_get_request_info(conn);
131
132 TCivetweb *engine = (TCivetweb *)request_info->user_data;
133 if (!engine || engine->IsTerminating())
134 return;
135 THttpServer *serv = engine->GetServer();
136 if (!serv)
137 return;
138
139 engine->ChangeNumActiveThrerads(1);
140
141 auto arg = std::make_shared<THttpCallArg>();
142 arg->SetPathAndFileName(request_info->local_uri); // path and file name
143 arg->SetQuery(request_info->query_string); // query arguments
144 arg->SetTopName(engine->GetTopName());
145 arg->SetMethod("WS_READY");
146
147 // delegate ownership to the arg, id will be automatically set
148 arg->CreateWSEngine<TCivetwebWSEngine>(conn);
149
150 serv->ExecuteWS(arg, kTRUE, kTRUE);
151}
152
153
154//////////////////////////////////////////////////////////////////////////
155
156void websocket_close_handler(const struct mg_connection *conn, void *)
157{
158 const struct mg_request_info *request_info = mg_get_request_info(conn);
159
160 // check if connection was already closed
161 if (mg_get_user_connection_data(conn) == (void *) conn)
162 return;
163
164 TCivetweb *engine = (TCivetweb *)request_info->user_data;
165 if (!engine || engine->IsTerminating())
166 return;
167 THttpServer *serv = engine->GetServer();
168 if (!serv)
169 return;
170
171 auto arg = std::make_shared<THttpCallArg>();
172 arg->SetPathAndFileName(request_info->local_uri); // path and file name
173 arg->SetQuery(request_info->query_string); // query arguments
174 arg->SetTopName(engine->GetTopName());
175 arg->SetWSId(TString::Hash((void *)&conn, sizeof(void *)));
176 arg->SetMethod("WS_CLOSE");
177
178 serv->ExecuteWS(arg, kTRUE, kFALSE); // do not wait for result of execution
179
180 engine->ChangeNumActiveThrerads(-1);
181}
182
183//////////////////////////////////////////////////////////////////////////
184
185int websocket_data_handler(struct mg_connection *conn, int code, char *data, size_t len, void *)
186{
187 const struct mg_request_info *request_info = mg_get_request_info(conn);
188
189 // check if connection data set to connection itself - means connection was closed already
190 std::string *conn_data = (std::string *) mg_get_user_connection_data(conn);
191 if ((void *) conn_data == (void *) conn)
192 return 1;
193
194 // see https://datatracker.ietf.org/doc/html/rfc6455#section-5.2
195 int fin = code & 0x80, opcode = code & 0x0F;
196
197 // recognized operation codes, all other should fails
198 enum { OP_CONTINUE = 0, OP_TEXT = 1, OP_BINARY = 2, OP_CLOSE = 8 };
199
200 // close when normal close is detected
201 if (fin && (opcode == OP_CLOSE)) {
202 if (conn_data) delete conn_data;
203 websocket_close_handler(conn, nullptr);
204 mg_set_user_connection_data(conn, conn); // mark connection as closed
205 return 1;
206 }
207
208 // ignore empty data
209 if (len == 0)
210 return 1;
211
212 // close connection when unrecognized opcode is detected
213 if ((opcode != OP_CONTINUE) && (opcode != OP_TEXT) && (opcode != OP_BINARY)) {
214 if (conn_data) delete conn_data;
215 websocket_close_handler(conn, nullptr);
216 mg_set_user_connection_data(conn, conn); // mark connection as closed
217 return 1;
218 }
219
220 TCivetweb *engine = (TCivetweb *)request_info->user_data;
221 if (!engine || engine->IsTerminating())
222 return 1;
223 THttpServer *serv = engine->GetServer();
224 if (!serv)
225 return 1;
226
227 // this is continuation of the request
228 if (!fin) {
229 if (!conn_data) {
230 conn_data = new std::string(data,len);
232 } else {
233 conn_data->append(data,len);
234 }
235 return 1;
236 }
237
238 auto arg = std::make_shared<THttpCallArg>();
239 arg->SetPathAndFileName(request_info->local_uri); // path and file name
240 arg->SetQuery(request_info->query_string); // query arguments
241 arg->SetTopName(engine->GetTopName());
242 arg->SetWSId(TString::Hash((void *)&conn, sizeof(void *)));
243 arg->SetMethod("WS_DATA");
244
245 if (conn_data) {
246 mg_set_user_connection_data(conn, nullptr);
247 conn_data->append(data,len);
248 arg->SetPostData(std::move(*conn_data));
249 delete conn_data;
250 } else {
251 arg->SetPostData(std::string(data,len));
252 }
253
254 serv->ExecuteWS(arg, kTRUE, kTRUE);
255
256 return 1;
257}
258
259
260//////////////////////////////////////////////////////////////////////////
261
262static int log_message_handler(const struct mg_connection *conn, const char *message)
263{
264 const struct mg_context *ctx = mg_get_context(conn);
265
266 TCivetweb *engine = (TCivetweb *)mg_get_user_data(ctx);
267
268 if (engine)
269 return engine->ProcessLog(message);
270
271 // provide debug output
272 if ((gDebug > 0) || strstr(message, "cannot bind to"))
273 fprintf(stderr, "Error in <TCivetweb::Log> %s\n", message);
274
275 return 0;
276}
277
281 {
282 fEngine = engine;
284 }
286 {
288 }
289};
290
291//////////////////////////////////////////////////////////////////////////
292/// Returns kTRUE in case of longpoll connection request - or at least looks like that
293
294Bool_t IsBadLongPollConnect(TCivetweb *engine, const std::shared_ptr<THttpCallArg> &arg)
295{
296 if (strcmp(arg->GetFileName(), "root.longpoll") != 0)
297 return kFALSE;
298
299 const char *q = arg->GetQuery();
300 if (!q || !*q)
301 return kFALSE;
302
303 if ((strstr(q, "raw_connect") != q) && (strstr(q, "txt_connect") != q))
304 return kFALSE;
305
306 return !CheckEngineThreads(engine, arg->GetPathName(), kTRUE);
307}
308
309//////////////////////////////////////////////////////////////////////////
310
311static int begin_request_handler(struct mg_connection *conn, void *)
312{
313 const struct mg_request_info *request_info = mg_get_request_info(conn);
314
315 TCivetweb *engine = (TCivetweb *)request_info->user_data;
316 if (!engine || engine->IsTerminating())
317 return 0;
318 THttpServer *serv = engine->GetServer();
319 if (!serv)
320 return 0;
321
322 TEngineHolder thrd_cnt_holder(engine);
323
324 auto arg = std::make_shared<THttpCallArg>();
325
327
328 Bool_t execres = kTRUE, debug = engine->IsDebugMode();
329
330 if (!debug && serv->IsFileRequested(request_info->local_uri, filename)) {
331 if ((filename.Length() > 3) && ((filename.Index(".js") != kNPOS) || (filename.Index(".css") != kNPOS))) {
332 std::string buf = THttpServer::ReadFileContent(filename.Data());
333 if (buf.empty()) {
334 arg->Set404();
335 } else {
336 arg->SetContentType(THttpServer::GetMimeType(filename.Data()));
337 arg->SetContent(std::move(buf));
338 if (engine->GetMaxAge() > 0)
339 arg->AddHeader("Cache-Control", TString::Format("max-age=%d", engine->GetMaxAge()));
340 else
341 arg->AddNoCacheHeader();
342 arg->SetZipping();
343 }
344 } else {
345 arg->SetFile(filename.Data());
346 }
347 } else {
348 arg->SetPathAndFileName(request_info->local_uri); // path and file name
349 arg->SetQuery(request_info->query_string); // query arguments
350 arg->SetTopName(engine->GetTopName());
351 arg->SetMethod(request_info->request_method); // method like GET or POST
352 if (request_info->remote_user)
353 arg->SetUserName(request_info->remote_user);
354
355 TString header;
356 for (int n = 0; n < request_info->num_headers; n++)
357 header.Append(
358 TString::Format("%s: %s\r\n", request_info->http_headers[n].name, request_info->http_headers[n].value));
359 arg->SetRequestHeader(header);
360
361 const char *len = mg_get_header(conn, "Content-Length");
362 Int_t ilen = len ? TString(len).Atoi() : 0;
363
364 if (ilen > 0) {
365 std::string buf;
366 buf.resize(ilen);
367 Int_t iread = mg_read(conn, (void *) buf.data(), ilen);
368 if (iread == ilen)
369 arg->SetPostData(std::move(buf));
370 }
371
372 if (debug) {
373 TString cont;
374 cont.Append("<title>Civetweb echo</title>");
375 cont.Append("<h1>Civetweb echo</h1>\n");
376
377 static int count = 0;
378
379 cont.Append(TString::Format("Request %d:<br/>\n<pre>\n", ++count));
380 cont.Append(TString::Format(" Method : %s\n", arg->GetMethod()));
381 cont.Append(TString::Format(" PathName : %s\n", arg->GetPathName()));
382 cont.Append(TString::Format(" FileName : %s\n", arg->GetFileName()));
383 cont.Append(TString::Format(" Query : %s\n", arg->GetQuery()));
384 cont.Append(TString::Format(" PostData : %ld\n", arg->GetPostDataLength()));
385 if (arg->GetUserName())
386 cont.Append(TString::Format(" User : %s\n", arg->GetUserName()));
387
388 cont.Append("</pre><p>\n");
389
390 cont.Append("Environment:<br/>\n<pre>\n");
391 for (int n = 0; n < request_info->num_headers; n++)
392 cont.Append(
393 TString::Format(" %s = %s\n", request_info->http_headers[n].name, request_info->http_headers[n].value));
394 cont.Append("</pre><p>\n");
395
396 arg->SetContentType("text/html");
397
398 arg->SetContent(cont);
399
400 } else if (IsBadLongPollConnect(engine, arg)) {
401 execres = kFALSE;
402 arg->Set404();
403 } else {
404 execres = serv->ExecuteHttp(arg);
405 }
406 }
407
408 if (!execres || arg->Is404()) {
409 std::string hdr = arg->FillHttpHeader("HTTP/1.1");
410 mg_printf(conn, "%s", hdr.c_str());
411 } else if (arg->IsFile()) {
412 filename = (const char *)arg->GetContent();
413#ifdef _MSC_VER
414 if (engine->IsWinSymLinks()) {
415 // resolve Windows links which are not supported by civetweb
416 auto hFile = CreateFile(filename.Data(), // file to open
417 GENERIC_READ, // open for reading
418 FILE_SHARE_READ, // share for reading
419 NULL, // default security
420 OPEN_EXISTING, // existing file only
421 FILE_ATTRIBUTE_NORMAL, // normal file
422 NULL); // no attr. template
423
424 if( hFile != INVALID_HANDLE_VALUE) {
425 const int BUFSIZE = 2048;
426 TCHAR Path[BUFSIZE];
427 auto dwRet = GetFinalPathNameByHandle( hFile, Path, BUFSIZE, FILE_NAME_NORMALIZED | VOLUME_NAME_DOS );
428 // produced file name may include \\?\ symbols, which are indicating long file name
429 if(dwRet < BUFSIZE) {
430 if (dwRet > 4 && Path[0] == '\\' && Path[1] == '\\' && Path[2] == '?' && Path[3] == '\\')
431 filename = Path + 4;
432 else
433 filename = Path;
434 }
435 CloseHandle(hFile);
436 }
437 }
438#endif
439 const char *mime_type = THttpServer::GetMimeType(filename.Data());
440 if (mime_type)
441 mg_send_mime_file(conn, filename.Data(), mime_type);
442 else
443 mg_send_file(conn, filename.Data());
444 } else {
445
446 Bool_t dozip = kFALSE;
447 switch (arg->GetZipping()) {
448 case THttpCallArg::kNoZip: dozip = kFALSE; break;
450 if (arg->GetContentLength() < 10000) break;
452 // check if request header has Accept-Encoding
453 for (int n = 0; n < request_info->num_headers; n++) {
454 TString name = request_info->http_headers[n].name;
455 if (name.Index("Accept-Encoding", 0, TString::kIgnoreCase) != 0)
456 continue;
457 TString value = request_info->http_headers[n].value;
458 dozip = (value.Index("gzip", 0, TString::kIgnoreCase) != kNPOS);
459 break;
460 }
461
462 break;
463 case THttpCallArg::kZipAlways: dozip = kTRUE; break;
464 }
465
466 if (dozip)
467 arg->CompressWithGzip();
468
469 std::string hdr = arg->FillHttpHeader("HTTP/1.1");
470 mg_printf(conn, "%s", hdr.c_str());
471
472 if (arg->GetContentLength() > 0)
473 mg_write(conn, arg->GetContent(), (size_t)arg->GetContentLength());
474 }
475
476 // Returning non-zero tells civetweb that our function has replied to
477 // the client, and civetweb should not send client any more data.
478 return 1;
479}
480
481/** \class TCivetweb
482\ingroup http
483
484THttpEngine implementation, based on civetweb embedded server
485
486It is default kind of engine, created for THttpServer
487Currently v1.15 from https://github.com/civetweb/civetweb is used
488
489Additional options can be specified:
490
491 top=foldername - name of top folder, seen in the browser
492 thrds=N - use N threads to run civetweb server (default 5)
493 auth_file - global authentication file
494 auth_domain - domain name, used for authentication
495
496Example:
497
498 new THttpServer("http:8080?top=MyApp&thrds=3");
499
500For the full list of supported options see TCivetweb::Create() documentation
501
502When `auth_file` and `auth_domain` parameters are specified, access
503to running http server will be possible only after user
504authentication, using so-call digest method. To generate
505authentication file, htdigest routine should be used:
506
507 [shell] htdigest -c .htdigest domain_name user
508
509When creating server, parameters should be:
510
511 auto serv = new THttpServer("http:8080?auth_file=.htdigets&auth_domain=domain_name");
512
513*/
514
515////////////////////////////////////////////////////////////////////////////////
516/// constructor
517
519 : THttpEngine("civetweb", "compact embedded http server"),
520 fOnlySecured(only_secured)
521{
522}
523
524////////////////////////////////////////////////////////////////////////////////
525/// destructor
526
528{
529 if (fCtx && !fTerminating)
530 mg_stop(fCtx);
531}
532
533////////////////////////////////////////////////////////////////////////////////
534/// process civetweb log message, can be used to detect critical errors
535
536Int_t TCivetweb::ProcessLog(const char *message)
537{
538 if ((gDebug > 0) || (strstr(message, "cannot bind to") != 0))
539 Error("Log", "%s", message);
540
541 return 0;
542}
543
544////////////////////////////////////////////////////////////////////////////////
545/// Returns number of actively used threads
546
548{
549 std::lock_guard<std::mutex> guard(fMutex);
551}
552
553////////////////////////////////////////////////////////////////////////////////
554/// Returns number of actively used threads
555
557{
558 std::lock_guard<std::mutex> guard(fMutex);
559 fNumActiveThreads += cnt;
560 return fNumActiveThreads;
561}
562
563
564////////////////////////////////////////////////////////////////////////////////
565/// Creates embedded civetweb server
566///
567/// @param args string with civetweb server configuration
568///
569/// As main argument, http port should be specified like "8090".
570/// Or one can provide combination of ipaddress and portnumber like "127.0.0.1:8090"
571/// Or one can specify unix socket name like "x/tmp/root.socket"
572/// Extra parameters like in URL string could be specified after '?' mark:
573///
574/// thrds=N - there N is number of threads used by the civetweb (default is 10)
575/// top=name - configure top name, visible in the web browser
576/// ssl_certificate=filename - SSL certificate, see docs/OpenSSL.md from civetweb
577/// auth_file=filename - authentication file name, created with htdigets utility
578/// auth_domain=domain - authentication domain
579/// websocket_timeout=tm - set web sockets timeout in seconds (default 300)
580/// websocket_disable - disable web sockets handling (default enabled)
581/// bind - ip address to bind server socket
582/// loopback - bind specified port to loopback 127.0.0.1 address
583/// debug - enable debug mode, server always returns html page with request info
584/// log=filename - configure civetweb log file
585/// max_age=value - configures "Cache-Control: max_age=value" http header for all file-related requests, default 3600
586/// socket_mode=value - configures unix socket mode, default is 0700
587/// nocache - try to fully disable cache control for file requests
588/// winsymlinks=no - do not resolve symbolic links on file system (Windows only), default true
589/// dirlisting=no - enable/disable directory listing for browsing filesystem (default no)
590///
591/// Examples of valid args values:
592///
593/// serv->CreateEngine("http:8080?websocket_disable");
594/// serv->CreateEngine("http:7546?thrds=30&websocket_timeout=20");
595
596Bool_t TCivetweb::Create(const char *args)
597{
598 memset(&fCallbacks, 0, sizeof(struct mg_callbacks));
599 // fCallbacks.begin_request = begin_request_handler;
601 TString sport = IsSecured() ? "8480s" : "8080",
602 num_threads,
603 websocket_timeout = "300000",
604 dir_listening = "no",
605 auth_file,
606 auth_domain,
607 log_file,
608 ssl_cert,
609 max_age;
610 Int_t socket_mode = 0700;
611 bool use_ws = kTRUE, is_socket = false;
612
613 // extract arguments
614 if (args && *args) {
615
616 // first extract port number
617 sport = "";
618
619 is_socket = *args == 'x';
620
621 while ((*args != 0) && (*args != '?') && (is_socket || (*args != '/')))
622 sport.Append(*args++);
623 if (IsSecured() && (sport.Index("s") == kNPOS) && !is_socket)
624 sport.Append("s");
625
626 // than search for extra parameters
627 while ((*args != 0) && (*args != '?'))
628 args++;
629
630 if (*args == '?') {
631 TUrl url(TString::Format("http://localhost/folder%s", args));
632
633 if (url.IsValid()) {
634 url.ParseOptions();
635
636 fWebGui = url.HasOption("webgui");
637
638 const char *top = url.GetValueFromOptions("top");
639 if (top)
640 fTopName = top;
641
642 const char *log = url.GetValueFromOptions("log");
643 if (log)
644 log_file = log;
645
646 Int_t thrds = url.GetIntValueFromOptions("thrds");
647 if (thrds > 0)
648 fNumThreads = thrds;
649
650 const char *afile = url.GetValueFromOptions("auth_file");
651 if (afile)
652 auth_file = afile;
653
654 const char *adomain = url.GetValueFromOptions("auth_domain");
655 if (adomain)
656 auth_domain = adomain;
657
658 const char *sslc = url.GetValueFromOptions("ssl_cert");
659 if (sslc)
660 ssl_cert = sslc;
661
662 Int_t wtmout = url.GetIntValueFromOptions("websocket_timeout");
663 if (wtmout > 0) {
664 websocket_timeout.Format("%d", wtmout * 1000);
665 use_ws = kTRUE;
666 }
667
668 if (url.HasOption("websocket_disable"))
669 use_ws = kFALSE;
670
671 if (url.HasOption("debug"))
672 fDebug = kTRUE;
673
674 const char *winsymlinks = url.GetValueFromOptions("winsymlinks");
675 if (winsymlinks)
676 fWinSymLinks = strcmp(winsymlinks,"no") != 0;
677
678 const char *dls = url.GetValueFromOptions("dirlisting");
679 if (dls && (!strcmp(dls,"no") || !strcmp(dls,"yes")))
680 dir_listening = dls;
681
682 const char *smode = url.GetValueFromOptions("socket_mode");
683 if (smode)
684 socket_mode = std::stoi(smode, nullptr, *smode=='0' ? 8 : 10);
685
686 if (url.HasOption("loopback") && (sport.Index(":") == kNPOS))
687 sport = TString("127.0.0.1:") + sport;
688
689 if (url.HasOption("bind") && (sport.Index(":") == kNPOS)) {
690 const char *addr = url.GetValueFromOptions("bind");
691 if (addr && strlen(addr))
692 sport = TString(addr) + ":" + sport;
693 }
694
695 if (GetServer() && url.HasOption("cors")) {
696 const char *cors = url.GetValueFromOptions("cors");
697 GetServer()->SetCors(cors && *cors ? cors : "*");
698 }
699
700 if (GetServer() && url.HasOption("cred_cors")) {
701 const char *cred = url.GetValueFromOptions("cred_cors");
702 GetServer()->SetCorsCredentials(cred && *cred ? cred : "true");
703 }
704
705 if (url.HasOption("nocache"))
706 fMaxAge = 0;
707
708 if (url.HasOption("max_age"))
709 fMaxAge = url.GetIntValueFromOptions("max_age");
710
711 max_age.Form("%d", fMaxAge);
712 }
713 }
714 }
715
716 num_threads.Form("%d", fNumThreads);
717
718 const char *options[30];
719 int op = 0;
720
721 Info("Create", "Starting HTTP server on port %s", sport.Data());
722
723 options[op++] = "listening_ports";
724 options[op++] = sport.Data();
725 options[op++] = "num_threads";
726 options[op++] = num_threads.Data();
727
728 if (use_ws) {
729 options[op++] = "websocket_timeout_ms";
730 options[op++] = websocket_timeout.Data();
731 }
732
733 if ((auth_file.Length() > 0) && (auth_domain.Length() > 0)) {
734 options[op++] = "global_auth_file";
735 options[op++] = auth_file.Data();
736 options[op++] = "authentication_domain";
737 options[op++] = auth_domain.Data();
738 } else {
739 options[op++] = "enable_auth_domain_check";
740 options[op++] = "no";
741 }
742
743 if (log_file.Length() > 0) {
744 options[op++] = "error_log_file";
745 options[op++] = log_file.Data();
746 }
747
748 if (ssl_cert.Length() > 0) {
749 options[op++] = "ssl_certificate";
750 options[op++] = ssl_cert.Data();
751 } else if (IsSecured()) {
752 Error("Create", "No SSL certificate file configured");
753 }
754
755 if (max_age.Length() > 0) {
756 options[op++] = "static_file_max_age";
757 options[op++] = max_age.Data();
758 }
759
760 if (GetServer() && GetServer()->IsCors()) {
761 // also used for the file transfer
762 options[op++] = "access_control_allow_origin";
763 options[op++] = GetServer()->GetCors();
764 }
765
766 if (GetServer() && GetServer()->IsCorsCredentials()) {
767 options[op++] = "access_control_allow_credentials";
768 options[op++] = GetServer()->GetCorsCredentials();
769 // enables partial files reading with credentials
770 // can be enabled after nect civetweb upgrade
771 // options[op++] = "access_control_expose_headers";
772 // options[op++] = "Accept-Ranges";
773 // options[op++] = "access_control_allow_methods";
774 // options[op++] = "GET, HEAD, OPTIONS";
775 }
776
777 options[op++] = "enable_directory_listing";
778 options[op++] = dir_listening.Data();
779
780 options[op++] = nullptr;
781
782 // try to remove socket file - if any
783 if (is_socket && !sport.Contains(","))
784 gSystem->Unlink(sport.Data()+1);
785
786 // Start the web server.
787 fCtx = mg_start(&fCallbacks, this, options);
788
789 if (!fCtx)
790 return kFALSE;
791
793
794 if (use_ws)
797
798 // try to remove socket file - if any
799 if (is_socket && !sport.Contains(","))
800 gSystem->Chmod(sport.Data()+1, socket_mode);
801
802 return kTRUE;
803}
bool Bool_t
Definition RtypesCore.h:63
int Int_t
Definition RtypesCore.h:45
constexpr Bool_t kFALSE
Definition RtypesCore.h:101
constexpr Ssiz_t kNPOS
Definition RtypesCore.h:124
constexpr Bool_t kTRUE
Definition RtypesCore.h:100
int websocket_connect_handler(const struct mg_connection *conn, void *)
Definition TCivetweb.cxx:98
static int begin_request_handler(struct mg_connection *conn, void *)
static int log_message_handler(const struct mg_connection *conn, const char *message)
int websocket_data_handler(struct mg_connection *conn, int code, char *data, size_t len, void *)
void websocket_close_handler(const struct mg_connection *conn, void *)
Bool_t CheckEngineThreads(TCivetweb *engine, const char *uri, Bool_t longpoll)
Check if engine has enough threads to process connect to new websocket handle.
Definition TCivetweb.cxx:81
void websocket_ready_handler(struct mg_connection *conn, void *)
Bool_t IsBadLongPollConnect(TCivetweb *engine, const std::shared_ptr< THttpCallArg > &arg)
Returns kTRUE in case of longpoll connection request - or at least looks like that.
void Error(const char *location, const char *msgfmt,...)
Use this function in case an error occurred.
Definition TError.cxx:185
Option_t Option_t TPoint TPoint const char GetTextMagnitude GetFillStyle GetLineColor GetLineWidth GetMarkerStyle GetTextAlign GetTextColor GetTextSize void char Point_t Rectangle_t WindowAttributes_t Float_t Float_t Float_t Int_t Int_t UInt_t UInt_t Rectangle_t Int_t Int_t Window_t TString Int_t GCValues_t GetPrimarySelectionOwner GetDisplay GetScreen GetColormap GetNativeEvent const char const char dpyName wid window const char font_name cursor keysym reg const char only_if_exist regb h Point_t winding char text const char depth char const char Int_t count const char ColorStruct_t color const char filename
Option_t Option_t TPoint TPoint const char GetTextMagnitude GetFillStyle GetLineColor GetLineWidth GetMarkerStyle GetTextAlign GetTextColor GetTextSize void data
Option_t Option_t TPoint TPoint const char GetTextMagnitude GetFillStyle GetLineColor GetLineWidth GetMarkerStyle GetTextAlign GetTextColor GetTextSize void value
Option_t Option_t TPoint TPoint const char GetTextMagnitude GetFillStyle GetLineColor GetLineWidth GetMarkerStyle GetTextAlign GetTextColor GetTextSize void char Point_t Rectangle_t WindowAttributes_t Float_t Float_t Float_t Int_t Int_t UInt_t UInt_t Rectangle_t Int_t Int_t Window_t TString Int_t GCValues_t GetPrimarySelectionOwner GetDisplay GetScreen GetColormap GetNativeEvent const char const char dpyName wid window const char font_name cursor keysym reg const char only_if_exist regb h Point_t winding char text const char depth char const char Int_t count const char ColorStruct_t color const char Pixmap_t Pixmap_t PictureAttributes_t attr const char char ret_data h unsigned char height h Atom_t Int_t ULong_t ULong_t unsigned char prop_list Atom_t Atom_t Atom_t Time_t UChar_t len
char name[80]
Definition TGX11.cxx:110
float * q
#define INVALID_HANDLE_VALUE
Definition TMapFile.cxx:84
Int_t gDebug
Definition TROOT.cxx:595
R__EXTERN TSystem * gSystem
Definition TSystem.h:555
#define BUFSIZE
const char * mime_type
Definition civetweb.c:8028
int mg_printf(struct mg_connection *conn, const char *fmt,...)
Definition civetweb.c:6937
void mg_send_file(struct mg_connection *conn, const char *path)
Definition civetweb.c:10206
struct mg_context * mg_start(const struct mg_callbacks *callbacks, void *user_data, const char **options)
Definition civetweb.c:20285
void mg_set_websocket_handler(struct mg_context *ctx, const char *uri, mg_websocket_connect_handler connect_handler, mg_websocket_ready_handler ready_handler, mg_websocket_data_handler data_handler, mg_websocket_close_handler close_handler, void *cbdata)
Definition civetweb.c:13797
void mg_send_mime_file(struct mg_connection *conn, const char *path, const char *mime_type)
Definition civetweb.c:10213
const char * mg_get_header(const struct mg_connection *conn, const char *name)
Definition civetweb.c:3802
int mg_write(struct mg_connection *conn, const void *buf, size_t len)
Definition civetweb.c:6696
const struct mg_request_info * mg_get_request_info(const struct mg_connection *conn)
Definition civetweb.c:3488
void mg_set_user_connection_data(const struct mg_connection *const_conn, void *data)
Definition civetweb.c:3190
void * mg_get_user_connection_data(const struct mg_connection *conn)
Definition civetweb.c:3203
int mg_read(struct mg_connection *conn, void *buf, size_t len)
Definition civetweb.c:6588
void mg_set_request_handler(struct mg_context *ctx, const char *uri, mg_request_handler handler, void *cbdata)
Definition civetweb.c:13775
struct mg_context * mg_get_context(const struct mg_connection *conn)
Definition civetweb.c:3153
void mg_stop(struct mg_context *ctx)
Definition civetweb.c:19494
void * mg_get_user_data(const struct mg_context *ctx)
Definition civetweb.c:3160
int mg_websocket_write(struct mg_connection *conn, int opcode, const char *data, size_t data_len)
@ MG_WEBSOCKET_OPCODE_CONNECTION_CLOSE
Definition civetweb.h:861
@ MG_WEBSOCKET_OPCODE_BINARY
Definition civetweb.h:860
@ MG_WEBSOCKET_OPCODE_TEXT
Definition civetweb.h:859
TCivetwebWSEngine.
Definition TCivetweb.cxx:32
struct mg_connection * fWSconn
Definition TCivetweb.cxx:34
UInt_t GetId() const override
Definition TCivetweb.cxx:44
void SendCharStar(const char *str) override
Envelope for sending string via the websocket.
Definition TCivetweb.cxx:71
void ClearHandle(Bool_t terminate) override
Definition TCivetweb.cxx:46
Bool_t SupportSendThrd() const override
True websocket requires extra thread to parallelize sending.
Definition TCivetweb.cxx:37
~TCivetwebWSEngine() override=default
void SendHeader(const char *hdr, const void *buf, int len) override
Special method to send binary data with text header For normal websocket it is two separated operatio...
Definition TCivetweb.cxx:63
void Send(const void *buf, int len) override
Definition TCivetweb.cxx:53
TCivetwebWSEngine(struct mg_connection *conn)
Definition TCivetweb.cxx:40
THttpEngine implementation, based on civetweb embedded server.
Definition TCivetweb.h:21
Int_t fNumThreads
! number of configured threads
Definition TCivetweb.h:25
Int_t fNumActiveThreads
! number of active threads - used in request and websocket handling
Definition TCivetweb.h:26
struct mg_context * fCtx
! civetweb context
Definition TCivetweb.h:23
std::mutex fMutex
! mutex to read/write fNumActiveThreads
Definition TCivetweb.h:27
Bool_t fWinSymLinks
! resolve symbolic links on Windows
Definition TCivetweb.h:34
Bool_t IsTerminating() const
Definition TCivetweb.h:58
Int_t GetMaxAge() const
Definition TCivetweb.h:64
const char * GetTopName() const
Definition TCivetweb.h:52
TCivetweb(Bool_t only_secured=kFALSE)
constructor
Int_t fMaxAge
! max-age parameter
Definition TCivetweb.h:33
Bool_t IsWebGui() const
Definition TCivetweb.h:54
Int_t ProcessLog(const char *message)
process civetweb log message, can be used to detect critical errors
TString fTopName
! name of top item
Definition TCivetweb.h:28
Int_t GetNumAvailableThreads()
Returns number of actively used threads.
Bool_t fTerminating
! server doing shutdown and not react on requests
Definition TCivetweb.h:31
Bool_t Create(const char *args) override
Creates embedded civetweb server.
Int_t ChangeNumActiveThrerads(int cnt=0)
Returns number of actively used threads.
Int_t GetNumThreads() const
Definition TCivetweb.h:46
Bool_t IsSecured() const
Definition TCivetweb.h:38
Bool_t IsDebugMode() const
Definition TCivetweb.h:56
virtual ~TCivetweb()
destructor
Bool_t IsWinSymLinks() const
Definition TCivetweb.h:60
Bool_t fWebGui
! if server used for webgui
Definition TCivetweb.h:29
Bool_t fDebug
! debug mode
Definition TCivetweb.h:30
struct mg_callbacks fCallbacks
! call-back table for civetweb webserver
Definition TCivetweb.h:24
Abstract class for implementing http protocol for THttpServer.
Definition THttpEngine.h:19
THttpServer * GetServer() const
Returns pointer to THttpServer associated with engine.
Definition THttpEngine.h:40
Online http server for arbitrary ROOT application.
Definition THttpServer.h:31
Bool_t IsFileRequested(const char *uri, TString &res) const
Check if file is requested, thread safe.
const char * GetCors() const
Returns specified CORS domain.
Bool_t ExecuteWS(std::shared_ptr< THttpCallArg > &arg, Bool_t external_thrd=kFALSE, Bool_t wait_process=kFALSE)
Execute WS request.
Bool_t ExecuteHttp(std::shared_ptr< THttpCallArg > arg)
Execute HTTP request.
void SetCorsCredentials(const std::string &value="true")
Enable/disable usage Access-Control-Allow-Credentials response header.
void SetCors(const std::string &domain="*")
Enable CORS header to ProcessRequests() responses Specified location (typically "*") add as "Access-C...
const char * GetCorsCredentials() const
Returns specified CORS credentials value - if any.
static char * ReadFileContent(const char *filename, Int_t &len)
Reads content of file from the disk.
static const char * GetMimeType(const char *path)
Guess mime type base on file extension.
Internal instance used to exchange WS functionality between THttpServer and THttpWSHandler.
virtual void Error(const char *method, const char *msgfmt,...) const
Issue error message.
Definition TObject.cxx:987
virtual void Info(const char *method, const char *msgfmt,...) const
Issue info message.
Definition TObject.cxx:961
Basic string class.
Definition TString.h:139
Int_t Atoi() const
Return integer value of string.
Definition TString.cxx:1988
const char * Data() const
Definition TString.h:376
@ kIgnoreCase
Definition TString.h:277
UInt_t Hash(ECaseCompare cmp=kExact) const
Return hash value.
Definition TString.cxx:677
TString & Append(const char *cs)
Definition TString.h:572
static TString Format(const char *fmt,...)
Static method which formats a string using a printf style format descriptor and return a TString.
Definition TString.cxx:2378
Bool_t Contains(const char *pat, ECaseCompare cmp=kExact) const
Definition TString.h:632
Ssiz_t Index(const char *pat, Ssiz_t i=0, ECaseCompare cmp=kExact) const
Definition TString.h:651
virtual int Chmod(const char *file, UInt_t mode)
Set the file permission bits. Returns -1 in case or error, 0 otherwise.
Definition TSystem.cxx:1508
virtual int Unlink(const char *name)
Unlink, i.e.
Definition TSystem.cxx:1381
This class represents a WWW compatible URL.
Definition TUrl.h:33
const char * GetValueFromOptions(const char *key) const
Return a value for a given key from the URL options.
Definition TUrl.cxx:660
Bool_t IsValid() const
Definition TUrl.h:79
Int_t GetIntValueFromOptions(const char *key) const
Return a value for a given key from the URL options as an Int_t, a missing key returns -1.
Definition TUrl.cxx:672
void ParseOptions() const
Parse URL options into a key/value map.
Definition TUrl.cxx:626
Bool_t HasOption(const char *key) const
Returns true if the given key appears in the URL options list.
Definition TUrl.cxx:683
const Int_t n
Definition legend1.C:16
TCivetweb * fEngine
TEngineHolder(TCivetweb *engine)
int(* log_message)(const struct mg_connection *, const char *message)
Definition civetweb.h:240
const char * value
Definition civetweb.h:145
const char * name
Definition civetweb.h:144
struct mg_header http_headers[(64)]
Definition civetweb.h:179
const char * local_uri
Definition civetweb.h:157
void * user_data
Definition civetweb.h:175
const char * request_method
Definition civetweb.h:151
const char * query_string
Definition civetweb.h:162
void * conn_data
Definition civetweb.h:176
const char * remote_user
Definition civetweb.h:164