Merge tag 'upstream/3.0.717'
[darkstat-debian] / http.c
1 /* darkstat 3
2 * copyright (c) 2001-2012 Emil Mikulic.
3 *
4 * http.c: embedded webserver.
5 * This borrows a lot of code from darkhttpd.
6 *
7 * You may use, modify and redistribute this file under the terms of the
8 * GNU General Public License version 2. (see COPYING.GPL)
9 */
10
11 #include "cdefs.h"
12 #include "config.h"
13 #include "conv.h"
14 #include "err.h"
15 #include "graph_db.h"
16 #include "hosts_db.h"
17 #include "http.h"
18 #include "now.h"
19 #include "queue.h"
20 #include "str.h"
21
22 #include <sys/uio.h>
23 #include <sys/socket.h>
24 #include <arpa/inet.h>
25 #include <netinet/in.h>
26 #include <netdb.h>
27 #include <assert.h>
28 #include <ctype.h>
29 #include <errno.h>
30 #include <fcntl.h>
31 #include <signal.h>
32 #include <stdarg.h>
33 #include <stdio.h>
34 #include <stdlib.h>
35 #include <string.h>
36 #include <time.h>
37 #include <unistd.h>
38 #include <zlib.h>
39
40 static const char mime_type_xml[] = "text/xml";
41 static const char mime_type_html[] = "text/html; charset=us-ascii";
42 static const char mime_type_css[] = "text/css";
43 static const char mime_type_js[] = "text/javascript";
44 static const char encoding_identity[] = "identity";
45 static const char encoding_gzip[] = "gzip";
46
47 static const char server[] = PACKAGE_NAME "/" PACKAGE_VERSION;
48 static int idletime = 60;
49 #define MAX_REQUEST_LENGTH 4000
50
51 static int *insocks = NULL;
52 static unsigned int insock_num = 0;
53
54 struct connection {
55 LIST_ENTRY(connection) entries;
56
57 int socket;
58 struct sockaddr_storage client;
59 long last_active_mono;
60 enum {
61 RECV_REQUEST, /* receiving request */
62 SEND_HEADER_AND_REPLY, /* try to send header+reply together */
63 SEND_HEADER, /* sending generated header */
64 SEND_REPLY, /* sending reply */
65 DONE /* conn closed, need to remove from queue */
66 } state;
67
68 /* char request[request_length+1] is null-terminated */
69 char *request;
70 size_t request_length;
71 int accept_gzip;
72
73 /* request fields */
74 char *method, *uri, *query; /* query can be NULL */
75
76 char *header;
77 const char *mime_type, *encoding, *header_extra;
78 size_t header_length, header_sent;
79 int header_dont_free, header_only, http_code;
80
81 char *reply;
82 int reply_dont_free;
83 size_t reply_length, reply_sent;
84
85 unsigned int total_sent; /* header + body = total, for logging */
86 };
87
88 static LIST_HEAD(conn_list_head, connection) connlist =
89 LIST_HEAD_INITIALIZER(conn_list_head);
90
91 struct bindaddr_entry {
92 STAILQ_ENTRY(bindaddr_entry) entries;
93 const char *s;
94 };
95 static STAILQ_HEAD(bindaddrs_head, bindaddr_entry) bindaddrs =
96 STAILQ_HEAD_INITIALIZER(bindaddrs);
97
98 /* ---------------------------------------------------------------------------
99 * Decode URL by converting %XX (where XX are hexadecimal digits) to the
100 * character it represents. Don't forget to free the return value.
101 */
102 static char *urldecode(const char *url)
103 {
104 size_t i, len = strlen(url);
105 char *out = xmalloc(len+1);
106 int pos;
107
108 for (i=0, pos=0; i<len; i++)
109 {
110 if (url[i] == '%' && i+2 < len &&
111 isxdigit(url[i+1]) && isxdigit(url[i+2]))
112 {
113 /* decode %XX */
114 #define HEX_TO_DIGIT(hex) ( \
115 ((hex) >= 'A' && (hex) <= 'F') ? ((hex)-'A'+10): \
116 ((hex) >= 'a' && (hex) <= 'f') ? ((hex)-'a'+10): \
117 ((hex)-'0') )
118
119 out[pos++] = HEX_TO_DIGIT(url[i+1]) * 16 +
120 HEX_TO_DIGIT(url[i+2]);
121 i += 2;
122
123 #undef HEX_TO_DIGIT
124 }
125 else
126 {
127 /* straight copy */
128 out[pos++] = url[i];
129 }
130 }
131 out[pos] = 0;
132 #if 0
133 /* don't really need to realloc here - it's probably a performance hit */
134 out = xrealloc(out, strlen(out)+1); /* dealloc what we don't need */
135 #endif
136 return (out);
137 }
138
139
140
141 /* ---------------------------------------------------------------------------
142 * Consolidate slashes in-place by shifting parts of the string over repeated
143 * slashes.
144 */
145 static void consolidate_slashes(char *s)
146 {
147 size_t left = 0, right = 0;
148 int saw_slash = 0;
149
150 assert(s != NULL);
151
152 while (s[right] != '\0')
153 {
154 if (saw_slash)
155 {
156 if (s[right] == '/') right++;
157 else
158 {
159 saw_slash = 0;
160 s[left++] = s[right++];
161 }
162 }
163 else
164 {
165 if (s[right] == '/') saw_slash++;
166 s[left++] = s[right++];
167 }
168 }
169 s[left] = '\0';
170 }
171
172
173
174 /* ---------------------------------------------------------------------------
175 * Resolve /./ and /../ in a URI, returing a new, safe URI, or NULL if the URI
176 * is invalid/unsafe. Returned buffer needs to be deallocated.
177 */
178 static char *make_safe_uri(char *uri)
179 {
180 char **elem, *out;
181 unsigned int slashes = 0, elements = 0;
182 size_t urilen, i, j, pos;
183
184 assert(uri != NULL);
185 if (uri[0] != '/')
186 return (NULL);
187 consolidate_slashes(uri);
188 urilen = strlen(uri);
189
190 /* count the slashes */
191 for (i=0, slashes=0; i<urilen; i++)
192 if (uri[i] == '/') slashes++;
193
194 /* make an array for the URI elements */
195 elem = xmalloc(sizeof(*elem) * slashes);
196 for (i=0; i<slashes; i++)
197 elem[i] = (NULL);
198
199 /* split by slashes and build elem[] array */
200 for (i=1; i<urilen;)
201 {
202 /* look for the next slash */
203 for (j=i; j<urilen && uri[j] != '/'; j++)
204 ;
205
206 /* process uri[i,j) */
207 if ((j == i+1) && (uri[i] == '.'))
208 /* "." */;
209 else if ((j == i+2) && (uri[i] == '.') && (uri[i+1] == '.'))
210 {
211 /* ".." */
212 if (elements == 0)
213 {
214 /*
215 * Unsafe string so free elem[]. All its elements are free
216 * at this point.
217 */
218 free(elem);
219 return (NULL);
220 }
221 else
222 {
223 elements--;
224 free(elem[elements]);
225 }
226 }
227 else elem[elements++] = split_string(uri, i, j);
228
229 i = j + 1; /* uri[j] is a slash - move along one */
230 }
231
232 /* reassemble */
233 out = xmalloc(urilen+1); /* it won't expand */
234 pos = 0;
235 for (i=0; i<elements; i++)
236 {
237 size_t delta = strlen(elem[i]);
238
239 assert(pos <= urilen);
240 out[pos++] = '/';
241
242 assert(pos+delta <= urilen);
243 memcpy(out+pos, elem[i], delta);
244 free(elem[i]);
245 pos += delta;
246 }
247 free(elem);
248
249 if ((elements == 0) || (uri[urilen-1] == '/')) out[pos++] = '/';
250 assert(pos <= urilen);
251 out[pos] = '\0';
252
253 #if 0
254 /* don't really need to do this and it's probably a performance hit: */
255 /* shorten buffer if necessary */
256 if (pos != urilen) out = xrealloc(out, strlen(out)+1);
257 #endif
258 return (out);
259 }
260
261 /* ---------------------------------------------------------------------------
262 * Allocate and initialize an empty connection.
263 */
264 static struct connection *new_connection(void)
265 {
266 struct connection *conn = xmalloc(sizeof(*conn));
267
268 conn->socket = -1;
269 memset(&conn->client, 0, sizeof(conn->client));
270 conn->last_active_mono = now_mono();
271 conn->request = NULL;
272 conn->request_length = 0;
273 conn->accept_gzip = 0;
274 conn->method = NULL;
275 conn->uri = NULL;
276 conn->query = NULL;
277 conn->header = NULL;
278 conn->mime_type = NULL;
279 conn->encoding = NULL;
280 conn->header_extra = "";
281 conn->header_length = 0;
282 conn->header_sent = 0;
283 conn->header_dont_free = 0;
284 conn->header_only = 0;
285 conn->http_code = 0;
286 conn->reply = NULL;
287 conn->reply_dont_free = 0;
288 conn->reply_length = 0;
289 conn->reply_sent = 0;
290 conn->total_sent = 0;
291
292 /* Make it harmless so it gets garbage-collected if it should, for some
293 * reason, fail to be correctly filled out.
294 */
295 conn->state = DONE;
296
297 return (conn);
298 }
299
300
301
302 /* ---------------------------------------------------------------------------
303 * Accept a connection from sockin and add it to the connection queue.
304 */
305 static void accept_connection(const int sockin)
306 {
307 struct sockaddr_storage addrin;
308 socklen_t sin_size;
309 struct connection *conn;
310 char ipaddr[INET6_ADDRSTRLEN], portstr[12];
311 int sock;
312
313 sin_size = (socklen_t)sizeof(addrin);
314 sock = accept(sockin, (struct sockaddr *)&addrin, &sin_size);
315 if (sock == -1)
316 {
317 if (errno == ECONNABORTED || errno == EINTR)
318 {
319 verbosef("accept() failed: %s", strerror(errno));
320 return;
321 }
322 /* else */ err(1, "accept()");
323 }
324
325 fd_set_nonblock(sock);
326
327 /* allocate and initialise struct connection */
328 conn = new_connection();
329 conn->socket = sock;
330 conn->state = RECV_REQUEST;
331 memcpy(&conn->client, &addrin, sizeof(conn->client));
332 LIST_INSERT_HEAD(&connlist, conn, entries);
333
334 getnameinfo((struct sockaddr *) &addrin, sin_size,
335 ipaddr, sizeof(ipaddr), portstr, sizeof(portstr),
336 NI_NUMERICHOST | NI_NUMERICSERV);
337 verbosef("accepted connection from %s:%s", ipaddr, portstr);
338 }
339
340
341
342 /* ---------------------------------------------------------------------------
343 * Log a connection, then cleanly deallocate its internals.
344 */
345 static void free_connection(struct connection *conn)
346 {
347 dverbosef("free_connection(%d)", conn->socket);
348 if (conn->socket != -1)
349 close(conn->socket);
350 free(conn->request);
351 free(conn->method);
352 free(conn->uri);
353 free(conn->query);
354 if (!conn->header_dont_free)
355 free(conn->header);
356 if (!conn->reply_dont_free)
357 free(conn->reply);
358 }
359
360
361
362 /* ---------------------------------------------------------------------------
363 * Format [when] as an RFC1123 date, stored in the specified buffer. The same
364 * buffer is returned for convenience.
365 */
366 #define DATE_LEN 30 /* strlen("Fri, 28 Feb 2003 00:02:08 GMT")+1 */
367 static char *rfc1123_date(char *dest, time_t when) {
368 if (strftime(dest, DATE_LEN,
369 "%a, %d %b %Y %H:%M:%S %Z", gmtime(&when) ) == 0)
370 errx(1, "strftime() failed [%s]", dest);
371 return dest;
372 }
373
374 static void generate_header(struct connection *conn,
375 const int code, const char *text)
376 {
377 char date[DATE_LEN];
378
379 assert(conn->header == NULL);
380 assert(conn->mime_type != NULL);
381 if (conn->encoding == NULL)
382 conn->encoding = encoding_identity;
383
384 verbosef("http: %d %s (%s: %zu bytes)", code, text,
385 conn->encoding, conn->reply_length);
386 conn->header_length = xasprintf(&(conn->header),
387 "HTTP/1.1 %d %s\r\n"
388 "Date: %s\r\n"
389 "Server: %s\r\n"
390 "Vary: Accept-Encoding\r\n"
391 "Content-Type: %s\r\n"
392 "Content-Length: %d\r\n"
393 "Content-Encoding: %s\r\n"
394 "X-Robots-Tag: noindex, noarchive\r\n"
395 "%s"
396 "\r\n"
397 ,
398 code, text,
399 rfc1123_date(date, now_real()), server,
400 conn->mime_type, conn->reply_length, conn->encoding,
401 conn->header_extra);
402 conn->http_code = code;
403 }
404
405
406
407 /* ---------------------------------------------------------------------------
408 * A default reply for any (erroneous) occasion.
409 */
410 static void default_reply(struct connection *conn,
411 const int errcode, const char *errname, const char *format, ...)
412 {
413 char *reason;
414 va_list va;
415
416 va_start(va, format);
417 xvasprintf(&reason, format, va);
418 va_end(va);
419
420 conn->reply_length = xasprintf(&(conn->reply),
421 "<html><head><title>%d %s</title></head><body>\n"
422 "<h1>%s</h1>\n" /* errname */
423 "%s\n" /* reason */
424 "<hr>\n"
425 "Generated by %s"
426 "</body></html>\n",
427 errcode, errname, errname, reason, server);
428 free(reason);
429
430 /* forget any dangling metadata */
431 conn->mime_type = mime_type_html;
432 conn->encoding = encoding_identity;
433
434 generate_header(conn, errcode, errname);
435 }
436
437
438
439 /* ---------------------------------------------------------------------------
440 * Parses a single HTTP request field. Returns string from end of [field] to
441 * first \r, \n or end of request string. Returns NULL if [field] can't be
442 * matched.
443 *
444 * You need to remember to deallocate the result.
445 * example: parse_field(conn, "Referer: ");
446 */
447 static char *parse_field(const struct connection *conn, const char *field)
448 {
449 size_t bound1, bound2;
450 char *pos;
451
452 /* find start */
453 pos = strstr(conn->request, field);
454 if (pos == NULL)
455 return (NULL);
456 bound1 = pos - conn->request + strlen(field);
457
458 /* find end */
459 for (bound2 = bound1;
460 conn->request[bound2] != '\r' &&
461 bound2 < conn->request_length; bound2++)
462 ;
463
464 /* copy to buffer */
465 return (split_string(conn->request, bound1, bound2));
466 }
467
468
469
470 /* ---------------------------------------------------------------------------
471 * Parse an HTTP request like "GET /hosts/?sort=in HTTP/1.1" to get the method
472 * (GET), the uri (/hosts/), the query (sort=in) and whether the UA will
473 * accept gzip encoding. Remember to deallocate all these buffers. Query
474 * can be NULL. The method will be returned in uppercase.
475 */
476 static int parse_request(struct connection *conn)
477 {
478 size_t bound1, bound2, mid;
479 char *accept_enc;
480
481 /* parse method */
482 for (bound1 = 0; bound1 < conn->request_length &&
483 conn->request[bound1] != ' '; bound1++)
484 ;
485
486 conn->method = split_string(conn->request, 0, bound1);
487 strntoupper(conn->method, bound1);
488
489 /* parse uri */
490 for (; bound1 < conn->request_length &&
491 conn->request[bound1] == ' '; bound1++)
492 ;
493
494 if (bound1 == conn->request_length)
495 return (0); /* fail */
496
497 for (bound2=bound1+1; bound2 < conn->request_length &&
498 conn->request[bound2] != ' ' &&
499 conn->request[bound2] != '\r'; bound2++)
500 ;
501
502 /* find query string */
503 for (mid=bound1; mid<bound2 && conn->request[mid] != '?'; mid++)
504 ;
505
506 if (conn->request[mid] == '?') {
507 conn->query = split_string(conn->request, mid+1, bound2);
508 bound2 = mid;
509 }
510
511 conn->uri = split_string(conn->request, bound1, bound2);
512
513 /* parse important fields */
514 accept_enc = parse_field(conn, "Accept-Encoding: ");
515 if (accept_enc != NULL) {
516 if (strstr(accept_enc, "gzip") != NULL)
517 conn->accept_gzip = 1;
518 free(accept_enc);
519 }
520 return (1);
521 }
522
523 /* FIXME: maybe we need a smarter way of doing static pages: */
524
525 /* ---------------------------------------------------------------------------
526 * Web interface: static stylesheet.
527 */
528 static void
529 static_style_css(struct connection *conn)
530 {
531 #include "stylecss.h"
532
533 conn->reply = style_css;
534 conn->reply_length = style_css_len;
535 conn->reply_dont_free = 1;
536 conn->mime_type = mime_type_css;
537 }
538
539 /* ---------------------------------------------------------------------------
540 * Web interface: static JavaScript.
541 */
542 static void
543 static_graph_js(struct connection *conn)
544 {
545 #include "graphjs.h"
546
547 conn->reply = graph_js;
548 conn->reply_length = graph_js_len;
549 conn->reply_dont_free = 1;
550 conn->mime_type = mime_type_js;
551 }
552
553 /* ---------------------------------------------------------------------------
554 * gzip a reply, if requested and possible. Don't bother with a minimum
555 * length requirement, I've never seen a page fail to compress.
556 */
557 static void
558 process_gzip(struct connection *conn)
559 {
560 char *buf;
561 size_t len;
562 z_stream zs;
563
564 if (!conn->accept_gzip)
565 return;
566
567 buf = xmalloc(conn->reply_length);
568 len = conn->reply_length;
569
570 zs.zalloc = Z_NULL;
571 zs.zfree = Z_NULL;
572 zs.opaque = Z_NULL;
573
574 if (deflateInit2(&zs, Z_BEST_COMPRESSION, Z_DEFLATED,
575 15+16, /* 15 = biggest window, 16 = add gzip header+trailer */
576 8 /* default */,
577 Z_DEFAULT_STRATEGY) != Z_OK)
578 return;
579
580 zs.avail_in = conn->reply_length;
581 zs.next_in = (unsigned char *)conn->reply;
582
583 zs.avail_out = conn->reply_length;
584 zs.next_out = (unsigned char *)buf;
585
586 if (deflate(&zs, Z_FINISH) != Z_STREAM_END) {
587 deflateEnd(&zs);
588 free(buf);
589 verbosef("failed to compress %u bytes", (unsigned int)len);
590 return;
591 }
592
593 if (conn->reply_dont_free)
594 conn->reply_dont_free = 0;
595 else
596 free(conn->reply);
597 conn->reply = buf;
598 conn->reply_length -= zs.avail_out;
599 conn->encoding = encoding_gzip;
600 deflateEnd(&zs);
601 }
602
603 /* ---------------------------------------------------------------------------
604 * Process a GET/HEAD request
605 */
606 static void process_get(struct connection *conn)
607 {
608 char *decoded_url, *safe_url;
609
610 verbosef("http: %s \"%s\" %s", conn->method, conn->uri,
611 (conn->query == NULL)?"":conn->query);
612
613 /* work out path of file being requested */
614 decoded_url = urldecode(conn->uri);
615
616 /* make sure it's safe */
617 safe_url = make_safe_uri(decoded_url);
618 free(decoded_url);
619 if (safe_url == NULL)
620 {
621 default_reply(conn, 400, "Bad Request",
622 "You requested an invalid URI: %s", conn->uri);
623 return;
624 }
625
626 if (strcmp(safe_url, "/") == 0) {
627 struct str *buf = html_front_page();
628 str_extract(buf, &(conn->reply_length), &(conn->reply));
629 conn->mime_type = mime_type_html;
630 }
631 else if (str_starts_with(safe_url, "/hosts/")) {
632 /* FIXME here - make this saner */
633 struct str *buf = html_hosts(safe_url, conn->query);
634 if (buf == NULL) {
635 default_reply(conn, 404, "Not Found",
636 "The page you requested could not be found.");
637 free(safe_url);
638 return;
639 }
640 str_extract(buf, &(conn->reply_length), &(conn->reply));
641 conn->mime_type = mime_type_html;
642 }
643 else if (str_starts_with(safe_url, "/graphs.xml")) {
644 struct str *buf = xml_graphs();
645 str_extract(buf, &(conn->reply_length), &(conn->reply));
646 conn->mime_type = mime_type_xml;
647 /* hack around Opera caching the XML */
648 conn->header_extra = "Pragma: no-cache\r\n";
649 }
650 else if (strcmp(safe_url, "/style.css") == 0)
651 static_style_css(conn);
652 else if (strcmp(safe_url, "/graph.js") == 0)
653 static_graph_js(conn);
654 else {
655 default_reply(conn, 404, "Not Found",
656 "The page you requested could not be found.");
657 free(safe_url);
658 return;
659 }
660 free(safe_url);
661
662 process_gzip(conn);
663 assert(conn->mime_type != NULL);
664 generate_header(conn, 200, "OK");
665 }
666
667
668
669 /* ---------------------------------------------------------------------------
670 * Process a request: build the header and reply, advance state.
671 */
672 static void process_request(struct connection *conn)
673 {
674 if (!parse_request(conn))
675 {
676 default_reply(conn, 400, "Bad Request",
677 "You sent a request that the server couldn't understand.");
678 }
679 else if (strcmp(conn->method, "GET") == 0)
680 {
681 process_get(conn);
682 }
683 else if (strcmp(conn->method, "HEAD") == 0)
684 {
685 process_get(conn);
686 conn->header_only = 1;
687 }
688 else
689 {
690 default_reply(conn, 501, "Not Implemented",
691 "The method you specified (%s) is not implemented.",
692 conn->method);
693 }
694
695 /* advance state */
696 if (conn->header_only)
697 conn->state = SEND_HEADER;
698 else
699 conn->state = SEND_HEADER_AND_REPLY;
700 }
701
702
703
704 /* ---------------------------------------------------------------------------
705 * Receiving request.
706 */
707 static void poll_recv_request(struct connection *conn)
708 {
709 char buf[65536];
710 ssize_t recvd;
711
712 recvd = recv(conn->socket, buf, sizeof(buf), 0);
713 dverbosef("poll_recv_request(%d) got %d bytes", conn->socket, (int)recvd);
714 if (recvd <= 0)
715 {
716 if (recvd == -1)
717 verbosef("recv(%d) error: %s", conn->socket, strerror(errno));
718 conn->state = DONE;
719 return;
720 }
721 conn->last_active_mono = now_mono();
722
723 /* append to conn->request */
724 conn->request = xrealloc(conn->request, conn->request_length+recvd+1);
725 memcpy(conn->request+conn->request_length, buf, (size_t)recvd);
726 conn->request_length += recvd;
727 conn->request[conn->request_length] = 0;
728
729 /* die if it's too long */
730 if (conn->request_length > MAX_REQUEST_LENGTH)
731 {
732 default_reply(conn, 413, "Request Entity Too Large",
733 "Your request was dropped because it was too long.");
734 conn->state = SEND_HEADER;
735 return;
736 }
737
738 /* process request if we have all of it */
739 if (conn->request_length > 4 &&
740 memcmp(conn->request+conn->request_length-4, "\r\n\r\n", 4) == 0)
741 {
742 process_request(conn);
743
744 /* request not needed anymore */
745 free(conn->request);
746 conn->request = NULL; /* important: don't free it again later */
747 }
748 }
749
750
751
752 /* ---------------------------------------------------------------------------
753 * Try to send header and [a part of the] reply in one packet.
754 */
755 static void poll_send_header_and_reply(struct connection *conn)
756 {
757 ssize_t sent;
758 struct iovec iov[2];
759
760 assert(!conn->header_only);
761 assert(conn->reply_length > 0);
762 assert(conn->header_sent == 0);
763
764 assert(conn->reply_sent == 0);
765
766 /* Fill out iovec */
767 iov[0].iov_base = conn->header;
768 iov[0].iov_len = conn->header_length;
769
770 iov[1].iov_base = conn->reply;
771 iov[1].iov_len = conn->reply_length;
772
773 sent = writev(conn->socket, iov, 2);
774 conn->last_active_mono = now_mono();
775
776 /* handle any errors (-1) or closure (0) in send() */
777 if (sent < 1) {
778 if (sent == -1)
779 verbosef("writev(%d) error: %s", conn->socket, strerror(errno));
780 conn->state = DONE;
781 return;
782 }
783
784 /* Figure out what we've sent. */
785 conn->total_sent += (unsigned int)sent;
786 if (sent < (ssize_t)conn->header_length) {
787 verbosef("partially sent header");
788 conn->header_sent = sent;
789 conn->state = SEND_HEADER;
790 return;
791 }
792 /* else */
793 conn->header_sent = conn->header_length;
794 sent -= conn->header_length;
795
796 if (sent < (ssize_t)conn->reply_length) {
797 verbosef("partially sent reply");
798 conn->reply_sent += sent;
799 conn->state = SEND_REPLY;
800 return;
801 }
802 /* else */
803 conn->reply_sent = conn->reply_length;
804 conn->state = DONE;
805 }
806
807 /* ---------------------------------------------------------------------------
808 * Sending header. Assumes conn->header is not NULL.
809 */
810 static void poll_send_header(struct connection *conn)
811 {
812 ssize_t sent;
813
814 sent = send(conn->socket, conn->header + conn->header_sent,
815 conn->header_length - conn->header_sent, 0);
816 conn->last_active_mono = now_mono();
817 dverbosef("poll_send_header(%d) sent %d bytes", conn->socket, (int)sent);
818
819 /* handle any errors (-1) or closure (0) in send() */
820 if (sent < 1)
821 {
822 if (sent == -1)
823 verbosef("send(%d) error: %s", conn->socket, strerror(errno));
824 conn->state = DONE;
825 return;
826 }
827 conn->header_sent += (unsigned int)sent;
828 conn->total_sent += (unsigned int)sent;
829
830 /* check if we're done sending */
831 if (conn->header_sent == conn->header_length)
832 {
833 if (conn->header_only)
834 conn->state = DONE;
835 else
836 conn->state = SEND_REPLY;
837 }
838 }
839
840
841
842 /* ---------------------------------------------------------------------------
843 * Sending reply.
844 */
845 static void poll_send_reply(struct connection *conn)
846 {
847 ssize_t sent;
848
849 sent = send(conn->socket,
850 conn->reply + conn->reply_sent,
851 conn->reply_length - conn->reply_sent, 0);
852 conn->last_active_mono = now_mono();
853 dverbosef("poll_send_reply(%d) sent %d: [%d-%d] of %d",
854 conn->socket, (int)sent,
855 (int)conn->reply_sent,
856 (int)(conn->reply_sent + sent - 1),
857 (int)conn->reply_length);
858
859 /* handle any errors (-1) or closure (0) in send() */
860 if (sent < 1)
861 {
862 if (sent == -1)
863 verbosef("send(%d) error: %s", conn->socket, strerror(errno));
864 else if (sent == 0)
865 verbosef("send(%d) closure", conn->socket);
866 conn->state = DONE;
867 return;
868 }
869 conn->reply_sent += (unsigned int)sent;
870 conn->total_sent += (unsigned int)sent;
871
872 /* check if we're done sending */
873 if (conn->reply_sent == conn->reply_length) conn->state = DONE;
874 }
875
876 /* Use getaddrinfo to figure out what type of socket to create and
877 * what to bind it to. "bindaddr" can be NULL. Remember to freeaddrinfo()
878 * the result.
879 */
880 static struct addrinfo *get_bind_addr(
881 const char *bindaddr, const unsigned short bindport)
882 {
883 struct addrinfo hints, *ai;
884 char portstr[6];
885 int ret;
886
887 memset(&hints, 0, sizeof(hints));
888 hints.ai_family = AF_UNSPEC;
889 hints.ai_socktype = SOCK_STREAM;
890 hints.ai_flags = AI_PASSIVE;
891
892 snprintf(portstr, sizeof(portstr), "%u", bindport);
893 if ((ret = getaddrinfo(bindaddr, portstr, &hints, &ai)))
894 err(1, "getaddrinfo(%s, %s) failed: %s",
895 bindaddr ? bindaddr : "NULL", portstr, gai_strerror(ret));
896 if (ai == NULL)
897 err(1, "getaddrinfo() returned NULL pointer");
898 return ai;
899 }
900
901 void http_add_bindaddr(const char *bindaddr)
902 {
903 struct bindaddr_entry *ent;
904
905 ent = xmalloc(sizeof(*ent));
906 ent->s = bindaddr;
907 STAILQ_INSERT_TAIL(&bindaddrs, ent, entries);
908 }
909
910 static void http_listen_one(struct addrinfo *ai,
911 const unsigned short bindport)
912 {
913 char ipaddr[INET6_ADDRSTRLEN];
914 int sockin, sockopt, ret;
915
916 /* format address into ipaddr string */
917 if ((ret = getnameinfo(ai->ai_addr, ai->ai_addrlen, ipaddr,
918 sizeof(ipaddr), NULL, 0, NI_NUMERICHOST)) != 0)
919 err(1, "getnameinfo failed: %s", gai_strerror(ret));
920
921 /* create incoming socket */
922 if ((sockin = socket(ai->ai_family, ai->ai_socktype,
923 ai->ai_protocol)) == -1) {
924 warn("http_listen_one(%s, %u): socket(%d (%s), %d, %d) failed",
925 ipaddr, (unsigned int)bindport,
926 ai->ai_family,
927 (ai->ai_family == AF_INET6) ? "AF_INET6" :
928 (ai->ai_family == AF_INET) ? "AF_INET" :
929 "?",
930 ai->ai_socktype, ai->ai_protocol);
931 return;
932 }
933
934 fd_set_nonblock(sockin);
935
936 /* reuse address */
937 sockopt = 1;
938 if (setsockopt(sockin, SOL_SOCKET, SO_REUSEADDR,
939 &sockopt, sizeof(sockopt)) == -1)
940 err(1, "can't set SO_REUSEADDR");
941
942 #ifdef IPV6_V6ONLY
943 /* explicitly disallow IPv4 mapped addresses since OpenBSD doesn't allow
944 * dual stack sockets under any circumstances
945 */
946 if (ai->ai_family == AF_INET6) {
947 sockopt = 1;
948 if (setsockopt(sockin, IPPROTO_IPV6, IPV6_V6ONLY,
949 &sockopt, sizeof(sockopt)) == -1)
950 err(1, "can't set IPV6_V6ONLY");
951 }
952 #endif
953
954 /* bind socket */
955 if (bind(sockin, ai->ai_addr, ai->ai_addrlen) == -1) {
956 warn("bind(\"%s\") failed", ipaddr);
957 close(sockin);
958 return;
959 }
960
961 /* listen on socket */
962 if (listen(sockin, 128) == -1)
963 err(1, "listen() failed");
964
965 verbosef("listening on http://%s%s%s:%u/",
966 (ai->ai_family == AF_INET6) ? "[" : "",
967 ipaddr,
968 (ai->ai_family == AF_INET6) ? "]" : "",
969 bindport);
970
971 /* add to insocks */
972 insocks = xrealloc(insocks, sizeof(*insocks) * (insock_num + 1));
973 insocks[insock_num++] = sockin;
974 }
975
976 /* Initialize the http sockets and listen on them. */
977 void http_listen(const unsigned short bindport)
978 {
979 /* If the user didn't specify any bind addresses, add a NULL.
980 * This will become a wildcard.
981 */
982 if (STAILQ_EMPTY(&bindaddrs))
983 http_add_bindaddr(NULL);
984
985 /* Listen on every specified interface. */
986 while (!STAILQ_EMPTY(&bindaddrs)) {
987 struct bindaddr_entry *bindaddr = STAILQ_FIRST(&bindaddrs);
988 struct addrinfo *ai, *ais = get_bind_addr(bindaddr->s, bindport);
989
990 /* There could be multiple addresses returned, handle them all. */
991 for (ai = ais; ai; ai = ai->ai_next)
992 http_listen_one(ai, bindport);
993
994 freeaddrinfo(ais);
995
996 STAILQ_REMOVE_HEAD(&bindaddrs, entries);
997 free(bindaddr);
998 }
999
1000 if (insocks == NULL)
1001 errx(1, "was not able to bind any ports for http interface");
1002
1003 /* ignore SIGPIPE */
1004 if (signal(SIGPIPE, SIG_IGN) == SIG_ERR)
1005 err(1, "can't ignore SIGPIPE");
1006 }
1007
1008
1009
1010 /* ---------------------------------------------------------------------------
1011 * Set recv/send fd_sets and calculate timeout length.
1012 */
1013 void
1014 http_fd_set(fd_set *recv_set, fd_set *send_set, int *max_fd,
1015 struct timeval *timeout, int *need_timeout)
1016 {
1017 struct connection *conn, *next;
1018 int minidle = idletime + 1;
1019 unsigned int i;
1020
1021 #define MAX_FD_SET(sock, fdset) do { \
1022 FD_SET(sock, fdset); *max_fd = MAX(*max_fd, sock); } while(0)
1023
1024 for (i=0; i<insock_num; i++)
1025 MAX_FD_SET(insocks[i], recv_set);
1026
1027 LIST_FOREACH_SAFE(conn, &connlist, entries, next)
1028 {
1029 int idlefor = now_mono() - conn->last_active_mono;
1030
1031 /* Time out dead connections. */
1032 if (idlefor >= idletime) {
1033 char ipaddr[INET6_ADDRSTRLEN];
1034 /* FIXME: this is too late on FreeBSD, socket is invalid */
1035 int ret = getnameinfo((struct sockaddr *)&conn->client,
1036 sizeof(conn->client), ipaddr, sizeof(ipaddr),
1037 NULL, 0, NI_NUMERICHOST);
1038 if (ret == 0)
1039 verbosef("http socket timeout from %s (fd %d)",
1040 ipaddr, conn->socket);
1041 else
1042 warn("http socket timeout: getnameinfo error: %s",
1043 gai_strerror(ret));
1044 conn->state = DONE;
1045 }
1046
1047 /* Connections that need a timeout. */
1048 if (conn->state != DONE)
1049 minidle = MIN(minidle, (idletime - idlefor));
1050
1051 switch (conn->state)
1052 {
1053 case DONE:
1054 /* clean out stale connection */
1055 LIST_REMOVE(conn, entries);
1056 free_connection(conn);
1057 free(conn);
1058 break;
1059
1060 case RECV_REQUEST:
1061 MAX_FD_SET(conn->socket, recv_set);
1062 break;
1063
1064 case SEND_HEADER_AND_REPLY:
1065 case SEND_HEADER:
1066 case SEND_REPLY:
1067 MAX_FD_SET(conn->socket, send_set);
1068 break;
1069
1070 default: errx(1, "invalid state");
1071 }
1072 }
1073 #undef MAX_FD_SET
1074
1075 /* Only set timeout if cap hasn't already. */
1076 if ((*need_timeout == 0) && (minidle <= idletime)) {
1077 *need_timeout = 1;
1078 timeout->tv_sec = minidle;
1079 timeout->tv_usec = 0;
1080 }
1081 }
1082
1083
1084
1085 /* ---------------------------------------------------------------------------
1086 * poll connections that select() says need attention
1087 */
1088 void http_poll(fd_set *recv_set, fd_set *send_set)
1089 {
1090 struct connection *conn;
1091 unsigned int i;
1092
1093 for (i=0; i<insock_num; i++)
1094 if (FD_ISSET(insocks[i], recv_set))
1095 accept_connection(insocks[i]);
1096
1097 LIST_FOREACH(conn, &connlist, entries)
1098 switch (conn->state)
1099 {
1100 case RECV_REQUEST:
1101 if (FD_ISSET(conn->socket, recv_set)) poll_recv_request(conn);
1102 break;
1103
1104 case SEND_HEADER_AND_REPLY:
1105 if (FD_ISSET(conn->socket, send_set)) poll_send_header_and_reply(conn);
1106 break;
1107
1108 case SEND_HEADER:
1109 if (FD_ISSET(conn->socket, send_set)) poll_send_header(conn);
1110 break;
1111
1112 case SEND_REPLY:
1113 if (FD_ISSET(conn->socket, send_set)) poll_send_reply(conn);
1114 break;
1115
1116 case DONE: /* fallthrough */
1117 default: errx(1, "invalid state");
1118 }
1119 }
1120
1121 void http_stop(void) {
1122 struct connection *conn;
1123 unsigned int i;
1124
1125 /* Close listening sockets. */
1126 for (i=0; i<insock_num; i++)
1127 close(insocks[i]);
1128 free(insocks);
1129 insocks = NULL;
1130
1131 /* Close in-flight connections. */
1132 LIST_FOREACH(conn, &connlist, entries) {
1133 LIST_REMOVE(conn, entries);
1134 free_connection(conn);
1135 free(conn);
1136 }
1137 }
1138
1139 /* vim:set ts=4 sw=4 et tw=78: */