-
Notifications
You must be signed in to change notification settings - Fork 107
/
relay.c
1097 lines (1006 loc) · 30 KB
/
relay.c
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
384
385
386
387
388
389
390
391
392
393
394
395
396
397
398
399
400
401
402
403
404
405
406
407
408
409
410
411
412
413
414
415
416
417
418
419
420
421
422
423
424
425
426
427
428
429
430
431
432
433
434
435
436
437
438
439
440
441
442
443
444
445
446
447
448
449
450
451
452
453
454
455
456
457
458
459
460
461
462
463
464
465
466
467
468
469
470
471
472
473
474
475
476
477
478
479
480
481
482
483
484
485
486
487
488
489
490
491
492
493
494
495
496
497
498
499
500
501
502
503
504
505
506
507
508
509
510
511
512
513
514
515
516
517
518
519
520
521
522
523
524
525
526
527
528
529
530
531
532
533
534
535
536
537
538
539
540
541
542
543
544
545
546
547
548
549
550
551
552
553
554
555
556
557
558
559
560
561
562
563
564
565
566
567
568
569
570
571
572
573
574
575
576
577
578
579
580
581
582
583
584
585
586
587
588
589
590
591
592
593
594
595
596
597
598
599
600
601
602
603
604
605
606
607
608
609
610
611
612
613
614
615
616
617
618
619
620
621
622
623
624
625
626
627
628
629
630
631
632
633
634
635
636
637
638
639
640
641
642
643
644
645
646
647
648
649
650
651
652
653
654
655
656
657
658
659
660
661
662
663
664
665
666
667
668
669
670
671
672
673
674
675
676
677
678
679
680
681
682
683
684
685
686
687
688
689
690
691
692
693
694
695
696
697
698
699
700
701
702
703
704
705
706
707
708
709
710
711
712
713
714
715
716
717
718
719
720
721
722
723
724
725
726
727
728
729
730
731
732
733
734
735
736
737
738
739
740
741
742
743
744
745
746
747
748
749
750
751
752
753
754
755
756
757
758
759
760
761
762
763
764
765
766
767
768
769
770
771
772
773
774
775
776
777
778
779
780
781
782
783
784
785
786
787
788
789
790
791
792
793
794
795
796
797
798
799
800
801
802
803
804
805
806
807
808
809
810
811
812
813
814
815
816
817
818
819
820
821
822
823
824
825
826
827
828
829
830
831
832
833
834
835
836
837
838
839
840
841
842
843
844
845
846
847
848
849
850
851
852
853
854
855
856
857
858
859
860
861
862
863
864
865
866
867
868
869
870
871
872
873
874
875
876
877
878
879
880
881
882
883
884
885
886
887
888
889
890
891
892
893
894
895
896
897
898
899
900
901
902
903
904
905
906
907
908
909
910
911
912
913
914
915
916
917
918
919
920
921
922
923
924
925
926
927
928
929
930
931
932
933
934
935
936
937
938
939
940
941
942
943
944
945
946
947
948
949
950
951
952
953
954
955
956
957
958
959
960
961
962
963
964
965
966
967
968
969
970
971
972
973
974
975
976
977
978
979
980
981
982
983
984
985
986
987
988
989
990
991
992
993
994
995
996
997
998
999
1000
/*
* Copyright 2013-2024 Fabian Groffen
*
* Licensed under the Apache License, Version 2.0 (the "License");
* you may not use this file except in compliance with the License.
* You may obtain a copy of the License at
*
* http://www.apache.org/licenses/LICENSE-2.0
*
* Unless required by applicable law or agreed to in writing, software
* distributed under the License is distributed on an "AS IS" BASIS,
* WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
* See the License for the specific language governing permissions and
* limitations under the License.
*/
#include <stdio.h>
#include <stdlib.h>
#include <stdarg.h>
#include <unistd.h>
#include <netdb.h>
#include <string.h>
#include <ctype.h>
#include <signal.h>
#include <time.h>
#include <sys/socket.h>
#include <sys/stat.h>
#include <errno.h>
#include <assert.h>
#if defined(__MACH__) || defined(BSD)
# include <sys/types.h>
# include <sys/sysctl.h>
#endif
#include "relay.h"
#include "server.h"
#include "router.h"
#include "receptor.h"
#include "dispatcher.h"
#include "aggregator.h"
#include "collector.h"
#include "conffile.h"
#include "posixregex.h"
unsigned char keep_running = 1;
int pending_signal = -1;
char relay_hostname[256];
unsigned char mode = 0;
char noexpire = 0;
#ifdef HAVE_SSL
char *sslCA = NULL;
char sslCAisdir = 0;
#endif
static char *config = NULL;
static int batchsize = 2500;
static int queuesize = 25000;
static int maxstalls = 4;
static unsigned short iotimeout = 600;
static unsigned short listenport = GRAPHITE_PORT;
static int optimiserthreshold = 50;
static int sockbufsize = 0;
static int collector_interval = 60;
static unsigned int listenbacklog = 32;
static dispatcher **workers = NULL;
static char workercnt = 0;
static router *rtr = NULL;
static server *internal_submission = NULL;
static char *relay_logfile = NULL;
static FILE *relay_stdout = NULL;
static FILE *relay_stderr = NULL;
static char relay_can_log = 0;
#ifdef YYDEBUG
extern int router_yydebug;
#endif
/**
* Writes to the setup output stream, prefixed with a timestamp, and if
* the stream is not going to stdout or stderr, prefixed with MSG or
* ERR.
*/
int
relaylog(enum logdst dest, const char *fmt, ...)
{
va_list ap;
char prefix[64];
size_t len;
time_t now;
struct tm tm_now;
FILE *dst = NULL;
char console = 0;
int ret;
/* briefly stall if we're swapping fds */
while (!__sync_add_and_fetch(&relay_can_log, 0))
usleep((100 + (rand() % 200)) * 1000); /* 100ms - 300ms */
switch (dest) {
case LOGOUT:
dst = relay_stdout;
if (dst == stdout)
console = 1;
break;
case LOGERR:
dst = relay_stderr;
if (dst == stderr)
console = 1;
break;
}
/* NULL == /dev/null */
if (dst == NULL)
return 0;
time(&now);
localtime_r(&now, &tm_now);
len = strftime(prefix, sizeof(prefix), "[%Y-%m-%d %H:%M:%S]", &tm_now);
if (!console)
(void)snprintf(prefix + len, sizeof(prefix) - len,
" (%s)", dest == LOGOUT ? "MSG" : "ERR");
fprintf(dst, "%s ", prefix);
va_start(ap, fmt);
ret = vfprintf(dst, fmt, ap);
fflush(dst);
va_end(ap);
return ret;
}
static void
sig_handler(int sig)
{
/* a thunder of signals will be ignored for as long as a pending
* signal was set, I can live with that, feels like a bad practice
* to bombard a process like that */
(void)__sync_bool_compare_and_swap(&pending_signal, -1, sig);
}
static void
do_reload(void)
{
router *newrtr;
aggregator *newaggrs;
int id;
FILE *newfd;
size_t numaggregators;
listener *lsnrs;
if (relay_stderr != stderr) {
/* try to re-open the file first, so we can still try and say
* something if that fails */
if ((newfd = fopen(relay_logfile, "a")) == NULL) {
logerr("not reopening logfiles: can't open '%s': %s\n",
relay_logfile, strerror(errno));
} else {
logout("closing logfile\n");
__sync_and_and_fetch(&relay_can_log, 0);
/* lame race avoidance for relaylog() usage */
usleep((100 + (rand() % 200)) * 1000); /* 100ms - 300ms */
fclose(relay_stderr);
relay_stdout = newfd;
relay_stderr = newfd;
__sync_bool_compare_and_swap(&relay_can_log, 0, 1);
logout("reopening logfile\n");
}
}
logout("reloading config from '%s'\n", config);
if ((newrtr = router_readconfig(NULL, config, workercnt,
queuesize, batchsize, maxstalls,
iotimeout, sockbufsize, listenport)) == NULL)
{
logerr("failed to read configuration '%s', aborting reload\n", config);
return;
}
router_optimise(newrtr, optimiserthreshold);
/* compare the configs first, if there is no diff, then
* just refrain from reloading anything */
if (!router_printdiffs(rtr, newrtr, relay_stdout)) {
/* no changes, shortcut */
logout("no config changes found\n");
router_free(newrtr);
/* check if there are file targets, make them reopen files #342 */
router_reopen_files(rtr);
logout("SIGHUP handler complete\n");
return;
}
/* close connections that are not in the new config first */
lsnrs = router_get_listeners(rtr);
for ( ; lsnrs != NULL; lsnrs = lsnrs->next) {
if (router_contains_listener(newrtr, lsnrs) == NULL) {
dispatch_removelistener(lsnrs);
}
}
logout("reloading collector\n");
collector_schedulereload(newrtr);
while (!collector_reloadcomplete())
usleep((100 + (rand() % 200)) * 1000); /* 100ms - 300ms */
/* During aggregator final expiry, the dispatchers should not put
* new metrics, so we have to temporarily stop them processing
* connections. However, we still need to handle aggregations that
* we will stop next, so this call results in the dispatchers only
* dealing with connections from aggregators. Doing this, also
* means that we can reload the config atomicly, which disrupts the
* service seemingly for a bit, but results in less confusing output
* in the end. */
logout("interrupting workers\n");
for (id = 1; id < 1 + workercnt; id++)
dispatch_hold(workers[id]);
numaggregators = aggregator_numaggregators(router_getaggregators(rtr));
if (numaggregators > 0) {
logout("expiring aggregations\n");
aggregator_stop(); /* frees aggrs */
/* Now the aggregator has written everything to the
* dispatchers, which will hand over to the servers with proper
* metric adjustments (stubs). */
}
newaggrs = router_getaggregators(newrtr);
numaggregators = aggregator_numaggregators(newaggrs);
if (numaggregators > 0) {
if (!aggregator_start(newaggrs)) {
logerr("failed to start aggregator, aggregations will no "
"longer produce output!\n");
}
}
/* Transplant listeners so their open state won't get lost. Open up
* connections for new listeners. */
lsnrs = router_get_listeners(newrtr);
for ( ; lsnrs != NULL; lsnrs = lsnrs->next) {
listener *olsnr;
if ((olsnr = router_contains_listener(rtr, lsnrs)) != NULL) {
/* ensure we copy over the opened sockets/state */
dispatch_transplantlistener(olsnr, lsnrs, newrtr);
} else {
if (bindlisten(lsnrs, listenbacklog) != 0) {
logerr("failed to setup listener, "
"this will impact the behaviour of the relay\n");
continue;
}
if (dispatch_addlistener(lsnrs) != 0) {
logerr("failed to listen to socket, the "
"listener will not be effective\n");
}
}
}
/* Transplant the queues for the same servers, so we keep their
* queues (potentially with data) around. To do so, we need to make
* sure the servers aren't being operated on. */
router_shutdown(rtr);
/* Because we know that ip:port:prot is unique in both sets, when we
* find a match, we can just swap the queue. This comes with a
* slight peculiarity, that if a server becomes part of an any_of
* cluster (or failover), its pending queue can now be processed by
* other servers. While this feels wrong, it can be extremely
* useful in case existing data needs to be migrated to another
* server, e.g. the config on purpose added a failover to offload a
* known dead server before removing it. This is fairly specific
* but in reality this happens to be desirable every once so often. */
router_transplant_queues(newrtr, rtr);
/* Before we start the workers sending traffic, start up the
* servers now queues are transplanted. */
router_start(newrtr);
logout("reloading workers\n");
for (id = 1; id < 1 + workercnt; id++)
dispatch_schedulereload(workers[id], newrtr); /* un-holds */
for (id = 1; id < 1 + workercnt; id++) {
while (!dispatch_reloadcomplete(workers[id + 0]))
usleep((100 + (rand() % 200)) * 1000); /* 100ms - 300ms */
}
router_free(rtr);
rtr = newrtr;
logout("SIGHUP handler complete\n");
}
static void
handle_signal(int sig)
{
char *sign = "unknown signal";
switch (sig) {
case SIGTERM:
sign = "SIGTERM";
break;
case SIGINT:
sign = "SIGINT";
break;
case SIGQUIT:
sign = "SIGQUIT";
break;
case SIGHUP:
sign = "SIGHUP";
break;
case SIGUSR1:
sign = "SIGUSR1";
break;
}
if (keep_running) {
logout("caught %s\n", sign);
} else {
/* also fine when SIGHUP */
logerr("caught %s while already shutting down, "
"forcing exit!\n", sign);
exit(1);
}
if (sig == SIGHUP) {
do_reload();
} else if (sig == SIGUSR1) {
if (mode & MODE_DEBUG) {
mode &= ~MODE_DEBUG;
} else {
mode |= MODE_DEBUG;
}
} else {
keep_running = 0;
}
}
static int
get_cores(void)
{
int cpus = 5;
#if defined(__MACH__) || defined(BSD)
size_t len = sizeof(cpus);
sysctlbyname("hw.ncpu", &cpus, &len, NULL, 0);
#else /* Linux and Solaris */
cpus = sysconf(_SC_NPROCESSORS_ONLN);
#endif
return cpus;
}
static void
do_version(void)
{
printf("carbon-c-relay v" VERSION " (" GIT_VERSION ")\n");
#if defined(HAVE_GZIP) || defined(HAVE_LZ4) || defined(HAVE_SNAPPY) || defined(HAVE_SSL)
printf("enabled support for:");
#endif
#ifdef HAVE_GZIP
printf(" gzip");
#endif
#ifdef HAVE_LZ4
printf(" lz4");
#endif
#ifdef HAVE_SNAPPY
printf(" snappy");
#endif
#ifdef HAVE_SSL
printf(" ssl");
#endif
printf("\n");
printf("regular expressions library:");
#if defined(HAVE_ONIGURAMA)
printf(" oniguruma");
#elif defined (HAVE_PCRE2)
printf(" PCRE2");
#elif defined (HAVE_PCRE)
printf(" PCRE");
#else
printf(" libc");
#endif
printf("\n");
exit(0);
}
static void
do_usage(char *name, int exitcode)
{
printf("Usage: %s -f <config> [opts]\n", name);
printf("\n");
printf("Options:\n");
printf(" -v print version and exit\n");
printf(" -f read <config> for clusters and routes\n");
printf(" -p listen on <port> for connections, defaults to %u\n",
GRAPHITE_PORT);
printf(" -l write output to <file>, defaults to stdout/stderr\n");
printf(" -w use <workers> worker threads, defaults to %d\n", get_cores());
printf(" -b server send batch size, defaults to %d\n", batchsize);
printf(" -q server queue size, defaults to %d\n", queuesize);
printf(" -L server max stalls, defaults to %d\n", maxstalls);
#ifdef HAVE_SSL
printf(" -C use CA <cert> to verify outgoing SSL connections or\n");
printf(" incoming mTLS connections\n");
#endif
printf(" -B connection listen backlog, defaults to 32\n");
printf(" -U socket receive buffer size, max/min/default values depend on OS\n");
printf(" -T IO timeout in milliseconds for server connections, defaults to %d\n", iotimeout);
printf(" -E disable disconnecting idle connections after 10 minutes\n");
printf(" -c characters to allow next to [A-Za-z0-9], defaults to -_:#\n");
printf(" -m max string length of metric, defaults to 0, limit of -M\n");
printf(" -M max string length of metric+ts+value+nl, defaults to %d\n",
METRIC_BUFSIZ);
printf(" -d debug mode: currently writes statistics to log, prints hash\n"
" ring contents and matching position in test mode (-t)\n");
#ifdef ENABLE_TRACE
printf(" add another -d to enable (very noisy) trace mode\n");
#endif
printf(" -s submission mode: don't add any metrics to the stream like\n"
" statistics, report drop counts and queue pressure to log\n");
printf(" -S implies submission mode, print iostat-like statistics\n");
printf(" -t config test mode: prints rule matches from input on stdin\n");
printf(" -H hostname: override hostname (used in statistics)\n");
printf(" -D daemonise: detach and run in background\n");
printf(" -P pidfile: write a pid to a specified pidfile\n");
printf(" -O minimum number of rules before optimising the ruleset, "
"default: %d\n", optimiserthreshold);
exit(exitcode);
}
int
main(int argc, char * const argv[])
{
char id;
int ch;
size_t numaggregators;
char *allowed_chars = NULL;
char *pidfile = NULL;
FILE *pidfile_handle = NULL;
aggregator *aggrs = NULL;
int fds[2];
unsigned char startup_success = 0;
listener *lsnrs;
int maxmetriclen = -1;
int maxinplen = -1;
if (gethostname(relay_hostname, sizeof(relay_hostname)) < 0)
snprintf(relay_hostname, sizeof(relay_hostname), "127.0.0.1");
while ((ch = getopt(argc, argv,
":hvdsStf:l:p:w:b:q:L:C:T:c:m:M:H:B:U:EDP:O:")) != -1)
{
switch (ch) {
case 'v':
do_version();
break;
case 'd':
/* secret support for -dd (just trace) and -ddd (debug
* and trace) */
if (mode & MODE_DEBUG) {
mode |= MODE_TRACE;
mode &= ~MODE_DEBUG;
} else {
mode |= MODE_DEBUG;
}
break;
case 's':
mode |= MODE_SUBMISSION;
break;
case 'S':
mode |= MODE_SUBMISSION | MODE_METRICSTAT;
break;
case 't':
/* -t: test interactively, -tt: test config and exit */
if (mode & MODE_TEST) {
mode |= MODE_CONFIGTEST;
} else {
mode |= MODE_TEST;
}
break;
case 'f':
config = optarg;
break;
case 'l':
relay_logfile = optarg;
break;
case 'p':
listenport = (unsigned short)atoi(optarg);
if (listenport == 0) {
fprintf(stderr, "error: port needs to be a number >0\n");
do_usage(argv[0], 1);
}
break;
case 'w':
workercnt = (char)atoi(optarg);
if (workercnt <= 0) {
fprintf(stderr, "error: workers needs to be a number >0\n");
do_usage(argv[0], 1);
}
break;
case 'b':
batchsize = atoi(optarg);
if (batchsize <= 0) {
fprintf(stderr, "error: batch size needs to be a number >0\n");
do_usage(argv[0], 1);
}
break;
case 'q':
queuesize = atoi(optarg);
if (queuesize <= 0) {
fprintf(stderr, "error: queue size needs to be a number >0\n");
do_usage(argv[0], 1);
}
break;
case 'L':
maxstalls = atoi(optarg);
if (maxstalls < 0 || maxstalls >= (1 << SERVER_STALL_BITS) ||
!isdigit(*optarg))
{
fprintf(stderr, "error: maximum stalls needs to be a number "
"between 0 and %d\n", (1 << SERVER_STALL_BITS) - 1);
do_usage(argv[0], 1);
}
break;
case 'C':
#ifdef HAVE_SSL
sslCA = optarg;
#endif
break;
case 'T': {
int val = atoi(optarg);
if (val <= 0) {
fprintf(stderr, "error: server IO timeout needs "
"to be a number >0\n");
do_usage(argv[0], 1);
} else if (val >= 60000) {
fprintf(stderr, "error: server IO timeout needs "
"to be less than one minute\n");
do_usage(argv[0], 1);
}
iotimeout = (unsigned short)val;
} break;
case 'E':
noexpire = 1;
break;
case 'c':
allowed_chars = optarg;
break;
case 'm': {
int val = atoi(optarg);
if (val < 0 || !isdigit(*optarg)) {
fprintf(stderr, "error: max metric length needs to "
"be a number >=0\n");
do_usage(argv[0], 1);
}
maxmetriclen = val;
} break;
case 'M': {
int val = atoi(optarg);
if (val <= 0) {
fprintf(stderr, "error: max length needs to "
"be a number >0\n");
do_usage(argv[0], 1);
}
if (val > METRIC_BUFSIZ) {
fprintf(stderr, "error: max length cannot be >%d\n",
METRIC_BUFSIZ);
do_usage(argv[0], 1);
}
maxinplen = val;
} break;
case 'H':
snprintf(relay_hostname, sizeof(relay_hostname), "%s", optarg);
break;
case 'B': {
int val = atoi(optarg);
if (val <= 0) {
fprintf(stderr, "error: backlog needs to be a number >0\n");
do_usage(argv[0], 1);
}
listenbacklog = (unsigned int)val;
} break;
case 'U': {
int val = atoi(optarg);
socklen_t len = sizeof(sockbufsize);
int sock;
if (val <= 0) {
fprintf(stderr, "error: bufsize needs to be a number >0\n");
do_usage(argv[0], 1);
}
sockbufsize = (unsigned int)val;
/* test the size to see if the value is valid, since
* this is OS dependant, it's the only way */
sock = socket(PF_INET, SOCK_STREAM, 0);
if (sock == -1 || setsockopt(sock, SOL_SOCKET, SO_RCVBUF,
&sockbufsize, sizeof(sockbufsize)) != 0)
{
fprintf(stderr, "failed to set socket bufsize: %s\n",
strerror(errno));
}
if (sock != -1 && getsockopt(sock, SOL_SOCKET, SO_RCVBUF,
&sockbufsize, &len) != 0)
{
fprintf(stderr, "failed to get socket bufsize: %s\n",
strerror(errno));
}
if (len != sizeof(sockbufsize)) {
fprintf(stderr, "getsockopt returned unexpected size: %u, "
"expected %zu\n", len, sizeof(sockbufsize));
exit(1);
}
if (sockbufsize > (unsigned int)val)
fprintf(stderr, "warning: OS rejected socket bufsize\n");
if (sock != -1)
close(sock);
} break;
case 'D':
mode |= MODE_DAEMON;
break;
case 'P':
pidfile = optarg;
break;
case 'O': {
int val = atoi(optarg);
if (val == 0 && !isdigit(*optarg)) {
fprintf(stderr, "error: optimiser threshold needs to "
"be a number\n");
do_usage(argv[0], 1);
}
optimiserthreshold = val < 0 ? -1 : val;
} break;
case '?':
case ':':
do_usage(argv[0], 1);
break;
case 'h':
default:
do_usage(argv[0], 0);
break;
}
}
if (optind == 1 || config == NULL)
do_usage(argv[0], 1);
/* seed randomiser for dispatcher and aggregator "splay" */
srand(time(NULL));
if (workercnt == 0)
workercnt = mode & MODE_SUBMISSION ? 2 : get_cores();
/* disable collector for submission mode */
if (mode & MODE_SUBMISSION && !(mode & MODE_DEBUG))
collector_interval = 0;
/* any_of failover maths need batchsize to be smaller than queuesize */
if (batchsize > queuesize) {
fprintf(stderr, "error: batchsize must be smaller than queuesize\n");
exit(1);
}
/* check bufsizes make sense */
if (maxinplen > 0 && maxmetriclen > 0 && maxmetriclen >= maxinplen)
{
fprintf(stderr, "error: max metric len must be smaller than "
"max length of input string\n");
exit(1);
}
if (maxinplen == -1)
maxinplen = METRIC_BUFSIZ;
if (maxmetriclen == -1)
maxmetriclen = maxinplen; /* never hit the limit */
if (relay_logfile != NULL && (mode & MODE_TEST) == 0) {
FILE *f = fopen(relay_logfile, "a");
if (f == NULL) {
fprintf(stderr, "error: failed to open logfile '%s': %s\n",
relay_logfile, strerror(errno));
exit(1);
}
relay_stdout = f;
relay_stderr = f;
} else if (mode & MODE_CONFIGTEST) {
/* suppress stdout, just show errors */
relay_stdout = NULL;
relay_stderr = stderr;
} else {
relay_stdout = stdout;
relay_stderr = stderr;
}
relay_can_log = 1;
if (mode & MODE_DAEMON) {
if (relay_logfile == NULL) {
fprintf(stderr,
"You must specify logfile if you want daemonisation!\n");
exit(1);
}
if (mode & MODE_TEST) {
fprintf(stderr,
"You cannot use test mode if you want daemonisation!\n");
exit(1);
}
}
if (pidfile != NULL) {
pidfile_handle = fopen(pidfile, "w");
if (pidfile_handle == NULL) {
fprintf(stderr, "failed to open pidfile '%s': %s\n",
pidfile, strerror(errno));
exit(1);
}
}
#ifdef HAVE_SSL
/* check if we can read the given CA before starting up and stuff */
if (sslCA != NULL) {
struct stat st;
if (stat(sslCA, &st) == -1) {
fprintf(stderr, "failed to open TLS/SSL CA file '%s': %s\n",
sslCA, strerror(errno));
exit(1);
}
if (S_ISDIR(st.st_mode))
sslCAisdir = 1;
}
#endif
if (mode & MODE_DAEMON) {
pid_t p;
if (pipe(fds) < 0) {
fprintf(stderr,
"failed to create pipe to talk to child process: %s\n",
strerror(errno));
exit(1);
}
p = fork();
if (p < 0) {
fprintf(stderr, "failed to fork intermediate process: %s\n",
strerror(errno));
exit(1);
} else if (p == 0) {
char msg[1024];
/* child, fork again so our intermediate process can die and
* its child becomes an orphan to init */
p = fork();
if (p < 0) {
snprintf(msg, sizeof(msg),
"failed to fork daemon process: %s\n", strerror(errno));
/* fool compiler */
if (write(fds[1], msg, strlen(msg) + 1) > -2)
exit(1); /* not that retcode matters */
} else if (p == 0) {
/* child, this is the final daemon process */
if (setsid() < 0) {
snprintf(msg, sizeof(msg), "failed to setsid(): %s\n",
strerror(errno));
/* fool compiler */
if (write(fds[1], msg, strlen(msg) + 1) > -2)
exit(1); /* not that retcode matters */
}
/* close descriptors, we won't need them ever since
* we're detached from the controlling terminal */
close(0);
close(1);
close(2);
} else {
/* parent, die */
exit(0);
}
} else {
/* parent: wait for child to report success */
char msg[1024];
int len = read(fds[0], msg, sizeof(msg));
if (len < 0) {
fprintf(stderr, "unable to read from child, "
"assuming daemonisation failed\n");
exit(1);
} else if (len == 0) {
fprintf(stderr, "got unexpected EOF from child, "
"assuming daemonisation failed\n");
exit(1);
} else if (strncmp(msg, "OK", len) == 0) {
/* child is happy, so can we */
exit(0);
} else {
if (len == 1024)
len--;
msg[len] = '\0';
fprintf(stderr, "%s", msg);
exit(1);
}
}
} else {
fds[0] = fds[1] = -1;
}
#define exit_err(...) { \
if (fds[0] != -1) { \
char msg[1024]; \
snprintf(msg, sizeof(msg), __VA_ARGS__); \
/* fool compiler */ \
if (write(fds[1], msg, strlen(msg) + 1) > -2) \
exit(1); /* not that retcode matters */ \
} else { \
logerr(__VA_ARGS__); \
exit(1); \
} \
}
#define exit_ok { \
if (fds[0] != -1) { \
/* we're fine, flag our grandparent (= the original
* process being called) it can terminate */ \
if (write(fds[1], "OK", 3) < -2) \
exit(1); /* if our grantparent died, we better do too */ \
close(fds[0]); \
close(fds[1]); \
} \
fds[0] = fds[1] = -1; \
startup_success = 1; \
}
if (pidfile_handle) {
fprintf(pidfile_handle, "%zu\n", (ssize_t)getpid());
fclose(pidfile_handle);
}
logout("starting carbon-c-relay v%s (%s), pid=%d\n",
VERSION, GIT_VERSION, getpid());
if (relay_stdout != NULL) {
fprintf(relay_stdout, "configuration:\n");
fprintf(relay_stdout, " relay hostname = %s\n", relay_hostname);
fprintf(relay_stdout, " workers = %d\n", workercnt);
fprintf(relay_stdout, " send batch size = %d\n", batchsize);
fprintf(relay_stdout, " server queue size = %d\n", queuesize);
fprintf(relay_stdout, " server max stalls = %d\n", maxstalls);
fprintf(relay_stdout, " listen backlog = %u\n", listenbacklog);
if (sockbufsize > 0)
fprintf(relay_stdout, " socket bufsize = %u\n", sockbufsize);
#ifdef HAVE_SSL
if (sslCA != NULL)
fprintf(relay_stdout, " tls/ssl CA = %s\n", sslCA);
#endif
fprintf(relay_stdout, " server connection IO timeout = %dms\n",
iotimeout);
fprintf(relay_stdout, " idle connections disconnect timeout = %s\n",
noexpire ? "never" : "10m");
if (allowed_chars != NULL)
fprintf(relay_stdout, " extra allowed characters = %s\n",
allowed_chars);
if (maxinplen < METRIC_BUFSIZ)
fprintf(relay_stdout, " max input length = %d\n", maxinplen);
if (maxmetriclen < maxinplen)
fprintf(relay_stdout, " max metric length = %d\n", maxmetriclen);
if (mode & MODE_DEBUG)
fprintf(relay_stdout, " debug = true\n");
#ifdef ENABLE_TRACE
if (mode & MODE_TRACE)
fprintf(relay_stdout, " trace = true\n");
#endif
else if (mode & MODE_SUBMISSION)
fprintf(relay_stdout, " submission = true\n");
else if (mode & MODE_DAEMON)
fprintf(relay_stdout, " daemon = true\n");
fprintf(relay_stdout, " configuration = %s\n", config);
fprintf(relay_stdout, "\n");
}
#ifdef HAVE_SSL
/* this needs to happen once, globally */
SSL_library_init();
SSL_load_error_strings();
OpenSSL_add_all_algorithms();
#endif
#ifdef YYDEBUG
if (mode & MODE_TRACE)
router_yydebug = 1;
#endif
if ((rtr = router_readconfig(NULL, config, workercnt,
queuesize, batchsize, maxstalls,
iotimeout, sockbufsize, listenport)) == NULL)
{
exit_err("failed to read configuration '%s'\n", config);
}
router_optimise(rtr, optimiserthreshold);
/* we're done if all we wanted was to test the config */
if (mode & MODE_CONFIGTEST)
exit(0);
aggrs = router_getaggregators(rtr);
numaggregators = aggregator_numaggregators(aggrs);
if (numaggregators > 10 && !(mode & MODE_DEBUG)) {
fprintf(relay_stdout, "parsed configuration follows:\n"
"(%zu aggregations with %zu computations omitted "
"for brevity)\n",
numaggregators, aggregator_numcomputes(aggrs));
router_printconfig(rtr, relay_stdout, PMODE_NORM);
} else {
fprintf(relay_stdout, "parsed configuration follows:\n");
router_printconfig(rtr, relay_stdout,
PMODE_AGGR + (mode & MODE_DEBUG ?
PMODE_DEBUG | PMODE_PEMT : PMODE_NORM));
}
fprintf(relay_stdout, "\n");
/* shortcut for rule testing mode */
if (mode & MODE_TEST) {
char metricbuf[METRIC_BUFSIZ];
char *p;
fflush(relay_stdout);
while (fgets(metricbuf, sizeof(metricbuf), stdin) != NULL) {
if ((p = strchr(metricbuf, '\n')) != NULL)
*p = '\0';
p = metricbuf;
while (isspace(*p))
p++;
if (*p == '\0')
continue;
router_test(rtr, metricbuf);
}
exit(0);
}
if (signal(SIGINT, sig_handler) == SIG_ERR) {
exit_err("failed to create SIGINT handler: %s\n", strerror(errno));
}
if (signal(SIGTERM, sig_handler) == SIG_ERR) {
exit_err("failed to create SIGTERM handler: %s\n", strerror(errno));
}
if (signal(SIGQUIT, sig_handler) == SIG_ERR) {
exit_err("failed to create SIGQUIT handler: %s\n", strerror(errno));
}
if (signal(SIGHUP, sig_handler) == SIG_ERR) {
exit_err("failed to create SIGHUP handler: %s\n", strerror(errno));
}
if (signal(SIGUSR1, sig_handler) == SIG_ERR) {
exit_err("failed to create SIGUSR1 handler: %s\n", strerror(errno));
}
if (signal(SIGPIPE, SIG_IGN) == SIG_ERR) {
exit_err("failed to ignore SIGPIPE: %s\n", strerror(errno));
}
workers = malloc(sizeof(dispatcher *) *
(1/*lsnr*/ + workercnt + 1/*sentinel*/));
if (workers == NULL) {
exit_err("failed to allocate memory for workers\n");
}
dispatch_set_bufsize(sockbufsize);
if (dispatch_init_listeners() != 0) {
exit_err("failed to allocate listeners\n");
}
lsnrs = router_get_listeners(rtr);
for ( ; lsnrs != NULL; lsnrs = lsnrs->next) {
if (bindlisten(lsnrs, listenbacklog) != 0) {
exit_err("failed to setup listener\n");
}
if (dispatch_addlistener(lsnrs) != 0) {
exit_err("failed to add listener\n");
}
}
/* ensure the listener id is at the end for regex_t array hack */
if ((workers[0] = dispatch_new_listener((unsigned char)workercnt)) == NULL)
logerr("failed to add listener dispatcher\n");
if (allowed_chars == NULL)
allowed_chars = "-_:#";
logout("starting %d workers\n", workercnt);
for (id = 0; id < workercnt; id++) {
workers[id + 1] = dispatch_new_connection(
(unsigned char)id, rtr, allowed_chars,
maxinplen, maxmetriclen);
if (workers[id + 1] == NULL) {
logerr("failed to add worker %d\n", id);
break;
}
}
workers[id + 1] = NULL; /* sentinel */
if (id < workercnt) {
logerr("shutting down due to errors\n");
keep_running = 0;
}
/* server used for delivering metrics produced inside the relay,
* that is, the collector (statistics) */